1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
2174
2175
2176
2177
2178
2179
2180
2181
2182
2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
2238
2239
2240
2241
2242
2243
2244
2245
2246
2247
2248
2249
2250
2251
2252
2253
2254
2255
2256
2257
2258
2259
2260
2261
2262
2263
2264
2265
2266
2267
2268
2269
2270
2271
2272
2273
2274
2275
2276
2277
2278
2279
2280
2281
2282
2283
2284
2285
2286
2287
2288
2289
2290
2291
2292
2293
2294
2295
2296
2297
2298
2299
2300
2301
2302
2303
2304
2305
2306
2307
2308
2309
2310
2311
2312
2313
2314
2315
2316
2317
2318
2319
2320
2321
2322
2323
2324
2325
2326
2327
2328
2329
2330
2331
2332
2333
2334
2335
2336
2337
2338
2339
2340
2341
2342
2343
2344
2345
2346
2347
2348
2349
2350
2351
2352
2353
2354
2355
2356
2357
2358
2359
2360
2361
2362
2363
2364
2365
2366
2367
2368
2369
2370
2371
2372
2373
2374
2375
2376
2377
2378
2379
2380
2381
2382
2383
2384
2385
2386
2387
2388
2389
2390
2391
2392
2393
2394
2395
2396
2397
2398
2399
2400
2401
2402
2403
2404
2405
2406
2407
2408
2409
2410
2411
2412
2413
2414
2415
2416
2417
2418
2419
2420
2421
2422
2423
2424
2425
2426
2427
2428
2429
2430
2431
2432
2433
2434
2435
2436
2437
2438
2439
2440
2441
2442
2443
2444
2445
2446
2447
2448
2449
2450
2451
2452
2453
2454
2455
2456
2457
2458
2459
2460
2461
2462
2463
2464
2465
2466
2467
2468
2469
2470
2471
2472
2473
2474
2475
2476
2477
2478
2479
2480
2481
2482
2483
2484
2485
2486
2487
2488
2489
2490
2491
2492
2493
2494
2495
2496
2497
2498
2499
2500
2501
2502
2503
2504
2505
2506
2507
2508
2509
2510
2511
2512
2513
2514
2515
2516
2517
2518
2519
2520
2521
2522
2523
2524
2525
2526
2527
2528
2529
2530
2531
2532
2533
2534
2535
2536
2537
2538
2539
2540
2541
2542
2543
2544
2545
2546
2547
2548
2549
2550
2551
2552
2553
2554
2555
2556
2557
2558
2559
2560
2561
2562
2563
2564
2565
2566
2567
2568
2569
2570
2571
2572
2573
2574
2575
2576
2577
2578
2579
2580
2581
2582
2583
2584
2585
2586
2587
2588
2589
2590
2591
2592
2593
2594
2595
2596
2597
2598
2599
2600
2601
2602
2603
2604
2605
2606
2607
2608
2609
2610
2611
2612
2613
2614
2615
2616
2617
2618
2619
2620
2621
2622
2623
2624
2625
2626
2627
2628
2629
2630
2631
2632
2633
2634
2635
2636
2637
2638
2639
2640
2641
2642
2643
2644
2645
2646
2647
2648
2649
2650
2651
2652
2653
2654
2655
2656
2657
2658
2659
2660
2661
2662
2663
2664
2665
2666
2667
2668
2669
2670
2671
2672
2673
2674
2675
2676
2677
2678
2679
2680
2681
2682
2683
2684
2685
2686
2687
2688
2689
2690
2691
2692
2693
2694
2695
2696
2697
2698
2699
2700
2701
2702
2703
2704
2705
2706
2707
2708
2709
2710
2711
2712
2713
2714
2715
2716
2717
2718
2719
2720
2721
2722
2723
2724
2725
2726
2727
2728
2729
2730
2731
2732
2733
2734
2735
2736
2737
2738
2739
|
# Copyright 2009-2011 Canonical Ltd. This software is licensed under the
# GNU Affero General Public License version 3 (see the file LICENSE).
# pylint: disable-msg=F0401
"""Security policies for using content objects."""
__metaclass__ = type
__all__ = [
]
from zope.component import (
getAdapter,
getUtility,
queryAdapter,
)
from zope.interface import Interface
from canonical.config import config
from canonical.database.sqlbase import quote
from canonical.launchpad.webapp.interfaces import ILaunchpadRoot
from lp.answers.interfaces.faq import IFAQ
from lp.answers.interfaces.faqtarget import IFAQTarget
from lp.answers.interfaces.question import IQuestion
from lp.answers.interfaces.questionmessage import IQuestionMessage
from lp.answers.interfaces.questionsperson import IQuestionsPerson
from lp.answers.interfaces.questiontarget import IQuestionTarget
from lp.app.interfaces.launchpad import ILaunchpadCelebrities
from lp.app.interfaces.security import IAuthorization
from lp.app.security import (
AnonymousAuthorization,
AuthorizationBase,
DelegatedAuthorization,
)
from lp.archivepublisher.interfaces.publisherconfig import IPublisherConfig
from lp.blueprints.interfaces.specification import (
ISpecification,
ISpecificationPublic,
)
from lp.blueprints.interfaces.specificationbranch import ISpecificationBranch
from lp.blueprints.interfaces.specificationsubscription import (
ISpecificationSubscription,
)
from lp.blueprints.interfaces.sprint import ISprint
from lp.blueprints.interfaces.sprintspecification import ISprintSpecification
from lp.bugs.interfaces.bugtarget import IOfficialBugTagTargetRestricted
from lp.bugs.interfaces.structuralsubscription import IStructuralSubscription
from lp.bugs.model.bugtask import get_bug_privacy_filter
from lp.buildmaster.interfaces.builder import (
IBuilder,
IBuilderSet,
)
from lp.buildmaster.interfaces.buildfarmbranchjob import IBuildFarmBranchJob
from lp.buildmaster.interfaces.buildfarmjob import (
IBuildFarmJob,
IBuildFarmJobOld,
)
from lp.buildmaster.interfaces.packagebuild import IPackageBuild
from lp.code.interfaces.branch import (
IBranch,
user_has_special_branch_access,
)
from lp.code.interfaces.branchcollection import (
IAllBranches,
IBranchCollection,
)
from lp.code.interfaces.branchmergeproposal import IBranchMergeProposal
from lp.code.interfaces.branchmergequeue import IBranchMergeQueue
from lp.code.interfaces.codeimport import ICodeImport
from lp.code.interfaces.codeimportjob import (
ICodeImportJobSet,
ICodeImportJobWorkflow,
)
from lp.code.interfaces.codeimportmachine import ICodeImportMachine
from lp.code.interfaces.codereviewcomment import (
ICodeReviewComment,
ICodeReviewCommentDeletion,
)
from lp.code.interfaces.codereviewvote import ICodeReviewVoteReference
from lp.code.interfaces.diff import IPreviewDiff
from lp.code.interfaces.sourcepackagerecipe import ISourcePackageRecipe
from lp.code.interfaces.sourcepackagerecipebuild import (
ISourcePackageRecipeBuild,
)
from lp.hardwaredb.interfaces.hwdb import (
IHWDBApplication,
IHWDevice,
IHWDeviceClass,
IHWDriver,
IHWDriverName,
IHWDriverPackageName,
IHWSubmission,
IHWSubmissionDevice,
IHWVendorID,
)
from lp.registry.interfaces.announcement import IAnnouncement
from lp.registry.interfaces.distribution import IDistribution
from lp.registry.interfaces.distributionmirror import IDistributionMirror
from lp.registry.interfaces.distributionsourcepackage import (
IDistributionSourcePackage,
)
from lp.registry.interfaces.distroseries import IDistroSeries
from lp.registry.interfaces.distroseriesdifference import (
IDistroSeriesDifferenceAdmin,
IDistroSeriesDifferenceEdit,
)
from lp.registry.interfaces.distroseriesparent import IDistroSeriesParent
from lp.registry.interfaces.entitlement import IEntitlement
from lp.registry.interfaces.gpg import IGPGKey
from lp.registry.interfaces.irc import IIrcID
from lp.registry.interfaces.location import IPersonLocation
from lp.registry.interfaces.milestone import (
IMilestone,
IProjectGroupMilestone,
)
from lp.registry.interfaces.nameblacklist import (
INameBlacklist,
INameBlacklistSet,
)
from lp.registry.interfaces.packaging import IPackaging
from lp.registry.interfaces.person import (
IPerson,
IPersonLimitedView,
IPersonSet,
ITeam,
PersonVisibility,
)
from lp.registry.interfaces.pillar import IPillar
from lp.registry.interfaces.poll import (
IPoll,
IPollOption,
IPollSubset,
)
from lp.registry.interfaces.product import (
IProduct,
IProductSet,
)
from lp.registry.interfaces.productrelease import (
IProductRelease,
IProductReleaseFile,
)
from lp.registry.interfaces.productseries import (
IProductSeries,
ITimelineProductSeries,
)
from lp.registry.interfaces.projectgroup import (
IProjectGroup,
IProjectGroupSet,
)
from lp.registry.interfaces.role import (
IHasDrivers,
IHasOwner,
IPersonRoles,
)
from lp.registry.interfaces.sourcepackage import ISourcePackage
from lp.registry.interfaces.teammembership import ITeamMembership
from lp.registry.interfaces.wikiname import IWikiName
from lp.registry.model.person import Person
from lp.services.database.lpstorm import IStore
from lp.services.features import getFeatureFlag
from lp.services.identity.interfaces.account import IAccount
from lp.services.identity.interfaces.emailaddress import IEmailAddress
from lp.services.librarian.interfaces import ILibraryFileAliasWithParent
from lp.services.messages.interfaces.message import IMessage
from lp.services.oauth.interfaces import (
IOAuthAccessToken,
IOAuthRequestToken,
)
from lp.services.openid.interfaces.openididentifier import IOpenIdIdentifier
from lp.services.worlddata.interfaces.country import ICountry
from lp.services.worlddata.interfaces.language import (
ILanguage,
ILanguageSet,
)
from lp.soyuz.interfaces.archive import IArchive
from lp.soyuz.interfaces.archiveauthtoken import IArchiveAuthToken
from lp.soyuz.interfaces.archivepermission import IArchivePermissionSet
from lp.soyuz.interfaces.archivesubscriber import (
IArchiveSubscriber,
IArchiveSubscriberSet,
IPersonalArchiveSubscription,
)
from lp.soyuz.interfaces.binarypackagebuild import IBinaryPackageBuild
from lp.soyuz.interfaces.binarypackagerelease import (
IBinaryPackageReleaseDownloadCount,
)
from lp.soyuz.interfaces.buildfarmbuildjob import IBuildFarmBuildJob
from lp.soyuz.interfaces.distroarchseries import IDistroArchSeries
from lp.soyuz.interfaces.packagecopyjob import IPlainPackageCopyJob
from lp.soyuz.interfaces.packageset import (
IPackageset,
IPackagesetSet,
)
from lp.soyuz.interfaces.publishing import (
IBinaryPackagePublishingHistory,
IPublishingEdit,
ISourcePackagePublishingHistory,
)
from lp.soyuz.interfaces.queue import (
IPackageUpload,
IPackageUploadQueue,
)
from lp.soyuz.interfaces.sourcepackagerelease import ISourcePackageRelease
from lp.translations.interfaces.customlanguagecode import ICustomLanguageCode
from lp.translations.interfaces.languagepack import ILanguagePack
from lp.translations.interfaces.pofile import IPOFile
from lp.translations.interfaces.potemplate import IPOTemplate
from lp.translations.interfaces.translationgroup import (
ITranslationGroup,
ITranslationGroupSet,
)
from lp.translations.interfaces.translationimportqueue import (
ITranslationImportQueue,
ITranslationImportQueueEntry,
)
from lp.translations.interfaces.translationsperson import ITranslationsPerson
from lp.translations.interfaces.translator import (
IEditTranslator,
ITranslator,
)
class ViewByLoggedInUser(AuthorizationBase):
"""The default ruleset for the launchpad.View permission.
By default, any logged-in user can see anything. More restrictive
rulesets are defined in other IAuthorization implementations.
"""
permission = 'launchpad.View'
usedfor = Interface
def checkAuthenticated(self, user):
"""Any authenticated user can see this object."""
return True
class AdminByAdminsTeam(AuthorizationBase):
permission = 'launchpad.Admin'
usedfor = Interface
def checkAuthenticated(self, user):
return user.in_admin
class AdminByCommercialTeamOrAdmins(AuthorizationBase):
permission = 'launchpad.Commercial'
usedfor = Interface
def checkAuthenticated(self, user):
return user.in_commercial_admin or user.in_admin
class EditByRegistryExpertsOrAdmins(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = ILaunchpadRoot
def checkAuthenticated(self, user):
return user.in_admin or user.in_registry_experts
class ModerateByRegistryExpertsOrAdmins(AuthorizationBase):
permission = 'launchpad.Moderate'
usedfor = None
def checkAuthenticated(self, user):
return user.in_admin or user.in_registry_experts
class ModerateDistroSeries(ModerateByRegistryExpertsOrAdmins):
usedfor = IDistroSeries
class ModerateProduct(ModerateByRegistryExpertsOrAdmins):
usedfor = IProduct
class ModerateProductSet(ModerateByRegistryExpertsOrAdmins):
usedfor = IProductSet
class ModerateProject(ModerateByRegistryExpertsOrAdmins):
usedfor = IProjectGroup
class ModerateProjectGroupSet(ModerateByRegistryExpertsOrAdmins):
usedfor = IProjectGroupSet
class ModeratePerson(ModerateByRegistryExpertsOrAdmins):
permission = 'launchpad.Moderate'
usedfor = IPerson
class ViewPillar(AuthorizationBase):
usedfor = IPillar
permission = 'launchpad.View'
def checkUnauthenticated(self):
return self.obj.active
def checkAuthenticated(self, user):
"""The Admins & Commercial Admins can see inactive pillars."""
if self.obj.active:
return True
else:
return (user.in_commercial_admin or
user.in_admin or
user.in_registry_experts)
class EditAccountBySelfOrAdmin(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IAccount
def checkAccountAuthenticated(self, account):
if account == self.obj:
return True
return super(
EditAccountBySelfOrAdmin, self).checkAccountAuthenticated(account)
def checkAuthenticated(self, user):
return user.in_admin
class ViewAccount(EditAccountBySelfOrAdmin):
permission = 'launchpad.View'
class ViewOpenIdIdentifierBySelfOrAdmin(AuthorizationBase):
permission = 'launchpad.View'
usedfor = IOpenIdIdentifier
def checkAccountAuthenticated(self, account):
if account == self.obj.account:
return True
return super(
ViewOpenIdIdentifierBySelfOrAdmin,
self).checkAccountAuthenticated(account)
class SpecialAccount(EditAccountBySelfOrAdmin):
permission = 'launchpad.Special'
def checkAuthenticated(self, user):
"""Extend permission to registry experts."""
return user.in_admin or user.in_registry_experts
class ModerateAccountByRegistryExpert(AuthorizationBase):
usedfor = IAccount
permission = 'launchpad.Moderate'
def checkAuthenticated(self, user):
return user.in_admin or user.in_registry_experts
class EditOAuthAccessToken(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IOAuthAccessToken
def checkAuthenticated(self, user):
return self.obj.person == user.person or user.in_admin
class EditOAuthRequestToken(EditOAuthAccessToken):
permission = 'launchpad.Edit'
usedfor = IOAuthRequestToken
class EditByOwnersOrAdmins(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IHasOwner
def checkAuthenticated(self, user):
return user.isOwner(self.obj) or user.in_admin
class EditProduct(EditByOwnersOrAdmins):
usedfor = IProduct
class EditPackaging(EditByOwnersOrAdmins):
usedfor = IPackaging
class EditProductReleaseFile(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IProductReleaseFile
def checkAuthenticated(self, user):
return EditProductRelease(self.obj.productrelease).checkAuthenticated(
user)
class ViewTimelineProductSeries(AnonymousAuthorization):
"""Anyone can view an ITimelineProductSeries."""
usedfor = ITimelineProductSeries
class ViewProductReleaseFile(AnonymousAuthorization):
"""Anyone can view an IProductReleaseFile."""
usedfor = IProductReleaseFile
class AdminDistributionMirrorByDistroOwnerOrMirrorAdminsOrAdmins(
AuthorizationBase):
permission = 'launchpad.Admin'
usedfor = IDistributionMirror
def checkAuthenticated(self, user):
return (user.isOwner(self.obj.distribution) or
user.in_admin or
user.inTeam(self.obj.distribution.mirror_admin))
class EditDistributionMirrorByOwnerOrDistroOwnerOrMirrorAdminsOrAdmins(
AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IDistributionMirror
def checkAuthenticated(self, user):
return (user.isOwner(self.obj) or user.in_admin or
user.isOwner(self.obj.distribution) or
user.inTeam(self.obj.distribution.mirror_admin))
class ViewDistributionMirror(AnonymousAuthorization):
"""Anyone can view an IDistributionMirror."""
usedfor = IDistributionMirror
class ViewMilestone(AnonymousAuthorization):
"""Anyone can view an IMilestone."""
usedfor = IMilestone
class EditSpecificationBranch(AuthorizationBase):
usedfor = ISpecificationBranch
permission = 'launchpad.Edit'
def checkAuthenticated(self, user):
"""See `IAuthorization.checkAuthenticated`.
:return: True or False.
"""
return True
class ViewSpecificationBranch(EditSpecificationBranch):
permission = 'launchpad.View'
def checkUnauthenticated(self):
"""See `IAuthorization.checkUnauthenticated`.
:return: True or False.
"""
return True
class AnonymousAccessToISpecificationPublic(AnonymousAuthorization):
"""Anonymous users have launchpad.View on ISpecificationPublic.
This is only needed because lazr.restful is hard-coded to check that
permission before returning things in a collection.
"""
permission = 'launchpad.View'
usedfor = ISpecificationPublic
class EditSpecificationByRelatedPeople(AuthorizationBase):
"""We want everybody "related" to a specification to be able to edit it.
You are related if you have a role on the spec, or if you have a role on
the spec target (distro/product) or goal (distroseries/productseries).
"""
permission = 'launchpad.Edit'
usedfor = ISpecification
def checkAuthenticated(self, user):
assert self.obj.target
goal = self.obj.goal
if goal is not None:
if user.isOwner(goal) or user.isOneOfDrivers(goal):
return True
return (user.in_admin or
user.isOwner(self.obj.target) or
user.isOneOfDrivers(self.obj.target) or
user.isOneOf(
self.obj, ['owner', 'drafter', 'assignee', 'approver']))
class AdminSpecification(AuthorizationBase):
permission = 'launchpad.Admin'
usedfor = ISpecification
def checkAuthenticated(self, user):
assert self.obj.target
return (user.isOwner(self.obj.target) or
user.isOneOfDrivers(self.obj.target) or
user.in_admin)
class DriverSpecification(AuthorizationBase):
permission = 'launchpad.Driver'
usedfor = ISpecification
def checkAuthenticated(self, user):
# If no goal is proposed for the spec then there can be no
# drivers for it - we use launchpad.Driver on a spec to decide
# if the person can see the page which lets you decide whether
# to accept the goal, and if there is no goal then this is
# extremely difficult to do :-)
return (
self.obj.goal and
self.forwardCheckAuthenticated(user, self.obj.goal))
class EditSprintSpecification(AuthorizationBase):
"""The sprint owner or driver can say what makes it onto the agenda for
the sprint.
"""
permission = 'launchpad.Driver'
usedfor = ISprintSpecification
def checkAuthenticated(self, user):
sprint = self.obj.sprint
return user.isOwner(sprint) or user.isDriver(sprint) or user.in_admin
class DriveSprint(AuthorizationBase):
"""The sprint owner or driver can say what makes it onto the agenda for
the sprint.
"""
permission = 'launchpad.Driver'
usedfor = ISprint
def checkAuthenticated(self, user):
return (user.isOwner(self.obj) or
user.isDriver(self.obj) or
user.in_admin)
class Sprint(AuthorizationBase):
"""An attendee, owner, or driver of a sprint."""
permission = 'launchpad.View'
usedfor = ISprint
def checkAuthenticated(self, user):
return (user.isOwner(self.obj) or
user.isDriver(self.obj) or
user.person in [attendance.attendee
for attendance in self.obj.attendances] or
user.in_admin)
class EditSpecificationSubscription(AuthorizationBase):
"""The subscriber, and people related to the spec or the target of the
spec can determine who is essential."""
permission = 'launchpad.Edit'
usedfor = ISpecificationSubscription
def checkAuthenticated(self, user):
if self.obj.specification.goal is not None:
if user.isOneOfDrivers(self.obj.specification.goal):
return True
else:
if user.isOneOfDrivers(self.obj.specification.target):
return True
return (user.inTeam(self.obj.person) or
user.isOneOf(
self.obj.specification,
['owner', 'drafter', 'assignee', 'approver']) or
user.in_admin)
class OnlyRosettaExpertsAndAdmins(AuthorizationBase):
"""Base class that allow access to Rosetta experts and Launchpad admins.
"""
def checkAuthenticated(self, user):
"""Allow Launchpad's admins and Rosetta experts edit all fields."""
return user.in_admin or user.in_rosetta_experts
class AdminProjectTranslations(AuthorizationBase):
permission = 'launchpad.TranslationsAdmin'
usedfor = IProjectGroup
def checkAuthenticated(self, user):
"""Is the user able to manage `IProjectGroup` translations settings?
Any Launchpad/Launchpad Translations administrator or owner is
able to change translation settings for a project group.
"""
return (user.isOwner(self.obj) or
user.in_rosetta_experts or
user.in_admin)
class AdminProductTranslations(AuthorizationBase):
permission = 'launchpad.TranslationsAdmin'
usedfor = IProduct
def checkAuthenticated(self, user):
"""Is the user able to manage `IProduct` translations settings?
Any Launchpad/Launchpad Translations administrator or owners are
able to change translation settings for a product.
"""
return (user.isOwner(self.obj) or
user.isOneOfDrivers(self.obj) or
user.in_rosetta_experts or
user.in_admin)
class EditProjectMilestoneNever(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IProjectGroupMilestone
def checkAuthenticated(self, user):
"""IProjectGroupMilestone is a fake content object."""
return False
class EditMilestoneByTargetOwnerOrAdmins(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IMilestone
def checkAuthenticated(self, user):
"""Authorize the product or distribution owner."""
if user.in_admin:
return True
if (self.obj.series_target is not None
and user.isDriver(self.obj.series_target)):
# The user is a release manager.
# XXX sinzui 2009-07-18 bug=40978: The series_target should never
# be None, but Milestones in the production DB are like this.
return True
return user.isOwner(self.obj.target)
class AdminMilestoneByLaunchpadAdmins(AuthorizationBase):
permission = 'launchpad.Admin'
usedfor = IMilestone
def checkAuthenticated(self, user):
"""Only the Launchpad admins need this, we are only going to use
it for connecting up series and distroseries where we did not
have them.
"""
return user.in_admin
class ModeratePersonSetByExpertsOrAdmins(ModerateByRegistryExpertsOrAdmins):
permission = 'launchpad.Moderate'
usedfor = IPersonSet
class EditTeamByTeamOwnerOrLaunchpadAdmins(AuthorizationBase):
permission = 'launchpad.Owner'
usedfor = ITeam
def checkAuthenticated(self, user):
"""Only the team owner and Launchpad admins need this.
"""
return user.inTeam(self.obj.teamowner) or user.in_admin
class EditTeamByTeamOwnerOrTeamAdminsOrAdmins(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = ITeam
def checkAuthenticated(self, user):
"""The team owner and team admins have launchpad.Edit on that team.
The Launchpad admins also have launchpad.Edit on all teams.
"""
return can_edit_team(self.obj, user)
class ModerateTeam(ModerateByRegistryExpertsOrAdmins):
permission = 'launchpad.Moderate'
usedfor = ITeam
def checkAuthenticated(self, user):
"""Is the user a privileged team member or Launchpad staff?
Return true when the user is a member of Launchpad admins,
registry experts, team admins, or the team owners.
"""
return (
super(ModerateTeam, self).checkAuthenticated(user)
or can_edit_team(self.obj, user))
class EditTeamMembershipByTeamOwnerOrTeamAdminsOrAdmins(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = ITeamMembership
def checkAuthenticated(self, user):
return can_edit_team(self.obj.team, user)
# XXX: 2008-08-01, salgado: At some point we should protect ITeamMembership
# with launchpad.View so that this adapter is used. For now, though, it's
# going to be used only on the webservice (which explicitly checks for
# launchpad.View) so that we don't leak memberships of private teams.
class ViewTeamMembership(AuthorizationBase):
permission = 'launchpad.View'
usedfor = ITeamMembership
def checkUnauthenticated(self):
"""Unauthenticated users can only view public memberships."""
return self.obj.team.visibility == PersonVisibility.PUBLIC
def checkAuthenticated(self, user):
"""Verify that the user can view the team's membership.
Anyone can see a public team's membership. Only a team member or
commercial admin or a Launchpad admin can view a private team.
"""
if self.obj.team.visibility == PersonVisibility.PUBLIC:
return True
if (user.in_admin or user.in_commercial_admin
or user.inTeam(self.obj.team)):
return True
return False
class EditPersonBySelfOrAdmins(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IPerson
def checkAuthenticated(self, user):
"""A user can edit the Person who is herself.
The admin team can also edit any Person.
"""
return self.obj.id == user.person.id or user.in_admin
class EditTranslationsPersonByPerson(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = ITranslationsPerson
def checkAuthenticated(self, user):
person = self.obj.person
return person == user.person or user.in_admin
class ViewPersonLocation(AuthorizationBase):
permission = 'launchpad.View'
usedfor = IPersonLocation
def checkUnauthenticated(self):
return self.obj.visible
def checkAuthenticated(self, user):
if self.obj.visible:
return True
else:
return user.person == self.obj.person or user.in_admin
class EditPersonBySelf(AuthorizationBase):
permission = 'launchpad.Special'
usedfor = IPerson
def checkAuthenticated(self, user):
"""A user can edit the Person who is herself."""
return self.obj.id == user.person.id
class ViewPublicOrPrivateTeamMembers(AuthorizationBase):
"""Restrict viewing of private teams.
Only members of a private team can view the
membership list.
"""
permission = 'launchpad.View'
usedfor = IPerson
def checkUnauthenticated(self):
"""Unauthenticated users can only view public memberships."""
if self.obj.visibility == PersonVisibility.PUBLIC:
return True
return False
def checkAuthenticated(self, user):
"""Verify that the user can view the team's membership.
Anyone can see a public team's membership. Only a team member,
commercial admin, or a Launchpad admin can view a private team's
members.
"""
if self.obj.visibility == PersonVisibility.PUBLIC:
return True
if user.in_admin or user.in_commercial_admin or user.inTeam(self.obj):
return True
# Private team owners have visibility.
if self.obj.is_team and user.inTeam(self.obj.teamowner):
return True
# We also grant visibility of the private team to administrators of
# other teams that have been invited to join the private team.
for invitee in self.obj.invited_members:
if (invitee.is_team and
invitee in user.person.getAdministratedTeams()):
return True
return False
class PublicOrPrivateTeamsExistence(AuthorizationBase):
"""Restrict knowing about private teams' existence.
Knowing the existence of a private team allow traversing to its URL and
displaying basic information like name, displayname.
"""
permission = 'launchpad.LimitedView'
usedfor = IPersonLimitedView
def checkUnauthenticated(self):
"""Unauthenticated users can only view public teams."""
if self.obj.visibility == PersonVisibility.PUBLIC:
return True
return False
def checkAuthenticated(self, user):
"""By default, we simply perform a View permission check.
We also grant limited viewability to users who can see PPAs and
branches owned by the team. In other scenarios, the context in which
the permission is required is responsible for pre-caching the
launchpad.LimitedView permission on each team which requires it.
"""
if self.forwardCheckAuthenticated(
user, self.obj, 'launchpad.View'):
return True
if (self.obj.is_team
and self.obj.visibility == PersonVisibility.PRIVATE):
# Grant visibility to people with subscriptions on a private
# team's private PPA.
subscriptions = getUtility(
IArchiveSubscriberSet).getBySubscriber(user.person)
subscriber_archive_ids = set(
sub.archive.id for sub in subscriptions)
team_ppa_ids = set(
ppa.id for ppa in self.obj.ppas if ppa.private)
if len(subscriber_archive_ids.intersection(team_ppa_ids)) > 0:
return True
# Grant visibility to people who can see branches owned by the
# private team.
team_branches = IBranchCollection(self.obj)
if team_branches.visibleByUser(user.person).count() > 0:
return True
# Grant visibility to people who can see branches subscribed to
# by the private team.
team_branches = getUtility(IAllBranches).subscribedBy(self.obj)
if team_branches.visibleByUser(user.person).count() > 0:
return True
# Grant visibility to branches visible to the user and which have
# review requests for the private team.
branches = getUtility(IAllBranches)
visible_branches = branches.visibleByUser(user.person)
mp = visible_branches.getMergeProposalsForReviewer(self.obj)
if mp.count() > 0:
return True
# There are a number of other conditions under which a private
# team may be visible. These are:
# - All blueprints are public, so if the team is subscribed to
# any blueprints, they are in a public role and hence visible.
# - If the team is directly subscribed or assigned to any bugs
# the user can see, the team should be visible.
#
# For efficiency, we do not want to perform several
# TeamParticipation joins and we only want to do the user visible
# bug filtering once. We use a With statement for the team
# participation check. For the bug query, we first filter on team
# association (subscribed to, assigned to etc) and then on user
# visibility.
# The extra checks may be expensive so we'll use a feature flag.
extra_checks_enabled = bool(getFeatureFlag(
'disclosure.extra_private_team_LimitedView_security.enabled'))
if not extra_checks_enabled:
return False
store = IStore(Person)
team_bugs_visible_select = """
SELECT bug_id FROM (
-- The direct team bug subscriptions
SELECT BugSubscription.bug as bug_id
FROM BugSubscription
WHERE BugSubscription.person IN
(SELECT team FROM teams)
UNION
-- The bugs assigned to the team
SELECT BugTask.bug as bug_id
FROM BugTask
WHERE BugTask.assignee IN (SELECT team FROM teams)
) as TeamBugs
"""
user_private_bugs_visible_filter = get_bug_privacy_filter(
user.person, private_only=True)
query = """
SELECT TRUE WHERE
EXISTS (
WITH teams AS (
SELECT team from TeamParticipation
WHERE person = %(personid)s
)
-- The team blueprint subscriptions
SELECT 1
FROM SpecificationSubscription
WHERE SpecificationSubscription.person IN
(SELECT team FROM teams)
UNION ALL
-- Find the bugs associated with the team and filter by
-- those that are visible to the user.
-- Public bugs are simple to check and always visible so
-- do those first.
%(team_bug_select)s
WHERE bug_id in (
SELECT Bug.id FROM Bug WHERE Bug.private is FALSE
)
UNION ALL
-- Now do the private bugs the user can see.
%(team_bug_select)s
WHERE bug_id in (
SELECT Bug.id FROM Bug WHERE %(user_bug_filter)s
)
)
""" % dict(
personid=quote(self.obj.id),
team_bug_select=team_bugs_visible_select,
user_bug_filter=user_private_bugs_visible_filter)
rs = store.execute(query)
if rs.rowcount > 0:
return True
return False
class EditPollByTeamOwnerOrTeamAdminsOrAdmins(
EditTeamMembershipByTeamOwnerOrTeamAdminsOrAdmins):
permission = 'launchpad.Edit'
usedfor = IPoll
class EditPollSubsetByTeamOwnerOrTeamAdminsOrAdmins(
EditPollByTeamOwnerOrTeamAdminsOrAdmins):
permission = 'launchpad.Edit'
usedfor = IPollSubset
class EditPollOptionByTeamOwnerOrTeamAdminsOrAdmins(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IPollOption
def checkAuthenticated(self, user):
return can_edit_team(self.obj.poll.team, user)
class AdminDistribution(AdminByAdminsTeam):
"""Soyuz involves huge chunks of data in the archive and librarian,
so for the moment we are locking down admin and edit on distributions
and distroseriess to the Launchpad admin team."""
permission = 'launchpad.Admin'
usedfor = IDistribution
class EditDistributionByDistroOwnersOrAdmins(AuthorizationBase):
"""The owner of a distribution should be able to edit its
information; it is mainly administrative data, such as bug
contacts. Note that creation of new distributions and distribution
series is still protected with launchpad.Admin"""
permission = 'launchpad.Edit'
usedfor = IDistribution
def checkAuthenticated(self, user):
return user.isOwner(self.obj) or user.in_admin
class ModerateDistributionByDriversOrOwnersOrAdmins(AuthorizationBase):
"""Distribution drivers, owners, and admins may plan releases.
Drivers of `IDerivativeDistribution`s can create series. Owners and
admins can create series for all `IDistribution`s.
"""
permission = 'launchpad.Moderate'
usedfor = IDistribution
def checkAuthenticated(self, user):
if user.isDriver(self.obj) and not self.obj.full_functionality:
# Drivers of derivative distributions can create a series that
# they will be the release manager for.
return True
return user.isOwner(self.obj) or user.in_admin
class BugSuperviseDistributionSourcePackage(AuthorizationBase):
"""The owner of a distribution should be able to edit its source
package information"""
permission = 'launchpad.BugSupervisor'
usedfor = IDistributionSourcePackage
def checkAuthenticated(self, user):
return (user.inTeam(self.obj.distribution.bug_supervisor) or
user.inTeam(self.obj.distribution.owner) or
user.in_admin)
class EditDistributionSourcePackage(AuthorizationBase):
"""DistributionSourcePackage is not editable.
But EditStructuralSubscription needs launchpad.Edit defined on all
targets.
"""
permission = 'launchpad.Edit'
usedfor = IDistributionSourcePackage
class EditProductOfficialBugTagsByOwnerOrBugSupervisorOrAdmins(
AuthorizationBase):
"""Product's owner and bug supervisor can set official bug tags."""
permission = 'launchpad.BugSupervisor'
usedfor = IOfficialBugTagTargetRestricted
def checkAuthenticated(self, user):
return (user.inTeam(self.obj.bug_supervisor) or
user.inTeam(self.obj.owner) or
user.in_admin)
class NominateBugForProductSeries(AuthorizationBase):
"""Product's owners and bug supervisors can add bug nominations."""
permission = 'launchpad.BugSupervisor'
usedfor = IProductSeries
def checkAuthenticated(self, user):
return (user.inTeam(self.obj.product.bug_supervisor) or
user.inTeam(self.obj.product.owner) or
user.in_admin)
class NominateBugForDistroSeries(AuthorizationBase):
"""Distro's owners and bug supervisors can add bug nominations."""
permission = 'launchpad.BugSupervisor'
usedfor = IDistroSeries
def checkAuthenticated(self, user):
return (user.inTeam(self.obj.distribution.bug_supervisor) or
user.inTeam(self.obj.distribution.owner) or
user.in_admin)
class AdminDistroSeries(AdminByAdminsTeam):
"""Soyuz involves huge chunks of data in the archive and librarian,
so for the moment we are locking down admin and edit on distributions
and distroseriess to the Launchpad admin team.
NB: Please consult with SABDFL before modifying this permission because
changing it could cause the archive to get rearranged, with tons of
files moved to the new namespace, and mirrors would get very very
upset. Then James T would be on your case.
"""
permission = 'launchpad.Admin'
usedfor = IDistroSeries
class EditDistroSeriesByReleaseManagerOrDistroOwnersOrAdmins(
AuthorizationBase):
"""The owner of the distro series (i.e. the owner of the distribution)
should be able to modify some of the fields on the IDistroSeries
NB: there is potential for a great mess if this is not done correctly so
please consult with Kiko and MDZ on the mailing list before modifying
these permissions.
"""
permission = 'launchpad.Edit'
usedfor = IDistroSeries
def checkAuthenticated(self, user):
if (user.inTeam(self.obj.driver)
and not self.obj.distribution.full_functionality):
# The series driver (release manager) may edit a series if the
# distribution is an `IDerivativeDistribution`
return True
return (user.inTeam(self.obj.distribution.owner) or
user.in_admin)
class ViewDistroSeries(AnonymousAuthorization):
"""Anyone can view a DistroSeries."""
usedfor = IDistroSeries
class EditDistroSeriesParent(AuthorizationBase):
"""DistroSeriesParent can be edited by the same people who can edit
the derived_distroseries."""
permission = "launchpad.Edit"
usedfor = IDistroSeriesParent
def checkAuthenticated(self, user):
auth = EditDistroSeriesByReleaseManagerOrDistroOwnersOrAdmins(
self.obj.derived_series)
return auth.checkAuthenticated(user)
class ViewCountry(AnonymousAuthorization):
"""Anyone can view a Country."""
usedfor = ICountry
class AdminDistroSeriesDifference(AuthorizationBase):
"""You need to be an archive admin or LP admin to get lp.Admin."""
permission = 'launchpad.Admin'
usedfor = IDistroSeriesDifferenceAdmin
def checkAuthenticated(self, user):
# Archive admin is done by component, so here we just
# see if the user has that permission on any components
# at all.
archive = self.obj.derived_series.main_archive
return bool(
archive.getComponentsForQueueAdmin(user.person)) or user.in_admin
class EditDistroSeriesDifference(DelegatedAuthorization):
"""Anyone with lp.View on the distribution can edit a DSD."""
permission = 'launchpad.Edit'
usedfor = IDistroSeriesDifferenceEdit
def __init__(self, obj):
super(EditDistroSeriesDifference, self).__init__(
obj, obj.derived_series.distribution, 'launchpad.View')
def checkUnauthenticated(self):
return False
class SeriesDrivers(AuthorizationBase):
"""Drivers can approve or decline features and target bugs.
Drivers exist for distribution and product series. Distribution and
product owners are implicitly drivers too.
"""
permission = 'launchpad.Driver'
usedfor = IHasDrivers
def checkAuthenticated(self, user):
return self.obj.personHasDriverRights(user)
class ViewProductSeries(AnonymousAuthorization):
usedfor = IProductSeries
class EditProductSeries(EditByOwnersOrAdmins):
usedfor = IProductSeries
def checkAuthenticated(self, user):
"""Allow product owner, some experts, or admins."""
if (user.inTeam(self.obj.product.owner) or
user.inTeam(self.obj.driver)):
# The user is the owner of the product, or the release manager.
return True
# Rosetta experts need to be able to upload translations.
# Registry admins are just special.
if (user.in_registry_experts or
user.in_rosetta_experts):
return True
return EditByOwnersOrAdmins.checkAuthenticated(self, user)
class ViewDistroArchSeries(AnonymousAuthorization):
"""Anyone can view a DistroArchSeries."""
usedfor = IDistroArchSeries
class ViewAnnouncement(AuthorizationBase):
permission = 'launchpad.View'
usedfor = IAnnouncement
def checkUnauthenticated(self):
"""Let anonymous users see published announcements."""
if self.obj.published:
return True
return False
def checkAuthenticated(self, user):
"""Keep project news invisible to end-users unless they are project
admins, until the announcements are published."""
# Every user can view published announcements.
if self.obj.published:
return True
# Project drivers can view any project announcements.
# Launchpad admins can view any announcement.
assert self.obj.target
return (user.isOneOfDrivers(self.obj.target) or
user.isOwner(self.obj.target) or
user.in_admin)
class EditAnnouncement(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IAnnouncement
def checkAuthenticated(self, user):
"""Allow the project owner and drivers to edit any project news."""
assert self.obj.target
return (user.isOneOfDrivers(self.obj.target) or
user.isOwner(self.obj.target) or
user.in_admin)
class EditStructuralSubscription(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IStructuralSubscription
def checkAuthenticated(self, user):
"""Who can edit StructuralSubscriptions."""
assert self.obj.target
# Removal of a target cascades removals to StructuralSubscriptions,
# so we need to allow editing to those who can edit the target itself.
can_edit_target = self.forwardCheckAuthenticated(
user, self.obj.target)
# Who is actually allowed to edit a subscription is determined by
# a helper method on the model.
can_edit_subscription = self.obj.target.userCanAlterSubscription(
self.obj.subscriber, user.person)
return (can_edit_target or can_edit_subscription)
class UseApiDoc(AuthorizationBase):
"""This is just to please apidoc.launchpad.dev."""
permission = 'zope.app.apidoc.UseAPIDoc'
usedfor = Interface
def checkUnauthenticated(self):
# We only want this permission to work at all for devmode.
return config.devmode
def checkAuthenticated(self, user):
# We only want this permission to work at all for devmode.
return config.devmode
class ManageApplicationForEverybody(UseApiDoc):
"""This is just to please apidoc.launchpad.dev.
We do this because zope.app.apidoc uses that permission, but nothing else
should be using it.
"""
permission = 'zope.ManageApplication'
usedfor = Interface
class ZopeViewForEverybody(UseApiDoc):
"""This is just to please apidoc.launchpad.dev.
We do this because zope.app.apidoc uses that permission, but nothing else
should be using it.
"""
permission = 'zope.View'
usedfor = Interface
class OnlyBazaarExpertsAndAdmins(AuthorizationBase):
"""Base class that allows only the Launchpad admins and Bazaar
experts."""
def checkAuthenticated(self, user):
return user.in_admin
class OnlyVcsImportsAndAdmins(AuthorizationBase):
"""Base class that allows only the Launchpad admins and VCS Imports
experts."""
def checkAuthenticated(self, user):
return user.in_admin or user.in_vcs_imports
class EditCodeImport(OnlyVcsImportsAndAdmins):
"""Control who can edit the object view of a CodeImport.
Currently, we restrict the visibility of the new code import
system to members of ~vcs-imports and Launchpad admins.
"""
permission = 'launchpad.Edit'
usedfor = ICodeImport
class SeeCodeImportJobSet(OnlyVcsImportsAndAdmins):
"""Control who can see the CodeImportJobSet utility.
Currently, we restrict the visibility of the new code import
system to members of ~vcs-imports and Launchpad admins.
"""
permission = 'launchpad.View'
usedfor = ICodeImportJobSet
class EditCodeImportJobWorkflow(OnlyVcsImportsAndAdmins):
"""Control who can use the CodeImportJobWorkflow utility.
Currently, we restrict the visibility of the new code import
system to members of ~vcs-imports and Launchpad admins.
"""
permission = 'launchpad.Edit'
usedfor = ICodeImportJobWorkflow
class EditCodeImportMachine(OnlyBazaarExpertsAndAdmins):
"""Control who can edit the object view of a CodeImportMachine.
Access is restricted to Launchpad admins.
"""
permission = 'launchpad.Edit'
usedfor = ICodeImportMachine
class AdminSourcePackageRecipeBuilds(AuthorizationBase):
"""Control who can edit SourcePackageRecipeBuilds.
Access is restricted to Buildd Admins.
"""
permission = 'launchpad.Admin'
usedfor = ISourcePackageRecipeBuild
def checkAuthenticated(self, user):
return user.in_buildd_admin
class EditBranchMergeQueue(AuthorizationBase):
"""Control who can edit a BranchMergeQueue.
Access is granted only to the owner of the queue.
"""
permission = 'launchpad.Edit'
usedfor = IBranchMergeQueue
def checkAuthenticated(self, user):
return user.isOwner(self.obj)
class AdminDistributionTranslations(AuthorizationBase):
"""Class for deciding who can administer distribution translations.
This class is used for `launchpad.TranslationsAdmin` privilege on
`IDistribution` and `IDistroSeries` and corresponding `IPOTemplate`s,
and limits access to Rosetta experts, Launchpad admins and distribution
translation group owner.
"""
permission = 'launchpad.TranslationsAdmin'
usedfor = IDistribution
def checkAuthenticated(self, user):
"""Is the user able to manage `IDistribution` translations settings?
Any Launchpad/Launchpad Translations administrator, translation group
owner or a person allowed to edit distribution details is able to
change translations settings for a distribution.
"""
# Translation group owner for a distribution is also a
# translations administrator for it.
translation_group = self.obj.translationgroup
if translation_group and user.inTeam(translation_group.owner):
return True
else:
return (user.in_rosetta_experts or
EditDistributionByDistroOwnersOrAdmins(
self.obj).checkAuthenticated(user))
class ViewPOTemplates(AnonymousAuthorization):
"""Anyone can view an IPOTemplate."""
usedfor = IPOTemplate
class AdminPOTemplateDetails(OnlyRosettaExpertsAndAdmins):
"""Controls administration of an `IPOTemplate`.
Allow all persons that can also administer the translations to
which this template belongs to and also translation group owners.
Product owners does not have administrative privileges.
"""
permission = 'launchpad.Admin'
usedfor = IPOTemplate
def checkAuthenticated(self, user):
template = self.obj
if user.in_rosetta_experts or user.in_admin:
return True
if template.distroseries is not None:
# Template is on a distribution.
return (
self.forwardCheckAuthenticated(user, template.distroseries,
'launchpad.TranslationsAdmin'))
else:
# Template is on a product.
return False
class EditPOTemplateDetails(AuthorizationBase):
permission = 'launchpad.TranslationsAdmin'
usedfor = IPOTemplate
def checkAuthenticated(self, user):
template = self.obj
if template.distroseries is not None:
# Template is on a distribution.
return (
user.isOwner(template) or
self.forwardCheckAuthenticated(user, template.distroseries))
else:
# Template is on a product.
return (
user.isOwner(template) or
self.forwardCheckAuthenticated(user, template.productseries))
class AddPOTemplate(OnlyRosettaExpertsAndAdmins):
permission = 'launchpad.Append'
usedfor = IProductSeries
class ViewPOFile(AnonymousAuthorization):
"""Anyone can view an IPOFile."""
usedfor = IPOFile
class EditPOFile(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IPOFile
def checkAuthenticated(self, user):
"""The `POFile` itself keeps track of this permission."""
return self.obj.canEditTranslations(user.person)
class AdminTranslator(OnlyRosettaExpertsAndAdmins):
permission = 'launchpad.Admin'
usedfor = ITranslator
def checkAuthenticated(self, user):
"""Allow the owner of a translation group to edit the translator
of any language in the group."""
return (user.inTeam(self.obj.translationgroup.owner) or
OnlyRosettaExpertsAndAdmins.checkAuthenticated(self, user))
class EditTranslator(OnlyRosettaExpertsAndAdmins):
permission = 'launchpad.Edit'
usedfor = IEditTranslator
def checkAuthenticated(self, user):
"""Allow the translator and the group owner to edit parts of
the translator entry."""
return (user.inTeam(self.obj.translator) or
user.inTeam(self.obj.translationgroup.owner) or
OnlyRosettaExpertsAndAdmins.checkAuthenticated(self, user))
class EditTranslationGroup(OnlyRosettaExpertsAndAdmins):
permission = 'launchpad.Edit'
usedfor = ITranslationGroup
def checkAuthenticated(self, user):
"""Allow the owner of a translation group to edit the translator
of any language in the group."""
return (user.inTeam(self.obj.owner) or
OnlyRosettaExpertsAndAdmins.checkAuthenticated(self, user))
class EditTranslationGroupSet(OnlyRosettaExpertsAndAdmins):
permission = 'launchpad.Admin'
usedfor = ITranslationGroupSet
class DownloadFullSourcePackageTranslations(OnlyRosettaExpertsAndAdmins):
"""Restrict full `SourcePackage` translation downloads.
Experience shows that the export queue can easily get swamped by
large export requests. Email leads us to believe that many of the
users making these requests are looking for language packs, or for
individual translations rather than the whole package. That's why
this class defines who is allowed to make those requests.
"""
permission = 'launchpad.ExpensiveRequest'
usedfor = ISourcePackage
def _userInAnyOfTheTeams(self, user, archive_permissions):
if archive_permissions is None or len(archive_permissions) == 0:
return False
for permission in archive_permissions:
if user.inTeam(permission.person):
return True
return False
def checkAuthenticated(self, user):
"""Define who may download these translations.
Admins and Translations admins have access, as does the owner of
the translation group (if applicable) and distribution uploaders.
"""
distribution = self.obj.distribution
translation_group = distribution.translationgroup
return (
# User is admin of some relevant kind.
OnlyRosettaExpertsAndAdmins.checkAuthenticated(self, user) or
# User is part of the 'driver' team for the distribution.
(self._userInAnyOfTheTeams(user, distribution.uploaders)) or
# User is owner of applicable translation group.
(translation_group is not None and
user.inTeam(translation_group.owner)))
class EditProductRelease(EditByOwnersOrAdmins):
permission = 'launchpad.Edit'
usedfor = IProductRelease
def checkAuthenticated(self, user):
if (user.inTeam(self.obj.productseries.owner) or
user.inTeam(self.obj.productseries.product.owner) or
user.inTeam(self.obj.productseries.driver)):
# The user is an owner or a release manager.
return True
return EditByOwnersOrAdmins.checkAuthenticated(
self, user)
class ViewProductRelease(AnonymousAuthorization):
usedfor = IProductRelease
class AdminTranslationImportQueueEntry(AuthorizationBase):
permission = 'launchpad.Admin'
usedfor = ITranslationImportQueueEntry
def checkAuthenticated(self, user):
if self.obj.distroseries is not None:
series = self.obj.distroseries
else:
series = self.obj.productseries
return (
self.forwardCheckAuthenticated(user, series,
'launchpad.TranslationsAdmin'))
class EditTranslationImportQueueEntry(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = ITranslationImportQueueEntry
def checkAuthenticated(self, user):
"""Anyone who can admin an entry, plus its owner or the owner of the
product or distribution, can edit it.
"""
return (self.forwardCheckAuthenticated(
user, self.obj, 'launchpad.Admin') or
user.inTeam(self.obj.importer))
class AdminTranslationImportQueue(OnlyRosettaExpertsAndAdmins):
permission = 'launchpad.Admin'
usedfor = ITranslationImportQueue
class EditPackageUploadQueue(AdminByAdminsTeam):
permission = 'launchpad.Edit'
usedfor = IPackageUploadQueue
def checkAuthenticated(self, user):
"""Check user presence in admins or distroseries upload admin team."""
if AdminByAdminsTeam.checkAuthenticated(self, user):
return True
permission_set = getUtility(IArchivePermissionSet)
permissions = permission_set.componentsForQueueAdmin(
self.obj.distroseries.distribution.all_distro_archives,
user.person)
return not permissions.is_empty()
class EditPlainPackageCopyJob(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IPlainPackageCopyJob
def checkAuthenticated(self, user):
archive = self.obj.target_archive
if archive.is_ppa:
return archive.checkArchivePermission(user.person)
permission_set = getUtility(IArchivePermissionSet)
permissions = permission_set.componentsForQueueAdmin(
archive, user.person)
return not permissions.is_empty()
class EditPackageUpload(AdminByAdminsTeam):
permission = 'launchpad.Edit'
usedfor = IPackageUpload
def checkAuthenticated(self, user):
"""Return True if user has an ArchivePermission or is an admin.
If it's a delayed-copy, check if the user can upload to its targeted
archive.
"""
if AdminByAdminsTeam.checkAuthenticated(self, user):
return True
if self.obj.is_delayed_copy:
archive_append = AppendArchive(self.obj.archive)
return archive_append.checkAuthenticated(user)
permission_set = getUtility(IArchivePermissionSet)
permissions = permission_set.componentsForQueueAdmin(
self.obj.archive, user.person)
if permissions.count() == 0:
return False
allowed_components = set(
permission.component for permission in permissions)
existing_components = self.obj.components
# The intersection of allowed_components and
# existing_components must be equal to existing_components
# to allow the operation to go ahead.
return (allowed_components.intersection(existing_components)
== existing_components)
class AdminByBuilddAdmin(AuthorizationBase):
permission = 'launchpad.Admin'
def checkAuthenticated(self, user):
"""Allow admins and buildd_admins."""
return user.in_buildd_admin or user.in_admin
class AdminBuilderSet(AdminByBuilddAdmin):
usedfor = IBuilderSet
class AdminBuilder(AdminByBuilddAdmin):
usedfor = IBuilder
class EditBuilder(AdminByBuilddAdmin):
permission = 'launchpad.Edit'
usedfor = IBuilder
class AdminBuildRecord(AdminByBuilddAdmin):
usedfor = IBuildFarmJob
class EditBuildFarmJob(AdminByBuilddAdmin):
permission = 'launchpad.Edit'
usedfor = IBuildFarmJob
class EditPackageBuild(EditBuildFarmJob):
usedfor = IPackageBuild
def checkAuthenticated(self, user):
"""Check if the user has access to edit the archive."""
if EditBuildFarmJob.checkAuthenticated(self, user):
return True
# If the user is in the owning team for the archive,
# then they have access to edit the builds.
# If it's a PPA or a copy archive only allow its owner.
return (self.obj.archive.owner and
user.inTeam(self.obj.archive.owner))
class EditBinaryPackageBuild(EditPackageBuild):
permission = 'launchpad.Edit'
usedfor = IBinaryPackageBuild
def checkAuthenticated(self, user):
"""Check write access for user and different kinds of archives.
Allow
* BuilddAdmins, for any archive.
* The PPA owner for PPAs
* users with upload permissions (for the respective distribution)
otherwise.
"""
if EditPackageBuild.checkAuthenticated(self, user):
return True
# Primary or partner section here: is the user in question allowed
# to upload to the respective component, packageset or package? Allow
# user to retry build if so.
# strict_component is True because the source package already exists,
# otherwise, how can they give it back?
check_perms = self.obj.archive.checkUpload(
user.person, self.obj.distro_series,
self.obj.source_package_release.sourcepackagename,
self.obj.current_component, self.obj.pocket,
strict_component=True)
return check_perms == None
class ViewBinaryPackageBuild(EditBinaryPackageBuild):
permission = 'launchpad.View'
# This code MUST match the logic in
# IBinaryPackageBuildSet.getBuildsForBuilder() otherwise users are
# likely to get 403 errors, or worse.
def checkAuthenticated(self, user):
"""Private restricts to admins and archive members."""
if not self.obj.archive.private:
# Anyone can see non-private archives.
return True
if user.inTeam(self.obj.archive.owner):
# Anyone in the PPA team gets the nod.
return True
# LP admins may also see it.
if user.in_admin:
return True
# If the permission check on the sourcepackagerelease for this
# build passes then it means the build can be released from
# privacy since the source package is published publicly.
# This happens when copy-package is used to re-publish a private
# package in the primary archive.
auth_spr = ViewSourcePackageRelease(self.obj.source_package_release)
if auth_spr.checkAuthenticated(user):
return True
# You're not a celebrity, get out of here.
return False
def checkUnauthenticated(self):
"""Unauthenticated users can see the build if it's not private."""
if not self.obj.archive.private:
return True
# See comment above.
auth_spr = ViewSourcePackageRelease(self.obj.source_package_release)
return auth_spr.checkUnauthenticated()
class ViewBuildFarmJobOld(AuthorizationBase):
"""Permission to view an `IBuildFarmJobOld`.
This permission is based entirely on permission to view the
associated `IBinaryPackageBuild` and/or `IBranch`.
"""
permission = 'launchpad.View'
usedfor = IBuildFarmJobOld
def _getBranch(self):
"""Get `IBranch` associated with this job, if any."""
if IBuildFarmBranchJob.providedBy(self.obj):
return self.obj.branch
else:
return None
def _getBuild(self):
"""Get `IPackageBuild` associated with this job, if any."""
if IBuildFarmBuildJob.providedBy(self.obj):
return self.obj.build
else:
return None
def _checkBuildPermission(self, user=None):
"""Check access to `IPackageBuild` for this job."""
permission = getAdapter(
self.obj.build, IAuthorization, self.permission)
if user is None:
return permission.checkUnauthenticated()
else:
return permission.checkAuthenticated(user)
def _checkAccess(self, user=None):
"""Unified access check for anonymous and authenticated users."""
branch = self._getBranch()
if branch is not None and not branch.visibleByUser(user):
return False
build = self._getBuild()
if build is not None and not self._checkBuildPermission(user):
return False
return True
checkAuthenticated = _checkAccess
checkUnauthenticated = _checkAccess
class SetQuestionCommentVisibility(AuthorizationBase):
permission = 'launchpad.Moderate'
usedfor = IQuestion
def checkAuthenticated(self, user):
"""Admins and registry admins can set bug comment visibility."""
return (user.in_admin or user.in_registry_experts)
class AdminQuestion(AdminByAdminsTeam):
permission = 'launchpad.Admin'
usedfor = IQuestion
def checkAuthenticated(self, user):
"""Allow only admins and owners of the question pillar target."""
context = self.obj.product or self.obj.distribution
return (AdminByAdminsTeam.checkAuthenticated(self, user) or
user.inTeam(context.owner))
class AppendQuestion(AdminQuestion):
permission = 'launchpad.Append'
usedfor = IQuestion
def checkAuthenticated(self, user):
"""Allow user who can administer the question and answer contacts."""
if AdminQuestion.checkAuthenticated(self, user):
return True
question_target = self.obj.target
if IDistributionSourcePackage.providedBy(question_target):
question_targets = (question_target, question_target.distribution)
else:
question_targets = (question_target, )
questions_person = IQuestionsPerson(user.person)
for target in questions_person.getDirectAnswerQuestionTargets():
if target in question_targets:
return True
for target in questions_person.getTeamAnswerQuestionTargets():
if target in question_targets:
return True
return False
class QuestionOwner(AuthorizationBase):
permission = 'launchpad.Owner'
usedfor = IQuestion
def checkAuthenticated(self, user):
"""Allow the question's owner."""
return user.inTeam(self.obj.owner)
class ViewQuestion(AnonymousAuthorization):
usedfor = IQuestion
class ViewQuestionMessage(AnonymousAuthorization):
usedfor = IQuestionMessage
class AppendFAQTarget(EditByOwnersOrAdmins):
permission = 'launchpad.Append'
usedfor = IFAQTarget
def checkAuthenticated(self, user):
"""Allow people with launchpad.Edit or an answer contact."""
if EditByOwnersOrAdmins.checkAuthenticated(self, user):
return True
if IQuestionTarget.providedBy(self.obj):
# Adapt QuestionTargets to FAQTargets to ensure the correct
# object is being examined; the implementers are not synonymous.
faq_target = IFAQTarget(self.obj)
questions_person = IQuestionsPerson(user.person)
for target in questions_person.getDirectAnswerQuestionTargets():
if IFAQTarget(target) == faq_target:
return True
for target in questions_person.getTeamAnswerQuestionTargets():
if IFAQTarget(target) == faq_target:
return True
return False
class EditFAQ(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IFAQ
def checkAuthenticated(self, user):
"""Everybody who has launchpad.Append on the FAQ target is allowed.
"""
return AppendFAQTarget(self.obj.target).checkAuthenticated(user)
def can_edit_team(team, user):
"""Return True if the given user has edit rights for the given team."""
if user.in_admin:
return True
else:
return team in user.person.getAdministratedTeams()
class ViewNameBlacklist(EditByRegistryExpertsOrAdmins):
permission = 'launchpad.View'
usedfor = INameBlacklist
class EditNameBlacklist(EditByRegistryExpertsOrAdmins):
permission = 'launchpad.Edit'
usedfor = INameBlacklist
class ViewNameBlacklistSet(EditByRegistryExpertsOrAdmins):
permission = 'launchpad.View'
usedfor = INameBlacklistSet
class EditNameBlacklistSet(EditByRegistryExpertsOrAdmins):
permission = 'launchpad.Edit'
usedfor = INameBlacklistSet
class ViewLanguageSet(AnonymousAuthorization):
"""Anyone can view an ILangaugeSet."""
usedfor = ILanguageSet
class AdminLanguageSet(OnlyRosettaExpertsAndAdmins):
permission = 'launchpad.Admin'
usedfor = ILanguageSet
class ViewLanguage(AnonymousAuthorization):
"""Anyone can view an ILangauge."""
usedfor = ILanguage
class AdminLanguage(OnlyRosettaExpertsAndAdmins):
permission = 'launchpad.Admin'
usedfor = ILanguage
class AdminCustomLanguageCode(AuthorizationBase):
"""Controls administration for a custom language code.
Whoever can admin a product's or distribution's translations can also
admin the custom language codes for it.
"""
permission = 'launchpad.TranslationsAdmin'
usedfor = ICustomLanguageCode
def checkAuthenticated(self, user):
if self.obj.product is not None:
return AdminProductTranslations(
self.obj.product).checkAuthenticated(user)
else:
return AdminDistributionTranslations(
self.obj.distribution).checkAuthenticated(user)
class AccessBranch(AuthorizationBase):
"""Controls visibility of branches.
A person can see the branch if the branch is public, they are the owner
of the branch, they are in the team that owns the branch, subscribed to
the branch, or a launchpad administrator.
"""
permission = 'launchpad.View'
usedfor = IBranch
def checkAuthenticated(self, user):
return self.obj.visibleByUser(user.person)
def checkUnauthenticated(self):
return self.obj.visibleByUser(None)
class EditBranch(AuthorizationBase):
"""The owner or admins can edit branches."""
permission = 'launchpad.Edit'
usedfor = IBranch
def checkAuthenticated(self, user):
can_edit = (
user.inTeam(self.obj.owner) or
user_has_special_branch_access(user.person) or
can_upload_linked_package(user, self.obj))
if can_edit:
return True
# It used to be the case that all import branches were owned by the
# special, restricted team ~vcs-imports. For these legacy code import
# branches, we still want the code import registrant to be able to
# edit them. Similarly, we still want vcs-imports members to be able
# to edit those branches.
code_import = self.obj.code_import
if code_import is None:
return False
vcs_imports = getUtility(ILaunchpadCelebrities).vcs_imports
return (
user.in_vcs_imports
or (self.obj.owner == vcs_imports
and user.inTeam(code_import.registrant)))
def can_upload_linked_package(person_role, branch):
"""True if person may upload the package linked to `branch`."""
# No associated `ISuiteSourcePackage` data -> not an official branch.
# Abort.
ssp_list = branch.associatedSuiteSourcePackages()
if len(ssp_list) < 1:
return False
# XXX al-maisan, 2009-10-20: a branch may currently be associated with a
# number of (distroseries, sourcepackagename, pocket) combinations.
# This does not seem right. But until the database model is fixed we work
# around this by assuming that things are fine as long as we find at least
# one combination that allows us to upload the corresponding source
# package.
for ssp in ssp_list:
archive = ssp.sourcepackage.get_default_archive()
if archive.canUploadSuiteSourcePackage(person_role.person, ssp):
return True
return False
class AdminBranch(AuthorizationBase):
"""The admins can administer branches."""
permission = 'launchpad.Admin'
usedfor = IBranch
def checkAuthenticated(self, user):
return user.in_admin
class AdminDistroSeriesTranslations(AuthorizationBase):
permission = 'launchpad.TranslationsAdmin'
usedfor = IDistroSeries
def checkAuthenticated(self, user):
"""Is the user able to manage `IDistroSeries` translations.
Distribution translation managers and distribution series drivers
can manage IDistroSeries translations.
"""
return (user.isOneOfDrivers(self.obj) or
self.forwardCheckAuthenticated(user, self.obj.distribution))
class AdminDistributionSourcePackageTranslations(DelegatedAuthorization):
"""DistributionSourcePackage objects link to a distribution."""
permission = 'launchpad.TranslationsAdmin'
usedfor = IDistributionSourcePackage
def __init__(self, obj):
super(AdminDistributionSourcePackageTranslations, self).__init__(
obj, obj.distribution)
class AdminProductSeriesTranslations(AuthorizationBase):
permission = 'launchpad.TranslationsAdmin'
usedfor = IProductSeries
def checkAuthenticated(self, user):
"""Is the user able to manage `IProductSeries` translations."""
return (user.isOwner(self.obj) or
user.isOneOfDrivers(self.obj) or
self.forwardCheckAuthenticated(user, self.obj.product))
class BranchMergeProposalView(AuthorizationBase):
permission = 'launchpad.View'
usedfor = IBranchMergeProposal
@property
def branches(self):
required = [self.obj.source_branch, self.obj.target_branch]
if self.obj.prerequisite_branch:
required.append(self.obj.prerequisite_branch)
return required
def checkAuthenticated(self, user):
"""Is the user able to view the branch merge proposal?
The user can see a merge proposal if they can see the source, target
and prerequisite branches.
"""
return all(map(
lambda b: AccessBranch(b).checkAuthenticated(user),
self.branches))
def checkUnauthenticated(self):
"""Is anyone able to view the branch merge proposal?
Anyone can see a merge proposal between two public branches.
"""
return all(map(
lambda b: AccessBranch(b).checkUnauthenticated(),
self.branches))
class PreviewDiffView(DelegatedAuthorization):
permission = 'launchpad.View'
usedfor = IPreviewDiff
def __init__(self, obj):
super(PreviewDiffView, self).__init__(obj, obj.branch_merge_proposal)
class CodeReviewVoteReferenceEdit(DelegatedAuthorization):
permission = 'launchpad.Edit'
usedfor = ICodeReviewVoteReference
def __init__(self, obj):
super(CodeReviewVoteReferenceEdit, self).__init__(
obj, obj.branch_merge_proposal.target_branch)
def checkAuthenticated(self, user):
"""Only the affected teams may change the review request.
The registrant may reassign the request to another entity.
A member of the review team may assign it to themselves.
A person to whom it is assigned may delegate it to someone else.
Anyone with edit permissions on the target branch of the merge
proposal can also edit the reviews.
"""
return (user.inTeam(self.obj.reviewer) or
user.inTeam(self.obj.registrant) or
super(CodeReviewVoteReferenceEdit, self).checkAuthenticated(
user))
class CodeReviewCommentView(DelegatedAuthorization):
permission = 'launchpad.View'
usedfor = ICodeReviewComment
def __init__(self, obj):
super(CodeReviewCommentView, self).__init__(
obj, obj.branch_merge_proposal)
class CodeReviewCommentDelete(DelegatedAuthorization):
permission = 'launchpad.Edit'
usedfor = ICodeReviewCommentDeletion
def __init__(self, obj):
super(CodeReviewCommentDelete, self).__init__(
obj, obj.branch_merge_proposal)
class BranchMergeProposalEdit(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IBranchMergeProposal
def checkAuthenticated(self, user):
"""Is the user able to edit the branch merge request?
The user is able to edit if they are:
* the registrant of the merge proposal
* the owner of the source_branch
* the owner of the target_branch
* the reviewer for the target_branch
* an administrator
"""
return (user.inTeam(self.obj.registrant) or
user.inTeam(self.obj.source_branch.owner) or
self.forwardCheckAuthenticated(
user, self.obj.target_branch) or
user.inTeam(self.obj.target_branch.reviewer))
class ViewEntitlement(AuthorizationBase):
"""Permissions to view IEntitlement objects.
Allow the owner of the entitlement, the entitlement registrant,
or any member of the team or any admin to view the entitlement.
"""
permission = 'launchpad.View'
usedfor = IEntitlement
def checkAuthenticated(self, user):
"""Is the user able to view an Entitlement attribute?
Any team member can edit a branch subscription for their team.
Launchpad Admins can also edit any branch subscription.
"""
return (user.inTeam(self.obj.person) or
user.inTeam(self.obj.registrant) or
user.in_admin)
class AdminDistroSeriesLanguagePacks(
OnlyRosettaExpertsAndAdmins,
EditDistroSeriesByReleaseManagerOrDistroOwnersOrAdmins):
permission = 'launchpad.LanguagePacksAdmin'
usedfor = IDistroSeries
def checkAuthenticated(self, user):
"""Is the user able to manage `IDistroSeries` language packs?
Any Launchpad/Launchpad Translations administrator, people allowed to
edit distroseries or members of IDistribution.language_pack_admin team
are able to change the language packs available.
"""
EditDS = EditDistroSeriesByReleaseManagerOrDistroOwnersOrAdmins
return (
OnlyRosettaExpertsAndAdmins.checkAuthenticated(self, user) or
EditDS.checkAuthenticated(self, user) or
user.inTeam(self.obj.distribution.language_pack_admin))
class AdminLanguagePack(OnlyRosettaExpertsAndAdmins):
permission = 'launchpad.LanguagePacksAdmin'
usedfor = ILanguagePack
class ViewHWSubmission(AuthorizationBase):
permission = 'launchpad.View'
usedfor = IHWSubmission
def checkAuthenticated(self, user):
"""Can the user view the submission details?
Submissions that are not marked private are publicly visible,
private submissions may only be accessed by their owner and by
admins.
"""
if not self.obj.private:
return True
return user.inTeam(self.obj.owner) or user.in_admin
def checkUnauthenticated(self):
return not self.obj.private
class EditHWSubmission(AdminByAdminsTeam):
permission = 'launchpad.Edit'
usedfor = IHWSubmission
class ViewHWDBBase(AuthorizationBase):
"""Base class to restrict access to HWDB data to members of the HWDB team.
"""
permission = 'launchpad.View'
def checkAuthenticated(self, user):
"""We give for now access only to Canonical employees."""
return user.in_hwdb_team
def checkUnauthenticated(self):
"""No access for anonymous users."""
return False
class ViewHWDriver(ViewHWDBBase):
usedfor = IHWDriver
class ViewHWDriverName(ViewHWDBBase):
usedfor = IHWDriverName
class ViewHWDriverPackageName(ViewHWDBBase):
usedfor = IHWDriverPackageName
class ViewHWVendorID(ViewHWDBBase):
usedfor = IHWVendorID
class ViewHWDevice(ViewHWDBBase):
usedfor = IHWDevice
class ViewHWSubmissionDevice(ViewHWDBBase):
usedfor = IHWSubmissionDevice
class ViewHWDBApplication(ViewHWDBBase):
usedfor = IHWDBApplication
class ViewHWDeviceClass(ViewHWDBBase):
usedfor = IHWDeviceClass
class ViewArchive(AuthorizationBase):
"""Restrict viewing of private archives.
Only admins or members of a private team can view the archive.
"""
permission = 'launchpad.View'
usedfor = IArchive
def checkAuthenticated(self, user):
"""Verify that the user can view the archive.
Anyone can see a public and enabled archive.
Only Launchpad admins and uploaders can view private or disabled
archives.
"""
# No further checks are required if the archive is public and
# enabled.
if not self.obj.private and self.obj.enabled:
return True
# Administrator are allowed to view private archives.
if user.in_admin or user.in_commercial_admin:
return True
# Owners can view the PPA.
if user.inTeam(self.obj.owner):
return True
# Uploaders can view private PPAs.
if self.obj.is_ppa and self.obj.checkArchivePermission(user.person):
return True
# Subscribers can view private PPAs.
if self.obj.is_ppa and self.obj.private:
archive_subs = getUtility(IArchiveSubscriberSet).getBySubscriber(
user.person, self.obj).any()
if archive_subs:
return True
# The software center agent can view commercial archives
if self.obj.commercial:
return user.in_software_center_agent
return False
def checkUnauthenticated(self):
"""Unauthenticated users can see the PPA if it's not private."""
return not self.obj.private and self.obj.enabled
class EditArchive(AuthorizationBase):
"""Restrict archive editing operations.
If the archive a primary archive then we check the user is in the
distribution's owning team, otherwise we check the archive owner.
"""
permission = 'launchpad.Edit'
usedfor = IArchive
def checkAuthenticated(self, user):
if self.obj.is_main:
return user.isOwner(self.obj.distribution) or user.in_admin
return user.isOwner(self.obj) or user.in_admin
class AppendArchive(AuthorizationBase):
"""Restrict appending (upload and copy) operations on archives.
No one can upload to disabled archives.
PPA upload rights are managed via `IArchive.checkArchivePermission`;
Appending to PRIMARY, PARTNER or COPY archives is restricted to owners.
Appending to ubuntu main archives can also be done by the
'ubuntu-security' celebrity.
"""
permission = 'launchpad.Append'
usedfor = IArchive
def checkAuthenticated(self, user):
if not self.obj.enabled:
return False
if user.inTeam(self.obj.owner):
return True
if self.obj.is_ppa and self.obj.checkArchivePermission(user.person):
return True
celebrities = getUtility(ILaunchpadCelebrities)
if (self.obj.is_main and
self.obj.distribution == celebrities.ubuntu and
user.in_ubuntu_security):
return True
# The software center agent can change commercial archives
if self.obj.commercial:
return user.in_software_center_agent
return False
class ViewArchiveAuthToken(AuthorizationBase):
"""Restrict viewing of archive tokens.
The user just needs to be mentioned in the token, have append privilege
to the archive or be an admin.
"""
permission = "launchpad.View"
usedfor = IArchiveAuthToken
def checkAuthenticated(self, user):
if user.person == self.obj.person:
return True
auth_edit = EditArchiveAuthToken(self.obj)
return auth_edit.checkAuthenticated(user)
class EditArchiveAuthToken(DelegatedAuthorization):
"""Restrict editing of archive tokens.
The user should have append privileges to the context archive, or be an
admin.
"""
permission = "launchpad.Edit"
usedfor = IArchiveAuthToken
def __init__(self, obj):
super(EditArchiveAuthToken, self).__init__(
obj, obj.archive, 'launchpad.Append')
def checkAuthenticated(self, user):
return (user.in_admin or
super(EditArchiveAuthToken, self).checkAuthenticated(user))
class ViewPersonalArchiveSubscription(DelegatedAuthorization):
"""Restrict viewing of personal archive subscriptions (non-db class).
The user should be the subscriber, have append privilege to the archive
or be an admin.
"""
permission = "launchpad.View"
usedfor = IPersonalArchiveSubscription
def __init__(self, obj):
super(ViewPersonalArchiveSubscription, self).__init__(
obj, obj.archive, 'launchpad.Append')
def checkAuthenticated(self, user):
if user.person == self.obj.subscriber or user.in_admin:
return True
return super(
ViewPersonalArchiveSubscription, self).checkAuthenticated(user)
class ViewArchiveSubscriber(DelegatedAuthorization):
"""Restrict viewing of archive subscribers.
The user should be the subscriber, have edit privilege to the
archive or be an admin.
"""
permission = "launchpad.View"
usedfor = IArchiveSubscriber
def __init__(self, obj):
super(ViewArchiveSubscriber, self).__init__(
obj, obj, 'launchpad.Edit')
def checkAuthenticated(self, user):
return (user.inTeam(self.obj.subscriber) or
super(ViewArchiveSubscriber, self).checkAuthenticated(user))
class EditArchiveSubscriber(DelegatedAuthorization):
"""Restrict editing of archive subscribers.
The user should have append privilege to the archive or be an admin.
"""
permission = "launchpad.Edit"
usedfor = IArchiveSubscriber
def __init__(self, obj):
super(EditArchiveSubscriber, self).__init__(
obj, obj.archive, 'launchpad.Append')
def checkAuthenticated(self, user):
return (user.in_admin or
super(EditArchiveSubscriber, self).checkAuthenticated(user))
class ViewSourcePackageRecipe(DelegatedAuthorization):
permission = "launchpad.View"
usedfor = ISourcePackageRecipe
def iter_objects(self):
return self.obj.getReferencedBranches()
class ViewSourcePackageRecipeBuild(DelegatedAuthorization):
permission = "launchpad.View"
usedfor = ISourcePackageRecipeBuild
def iter_objects(self):
if self.obj.recipe is not None:
yield self.obj.recipe
yield self.obj.archive
class ViewSourcePackagePublishingHistory(DelegatedAuthorization):
"""Restrict viewing of source publications."""
permission = "launchpad.View"
usedfor = ISourcePackagePublishingHistory
def iter_objects(self):
yield self.obj.archive
class EditPublishing(DelegatedAuthorization):
"""Restrict editing of source and binary packages.."""
permission = "launchpad.Edit"
usedfor = IPublishingEdit
def __init__(self, obj):
super(EditPublishing, self).__init__(
obj, obj.archive, 'launchpad.Append')
class ViewBinaryPackagePublishingHistory(ViewSourcePackagePublishingHistory):
"""Restrict viewing of binary publications."""
usedfor = IBinaryPackagePublishingHistory
class ViewBinaryPackageReleaseDownloadCount(
ViewSourcePackagePublishingHistory):
"""Restrict viewing of binary package download counts."""
usedfor = IBinaryPackageReleaseDownloadCount
class ViewSourcePackageRelease(AuthorizationBase):
"""Restrict viewing of source packages.
Packages that are only published in private archives are subject to the
same viewing rules as the archive (see class ViewArchive).
If the package is published in any non-private archive, then it is
automatically viewable even if the package is also published in
a private archive.
"""
permission = 'launchpad.View'
usedfor = ISourcePackageRelease
def checkAuthenticated(self, user):
"""Verify that the user can view the sourcepackagerelease."""
for archive in self.obj.published_archives:
adapter = queryAdapter(archive, IAuthorization, self.permission)
if adapter is not None and adapter.checkAuthenticated(user):
return True
return False
def checkUnauthenticated(self):
"""Check unauthenticated users.
Unauthenticated users can see the package as long as it's published
in a non-private archive.
"""
for archive in self.obj.published_archives:
if not archive.private:
return True
return False
class ViewEmailAddress(AuthorizationBase):
permission = 'launchpad.View'
usedfor = IEmailAddress
def checkUnauthenticated(self):
"""See `AuthorizationBase`."""
# Anonymous users can never see email addresses.
return False
def checkAccountAuthenticated(self, account):
"""Can the user see the details of this email address?
If the email address' owner doesn't want his email addresses to be
hidden, anyone can see them. Otherwise only the owner himself or
admins can see them.
"""
# Always allow users to see their own email addresses.
if self.obj.account == account:
return True
if not (self.obj.person is None or
self.obj.person.hide_email_addresses):
return True
user = IPersonRoles(IPerson(account, None), None)
if user is None:
return False
return (self.obj.person is not None and user.inTeam(self.obj.person)
or user.in_commercial_admin
or user.in_registry_experts
or user.in_admin)
class EditEmailAddress(EditByOwnersOrAdmins):
permission = 'launchpad.Edit'
usedfor = IEmailAddress
def checkAccountAuthenticated(self, account):
# Always allow users to see their own email addresses.
if self.obj.account == account:
return True
return super(EditEmailAddress, self).checkAccountAuthenticated(
account)
class ViewGPGKey(AnonymousAuthorization):
usedfor = IGPGKey
class ViewIrcID(AnonymousAuthorization):
usedfor = IIrcID
class ViewWikiName(AnonymousAuthorization):
usedfor = IWikiName
class ViewPackageset(AnonymousAuthorization):
"""Anyone can view an IPackageset."""
usedfor = IPackageset
class EditPackageset(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IPackageset
def checkAuthenticated(self, user):
"""The owner of a package set can edit the object."""
return user.isOwner(self.obj) or user.in_admin
class EditPackagesetSet(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = IPackagesetSet
def checkAuthenticated(self, user):
"""Users must be an admin or a member of the tech board."""
return user.in_admin or user.in_ubuntu_techboard
class EditLibraryFileAliasWithParent(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = ILibraryFileAliasWithParent
def checkAuthenticated(self, user):
"""Only persons which can edit an LFA's parent can edit an LFA.
By default, a LibraryFileAlias does not know about its parent.
Such aliases are never editable. Use an adapter to provide a
parent object.
If a parent is known, users which can edit the parent can also
edit properties of the LibraryFileAlias.
"""
parent = getattr(self.obj, '__parent__', None)
if parent is None:
return False
return self.forwardCheckAuthenticated(user, parent)
class ViewLibraryFileAliasWithParent(AuthorizationBase):
"""Authorization class for viewing LibraryFileAliass having a parent."""
permission = 'launchpad.View'
usedfor = ILibraryFileAliasWithParent
def checkAuthenticated(self, user):
"""Only persons which can edit an LFA's parent can edit an LFA.
By default, a LibraryFileAlias does not know about its parent.
If a parent is known, users which can view the parent can also
view the LibraryFileAlias.
"""
parent = getattr(self.obj, '__parent__', None)
if parent is None:
return False
return self.forwardCheckAuthenticated(user, parent)
class SetMessageVisibility(AuthorizationBase):
permission = 'launchpad.Admin'
usedfor = IMessage
def checkAuthenticated(self, user):
"""Admins and registry admins can set bug comment visibility."""
return (user.in_admin or user.in_registry_experts)
class ViewPublisherConfig(AdminByAdminsTeam):
usedfor = IPublisherConfig
class EditSourcePackage(AuthorizationBase):
permission = 'launchpad.Edit'
usedfor = ISourcePackage
def checkAuthenticated(self, user):
"""Anyone who can upload a package can edit it."""
if user.in_admin:
return True
distribution = self.obj.distribution
if user.inTeam(distribution.owner):
return True
# We use verifyUpload() instead of checkUpload() because
# we don't have a pocket.
# It returns the reason the user can't upload
# or None if they are allowed.
reason = distribution.main_archive.verifyUpload(
user.person, distroseries=self.obj.distroseries,
sourcepackagename=self.obj.sourcepackagename,
component=None, strict_component=False)
return reason is None
|