summaryrefslogtreecommitdiff
blob: d906db8e5a6d6aadd648adf35ef474e3d20276b1 (plain)
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
# Copyright 1999-2008 Gentoo Foundation.
# Distributed under the terms of the GNU General Public License v2
# $Header: /var/cvsroot/gentoo-x86/profiles/use.local.desc,v 1.4023 2008/11/17 00:27:51 robbat2 Exp $
# This file contains descriptions of local USE flags, and the ebuilds which
# contain them.
# Keep it sorted (use "LC_ALL=C sort -t: -k1,1 -k2 | LC_ALL=C sort -s -t/ -k1,1")
# Declaring the locale for the sort is critical to avoid flapping.
###########
## NOTICE!!
###########
# This file is deprecated as per GLEP 56 in favor of metadata.xml. Please add
# your descriptions to your package's metadata.xml ONLY.
# use.local.desc is now generated automatically, and manual editing of it is
# disallowed.
# Test for commit block

app-accessibility/brltty:icu - Adds unicode support using dev-libs/icu
app-accessibility/festival:mbrola - Adds support for mbrola voices
app-accessibility/freetts:jsapi - build Java Speech API (JSAPI)
app-accessibility/freetts:mbrola - Adds support for mbrola voices
app-accessibility/gnome-speech:espeak - Adds support for the espeak speech driver (default)
app-accessibility/gnome-speech:festival - Adds support for the festival speech driver
app-accessibility/gnome-speech:freetts - Adds support for the freetts speech driver
app-accessibility/gnopernicus:brltty - Adds support for braille displays using brltty
app-accessibility/speech-dispatcher:flite - Adds support for flite speech engine
app-admin/bcfg2:server - Installs scripts to be used on the server-side of this app
app-admin/conky:audacious - enable monitoring of audio tracks that are playing media-sound/bmpx
app-admin/conky:bmpx - enable monitoring of audio tracks that are playing media-sound/bmpx
app-admin/conky:moc - enable monitoring of music played by media-sound/moc
app-admin/conky:mpd - enable monitoring mpd controlled music media-sound/mpd
app-admin/conky:nano-syntax - enable syntax highlighting for app-editors/nano
app-admin/conky:nvidia - enable reading of nvidia card temperature sensors via media-video/nvidia-settings
app-admin/conky:smapi - enable support for smapi
app-admin/diradm:automount - Support for automount data in LDAP
app-admin/diradm:irixpasswd - Support for storing separate IRIX passwords
app-admin/gkrellm:X - Build both the X11 gui (gkrellm) and the server (gkrellmd). Disabling this flag builds the server only.
app-admin/gkrellm:gnutls - Enable SSL support for mail checking with net-libs/gnutls (overrides 'ssl' USE flag)
app-admin/gkrellm:hddtemp - Enable monitoring harddrive temperatures via app-admin/hddtemp
app-admin/gkrellm:lm_sensors - Enable monitoring sensors via sys-apps/lm_sensors
app-admin/gkrellm:ntlm - Enable NTLM authentication for mail checking with net-libs/libntlm
app-admin/gkrellm:ssl - Enable SSL support for mail checking with dev-libs/openssl
app-admin/gnome-system-tools:nfs - Adds support for NFS shares
app-admin/gnome-system-tools:policykit - Use sys-auth/policykit to gain privileges to change configuration files
app-admin/lcap:lids - If you have the Linux Intrusion Detection System
app-admin/prelude-manager:tcpwrapper - Add support for tcp_wrappers
app-admin/puppet:rrdtool - Eanble rrdtool support
app-admin/rsyslog:dbi - Add support for logging into various databases through dev-db/libdbi
app-admin/rsyslog:relp - Add support for the Reliable Event Logging Protocol using dev-libs/librelp
app-admin/sdsc-syslog:beep - USe beep libraries net-libs/roadrunner
app-admin/sshguard:ipfilter - Enable ipfilter firewall support (only for *bsd)
app-admin/syslog-ng:spoof-source - Enable support for spoofed source addresses
app-admin/syslog-ng:sql - Enable support for SQL destinations
app-admin/system-tools-backends:policykit - Use sys-auth/policykit to gain privileges to change configuration files
app-admin/testdisk:ntfs - Include the ability to read NTFS filesystems
app-admin/testdisk:reiserfs - include reiserfs reading ability
app-admin/ulogd:ip-as-string - Logs IP addresses as stings
app-admin/ulogd:pcap - Build the PCAP plugin. Use the net-libs/libpcap library
app-admin/webalizer:xtended - Include the 404 extension
app-arch/dump:ermt - encrypted rmt support
app-arch/file-roller:nautilus - Enable file-roller to integrate with gnome-base/nautilus by providing entries in its context menu.
app-arch/libarchive:bzip2 -  Allow accessing bzip2-compressed archives through libbz2 (which comes with bzip2). 
app-arch/libarchive:lzma -  Allow accessing lzma-compressed archives through the lzmadec library. 
app-arch/libarchive:static -  Build bsdtar and bsdcpio as static archives, removing dependencies over the enabled compression libraries (lzmadec, libbz2, zlib). 
app-arch/rpm:file - add magic file support
app-arch/rpm:neon - include support for neon
app-arch/squeeze:pathbar - Include pathbar feature
app-arch/squeeze:toolbar - Include toolbar feature
app-backup/amanda:s3 - Support for backing up to the Amazon S3 system
app-backup/amanda:xfs - Support for backing up raw XFS filesystems using xfsdump
app-backup/bacula:bacula-clientonly - Disable DB support, and just build a client
app-backup/bacula:bacula-console - Build (GUI) console program(s)
app-backup/bacula:bacula-nodir - Disable building of director in 1.38.x and later
app-backup/bacula:bacula-nosd - Disable building of storage daemon in 1.38.x and later
app-backup/bacula:bacula-split-init - Use separate init scripts for fd/sd/dir
app-backup/bacula:logrotate - Install support files for logrotate
app-backup/bacula:logwatch - Install support files for logwatch
app-backup/boxbackup:client-only - Disable server support, and just build a client
app-backup/dar:dar32 - Enables --enable-mode=32 option, which replace infinite by 32 bit integers
app-backup/dar:dar64 - Enables --enable-mode=64 option, which replace infinite by 64 bit integers
app-backup/kdar:dar32 - Support libdar32.so usage
app-backup/kdar:dar64 - Support libdar64.so usage
app-benchmarks/bootchart:acct - Enable process accounting
app-benchmarks/jmeter:beanshell - Enable BeanShell scripting support
app-cdr/brasero:beagle - Enable app-misc/beagle support for searches
app-cdr/brasero:gdl - Enable gdl support for customisable GUI
app-cdr/brasero:gnome - Enable integration with the gnome-base/gnome desktop (help, session management, etc.)
app-cdr/brasero:libburn - Enable dev-libs/libburn backend
app-cdr/brasero:totem - Enable support for media-video/totem playlists
app-cdr/cdrdao:gcdmaster - Enable building of gcdmaster application
app-cdr/cdrdao:pccts - Use dev-util/pccts instead of the built-in substitution
app-cdr/cdrkit:hfs - Provide building of HFS (Apple) CD-images
app-cdr/disc-cover:cdrom - Enable audio CD support. This is not needed to make www-apps/disc-cover work.
app-cdr/k3b:emovix - Enable burning support for eMoviX images
app-cdr/mybashburn:normalize - Add support for normalizing audio file volume levels
app-cdr/serpentine:muine - Enable support for the GNOME music player Muine
app-cdr/xfburn:xfce - Adds integration with Xfce4 desktop environment
app-crypt/ccid:nousb - Disable USB support via sys-apps/pcsc-lite
app-crypt/ccid:twinserial - Enable twinserial reader
app-crypt/gnupg:ecc - Use elliptic curve cryptosystem patch
app-crypt/gnupg:idea - Use the patented IDEA algorithm
app-crypt/gnupg:openct - build using dev-libs/openct compat
app-crypt/gnupg:pcsc-lite - build with sys-apps/pcsc-lite
app-crypt/gpgme:pth - Enable support for GNU Portable Threads multithreading library
app-crypt/heimdal:X -  Building X applications 
app-crypt/heimdal:berkdb -  Berkeley DB is preferred before NDBM, but if you for some reason want to use NDBM instead, you can disable this USE flag. 
app-crypt/heimdal:hdb-ldap -  Enable support for LDAP as database backend (not suggested to use) 
app-crypt/heimdal:ipv6 -  Enable/Disable ipv6 support. No magic here. 
app-crypt/heimdal:ldap -  DEPRECATED (because produces circualar dependencies): global USE which enable/disable LDAP as database backend -> see 'hd-ldap' 
app-crypt/heimdal:otp -  Enable support for one-time passwords (OTP) in some heimdal apps 
app-crypt/heimdal:pkinit -  Enable pkinit support to get the initial ticket 
app-crypt/heimdal:ssl -  Enable usage of openssl 
app-crypt/heimdal:threads -  Enable pthread support 
app-crypt/johntheripper:custom-cflags - Enables custom cflags (not supported)
app-crypt/kstart:afs -  Enables afs support which means you can aquire an afs token and set PAGs. It's recommend to set this USE if you need authenticated access to an AFS cell for your daemon/app. 
app-crypt/mit-krb5:doc -  Creates and installs the API and implementation documentation. This is only useful if you want to develop software which depends on kerberos. 
app-crypt/mit-krb5:ipv6 -  Enables ipv6 support which is default in actual releases. This flag is marked for removal. 
app-crypt/mit-krb5:krb4 -  This option enables Kerberos V4 backwards compatibility using the builtin Kerberos V4 library. This is really outdated and dangerous to use because not safe. 
app-crypt/mit-krb5:tcl -  Some of the unit-tests in the build tree rely upon using a program in Tcl. This flag is marked for removal. 
app-crypt/ophcrack:ophsmall - Makes use of smaller cracking tables
app-crypt/ophcrack-tables:vistafree - Installs the free Vista ophcrack tables
app-crypt/ophcrack-tables:xpfast - Installs the fast XP ophcrack tables
app-crypt/ophcrack-tables:xpsmall - Installs the small free XP ophcrack tables
app-crypt/seahorse:applet - Enable seahorse applet for gnome-base/gnome-panel.
app-crypt/seahorse:epiphany - Enable text encryption plugin to integrate into www-client/epiphany context menu.
app-crypt/seahorse:gedit - Enable text encryption plugin to integrate into app-editors/gedit.
app-crypt/seahorse:ldap - Enable seahorse to manipulate GPG keys on a LDAP server.
app-crypt/seahorse:nautilus - Enable file encryption plugin to integrate into gnome-base/nautilus context menu.
app-crypt/seahorse:xulrunner - Selects which gecko engine against which to build the www-client/epiphany plugin.
app-dicts/aspell-be:classic - Support classic spelling by default
app-dicts/stardict:espeak - Enable text to speech synthesizer using espeak engine
app-dicts/stardict:festival - Enable text to speech synthesizer using festival engine
app-dicts/stardict:gucharmap - Enable gucharmap dictionary plugin
app-dicts/stardict:pronounce - Install WyabdcRealPeopleTTS package (it is just many .wav files) to make StarDict pronounce English words
app-dicts/stardict:qqwry - Enable QQWry plugin, which provides information (in Chinese language) about geographical positions, owner, etc. for IP addresses
app-doc/doxygen:nodot - removes graphviz dependency, along with dot graphs
app-doc/gimp-help:webinstall - optimize images for web installation (fewer colors, depends on media-gfx/imagemagick)
app-doc/linuxfromscratch:htmlsingle - Also install all-in-one-page HTML version
app-doc/pms:all-options - Include both sides of kdebuild conditionals, shown in different colours (PDF only)
app-doc/pms:html - Generate PMS as .html as well
app-doc/pms:kdebuild - Include specification for the kdebuild EAPI, see http://www.gentoo.org/proj/en/desktop/kde/kdebuild-1.xml
app-editors/cssed:plugins - Install plugin development files
app-editors/emacs:gzip-el - Compress bundled Emacs Lisp source
app-editors/emacs:hesiod - Enable support for net-dns/hesiod
app-editors/emacs:leim - Add support for Emacs input methods
app-editors/emacs:sendmail - Build Emacs with MTA support
app-editors/emacs:sound - Enable sound
app-editors/emacs:toolkit-scroll-bars - Use the selected toolkit's scrollbars in preference to Emacs' own scrollbars
app-editors/emacs-cvs:gzip-el - Compress bundled Emacs Lisp source
app-editors/emacs-cvs:hesiod - Enable support for net-dns/hesiod
app-editors/emacs-cvs:sound - Enable sound
app-editors/emacs-cvs:toolkit-scroll-bars - Use the selected toolkit's scrollbars in preference to Emacs' own scrollbars
app-editors/emacs-cvs:xft - Build Emacs with support for the XFT font renderer
app-editors/fe:sendmail - Send mail after editor abend
app-editors/gvim:aqua - Include support for the Aqua / Carbon GUI
app-editors/gvim:netbeans - Include netbeans externaleditor integration support
app-editors/gvim:nextaw - Include support for the neXtaw GUI
app-editors/jasspa-microemacs:nanoemacs - Build NanoEmacs instead of MicroEmacs
app-editors/joe:xterm - Enable full xterm clipboard support
app-editors/jove:unix98 - Use Unix 98 pty's instead of BSD pts's
app-editors/katoob:highlight - Enable source code highlighting
app-editors/nano:justify - Toggle the justify option
app-editors/nvu:moznoxft - Placeholder until mozilla eclass is modified for nvu
app-editors/tea:enchant - Enable spell checking using enchant
app-editors/tea:hacking - Enable hacking support
app-editors/vim:vim-pager - Install vimpager and vimmanpager links
app-editors/vim:vim-with-x - Link console vim against X11 libraries to enable title and clipboard features in xterm
app-editors/xemacs:athena - Chooses the MIT Athena widget set
app-editors/xemacs:dnd - Enables support for the x11-libs/dnd drag-n-drop library
app-editors/xemacs:eolconv - Support detection and translation of newline conventions
app-editors/xemacs:pop - Support POP for mail retrieval
app-editors/xemacs:xim - Enable X11 XiM input method
app-editors/xmlcopyeditor:guidexml - Install GuideXML templates to work with Gentoo official docs
app-emacs/auctex:preview-latex - Use bundled preview-latex
app-emacs/bbdb:tex - Install plain TeX support files
app-emacs/delicious:planner - Include support for app-emacs/planner
app-emacs/easypg:gnus - Include support for the Gnus newsreader
app-emacs/emhacks:jde - Enable support for Java Development Environment
app-emacs/python-mode:pymacs - Enable Emacs extensions for Python as scripting language
app-emacs/remember:bbdb - Include support for app-emacs/bbdb
app-emacs/remember:planner - Include support for app-emacs/planner
app-emacs/vm:bbdb - Include support for app-emacs/bbdb
app-emacs/wanderlust:bbdb - Include support for app-emacs/bbdb
app-emulation/basiliskII-jit:fbdev - Enables framebuffer support
app-emulation/basiliskII-jit:jit - Enables the jit compiler
app-emulation/bochs:debugger - Enable the bochs debugger
app-emulation/e-uae:capslib - Add CAPS library support
app-emulation/e-uae:sdl-sound - Use media-libs/sdl-sound for audio output
app-emulation/emul-linux-x86-qtlibs:immqt-bc - Enable binary compatible version of immodule for x11-libs/qt
app-emulation/fuse:libdsk - Enable support for the floppy disk emulation library app-emulation/libdsk
app-emulation/hercules:custom-cflags - Use CFLAGS from /etc/make.conf rather than the default package CFLAGS (not supported)
app-emulation/kvm:alsa - Enable alsa output for sound emulation
app-emulation/kvm:esd - Enable esound output for sound emulation
app-emulation/kvm:gnutls - Enable TLS support for the VNC console server
app-emulation/kvm:havekernel - Don't require a kernel build tree (useful if using a binary distrbuted kernel aka binary packages)
app-emulation/kvm:modules - Build the kernel modules from the kvm package
app-emulation/kvm:ncurses - Enable the ncurses-based console
app-emulation/kvm:pulseaudio - Enable pulseaudio output for sound emulation
app-emulation/kvm:sdl - Enable the SDL-based console
app-emulation/kvm:test - Build tests
app-emulation/kvm:vde - Enable VDE-based networking
app-emulation/libvirt:iscsi - Add support for iSCSI (Internet SCSI) remote storage
app-emulation/libvirt:kvm - Add support for app-emulation/kvm based virtual machines
app-emulation/libvirt:lvm - Add support for the Logical Volume Manager sys-apps/lvm2
app-emulation/libvirt:openvz - Add support for sys-kernel/openvz-sources OpenVZ-based virtual machines
app-emulation/libvirt:parted - Add support for the sys-apps/parted partition editor
app-emulation/libvirt:qemu - Add support for app-emulation/qemu based virtual machines
app-emulation/libvirt:server - Enables support for libvirtd
app-emulation/libvirt:xen - Add support for app-emulation/xen based virtual machines
app-emulation/mol:oldworld - Includes Macintosh's OldWorld support
app-emulation/mol:pci - Experimental PCI proxy support
app-emulation/mol:sheep - Support for the sheep net driver
app-emulation/open-vm-tools:icu - Enable unicode support using dev-libs/icu
app-emulation/open-vm-tools:unity - Enable host unity support
app-emulation/pearpc:jit - Use the JITC-x86 CPU
app-emulation/point2play:emerald - For people who are in the Transgaming Emerald Club
app-emulation/qemu-softmmu:kqemu - Enables the kernel acceleration module on a x86 cpu
app-emulation/uade:audacious - Enables support for media-sound/audacious
app-emulation/uae:scsi - Enable the uaescsi.device
app-emulation/uae:sdl-sound - Use media-sound/sdl-sound for audio output
app-emulation/uae:ui - Build the user interface (could be gtk or ncurses based, depending on sdl, dga, svga and aalib USE flags)
app-emulation/vice:resid - Enable support for ReSID media-libs/resid
app-emulation/vice:xrandr - Enable support for the X xrandr extension
app-emulation/virtualbox-bin:additions - Install Guest System Tools ISO
app-emulation/virtualbox-bin:headless - Install without any graphic frontend
app-emulation/virtualbox-bin:sdk - Enable building of SDK
app-emulation/virtualbox-bin:vboxwebsrv - Install the VirtualBox webservice
app-emulation/virtualbox-ose:additions - Install Guest System Tools ISO
app-emulation/virtualbox-ose:headless - Build without any graphic frontend
app-emulation/virtualbox-ose:sdk - Enable building of SDK
app-emulation/vov:gprof - build with profiling support
app-emulation/wine:gecko - Add support for the Gecko engine when using iexplore
app-emulation/wine:samba - Add support for NTLM auth. see http://wiki.winehq.org/NtlmAuthSetupGuide and http://wiki.winehq.org/NtlmSigningAndSealing
app-emulation/xen:acm - Enable the ACM/sHype XSM module from IBM
app-emulation/xen:custom-cflags - Use CFLAGS from /etc/make.conf rather than the default Xen CFLAGS (not supported)
app-emulation/xen:flask - Enable the Flask XSM module from NSA
app-emulation/xen:pae - Enable support for PAE kernels (usually x86-32 with >4GB memory)
app-emulation/xen:xsm - Enable the Xen Security Modules (XSM)
app-emulation/xen-tools:acm - Enable the ACM/sHype XSM module from IBM
app-emulation/xen-tools:api - Build the C libxenapi bindings
app-emulation/xen-tools:custom-cflags - Use CFLAGS from /etc/make.conf rather than the default Xen CFLAGS (not supported)
app-emulation/xen-tools:flask - Enable the Flask XSM module from NSA
app-emulation/xen-tools:hvm - Enable support for hardware based virtualization (VT-x, AMD-v
app-emulation/xen-tools:pygrub - Install the pygrub boot loader
app-emulation/xen-tools:screen - Enable support for running domain U console in an app-misc/screen session
app-forensics/samhain:login-watch - Compile in the module to watch for login/logout events
app-forensics/samhain:mounts-check - Compile in the module to check for correct mount options
app-forensics/samhain:netclient - Compile a client, rather than a standalone version 
app-forensics/samhain:netserver - Compile a server, rather than a standalone version 
app-forensics/samhain:suidcheck - Compile in the module to check file system for SUID/SGID binaries
app-forensics/samhain:userfiles - Compile in the module to check for files in user home directories
app-forensics/sleuthkit:dbtool - Add patch for dbtool interface from PyFlag
app-i18n/anthy:ucs4 - Enable ucs4 support
app-i18n/atokx2:ext-iiimf - Link with the system IIIMF, rather than the bundled version
app-i18n/ibus-table:additional - Enable to generate additional Engine
app-i18n/ibus-table:cangjie5 - Enable to generate CangJie5 Engine
app-i18n/ibus-table:erbi-qs - Enable to generate ErBi-QS Engine
app-i18n/ibus-table:extra-phrases - Add extra phrases into builded Engine
app-i18n/ibus-table:wubi - Enable to generate WuBi86 and WuBi98 Engine
app-i18n/ibus-table:zhengma - Enable to generate ZhengMa Engine
app-i18n/im-ja:anthy - Support for Anthy input method
app-i18n/im-ja:skk - Support for SKK input method
app-i18n/kimera:anthy - Support for Anthy input method
app-i18n/tomoe:hyperestraier - Enable support for app-text/hyperestraier
app-i18n/uim:anthy - Enable support for app-i18n/anthy input method 
app-i18n/uim:eb - Enable support for dev-libs/eb
app-i18n/uim:prime - Enable support for app-i18n/prime
app-i18n/uim-svn:anthy - Enable support for app-i18n/anthy input method 
app-i18n/uim-svn:dict - Build uim-dict (a dictionary utility for uim)
app-i18n/uim-svn:eb - Enable support for dev-libs/eb
app-i18n/uim-svn:fep - Build uim-fep
app-i18n/uim-svn:immqt - Enable immodule for x11-libs/qt support
app-laptop/kthinkbat:smapi - Use extended ThinkPad battery info exported via SMAPI BIOS by app-laptop/tp_smapi
app-laptop/pbbuttonsd:ibam - Enable support for Intelligent Battery Monitoring
app-laptop/pbbuttonsd:macbook - Enable support for the Macbook and Macbook Pro
app-laptop/tp_smapi:hdaps - Install a compatible HDAPS module
app-laptop/tpctl:tpctlir - Enable support for thinkpad models 760 and 765
app-misc/anki:furigana -  Enable support for furigana generation 
app-misc/anki:graph -  Enable support for making graphs 
app-misc/anki:sound -  Enable support for adding sound to cards 
app-misc/beagle:chm - Enables support for indexing of the MS CHM (Compressed HTML) file format using app-doc/chmlib.
app-misc/beagle:debug - Enables debug XML dumps of all messages passed between the daemons and the UIs. WARNING, this option will fill up your Beagle Log directory very quickly.
app-misc/beagle:doc - Builds programmer documentation for Beagle using app-doc/monodoc.
app-misc/beagle:eds - Enables Beagle to index the Addressbook and Calendar from mail-client/evolution stored in gnome-extra/evolution-data-server. The information is accessed using dev-dotnet/evolution-sharp.
app-misc/beagle:epiphany - Compiles and installs the extension for either www-client/epiphany. This extension helps Beagle index the websites you visit.
app-misc/beagle:firefox - Compiles and installs the extension for either www-client/mozilla-firefox or www-client/mozilla-firefox-bin. This extension helps Beagle index the websites you visit.
app-misc/beagle:galago - Allows Beagle to get status information from applications such as Pidgin to show in the search results.
app-misc/beagle:gtk - Enables the GTK+ Beagle Search UI for showing search results. This is the default GUI for Beagle.
app-misc/beagle:inotify - Enable inotify filesystem monitoring support 
app-misc/beagle:ole - Enables OLE (Object Linking and Editing) support via dev-dotnet/gsf-sharp, app-text/wv, and app-office/gnumeric(ssindex). These allow Beagle to index MS Powerpoint, Word, and Spreadsheet Documents.
app-misc/beagle:pdf - Enables support for indexing of the PDF (Portable Document Format) file format using `pdfinfo` and `pdftotext` from app-text/poppler
app-misc/beagle:thunderbird - Compiles and installs the extension for either mail-client/mozilla-thunderbird or mail-client/mozilla-thunderbird-bin. This extension helps Beagle index your mails.
app-misc/beagle:xscreensaver - Allow Beagle to detect when the screensaver is switched on. This allows Beagle to use more resources and index faster when the computer is not in use.
app-misc/booh:transcode - Use media-video/transcode to extract video thumbnails
app-misc/digitemp:ds2490 - Build support for the ds2490 sensor
app-misc/digitemp:ds9097 - Build support for the ds9097 sensor
app-misc/digitemp:ds9097u - Build support for the ds9097u sensor
app-misc/fdupes:md5sum-external - Use external md5sum program instead of bundled md5sum routines
app-misc/g15composer:amarok - Enable display of titles played in Amarok
app-misc/geneweb:ocamlopt - Enable ocamlopt support (dev-lang/ocaml native code compiler)
app-misc/gourmet:print - Enable printing support using gnome-print.
app-misc/gourmet:rtf - Enable RTF support.
app-misc/gpsdrive:garmin - Adds specific support for Garmin GPS receivers (pre-2.10 only)
app-misc/gpsdrive:gdal - Include gdal and ogr support for format conversions.
app-misc/gpsdrive:mapnik - Include mapnik support for custom map creation.
app-misc/gpsdrive:scripts - Include some of the additional helper scripts.
app-misc/gramps:reports - All external software that is needed for graphical reports will be installed
app-misc/graphlcd-base:g15 - Add support for app-misc/g15daemon driver (e.g. Logitech G15 Keybord)
app-misc/lcd-stuff:mpd - Add support for display of mpd controlled music (media-libs/libmpd)
app-misc/lcd4linux:mpd - Add support for display of mpd controlled music (media-libs/libmpd)
app-misc/lcdproc:irman - Enable support for IRMan (media-libs/libirman)
app-misc/lcdproc:nfs - Adds support for NFS file system
app-misc/lcdproc:seamless-hbars - Try to avoid gaps in horizontal bars
app-misc/lirc:hardware-carrier - The transmitter device generates its clock signal in hardware
app-misc/lirc:transmitter - Add transmitter support to some lirc-drivers (e.g. serial)
app-misc/mc:7zip - Add support for 7zip archives
app-misc/note:general - Add support for ascii flatfile backend
app-misc/note:text - Add support for text backend
app-misc/pal:ical - Add support for converting ical format to pal (dev-libs/libical) 
app-misc/roadnav:festival - Enable support for app-accessibility/festival
app-misc/roadnav:flite - Enable support for app-accessibility/flite (festival-lite)
app-misc/roadnav:openstreetmap - Enable openstreetmap support
app-misc/roadnav:scripting - Enable scripting support
app-misc/screen:multiuser - Enable multiuser support (by setting correct permissions)
app-misc/screen:nethack - Express error messages in nethack style
app-misc/sphinx:stemmer - Enable language stemming support
app-misc/strigi:clucene - Enable dev-cpp/clucene backend support.
app-misc/strigi:exiv2 -  Enable support for exif/iptc metadata (media-gfx/exiv2) (recommended) 
app-misc/strigi:hyperestraier - Enable app-text/hyperestraier backend support.
app-misc/strigi:inotify - Enable support for inotify.
app-misc/strigi:log - Enables advanced logging through dev-libs/log4cxx.
app-misc/tablix:pvm - Add support for parallel virtual machine (sys-cluster/pvm)
app-misc/tomboy:galago - Add support for the galago desktop presence framework (dev-dotnet/galago-sharp)
app-misc/towitoko:moneyplex - Makes libtowitoko work for the moneyplex home banking software
app-misc/tracker:applet - Build tracker monitor applet
app-misc/tracker:deskbar - Build gnome-extra/deskbar-applet plugin 
app-misc/tracker:gsf - Enable gnome-extra/libgsf based data extractor 
app-misc/worker:avfs - Enable support for sys-fs/avfs
app-misc/workrave:distribution - Enable networking. See http://www.workrave.org/features/
app-mobilephone/gammu:irda - Enable infrared support
app-mobilephone/gnokii:ical - Enable support for dev-libs/libical
app-mobilephone/gnokii:irda - Enable infrared support
app-mobilephone/gnokii:sms - Enable SMS support (build smsd)
app-mobilephone/kmobiletools:gammu - Enable the Gammu backend
app-mobilephone/kmobiletools:obex - Enable obex transports
app-mobilephone/obexftp:swig - Enable rebuild of dev-lang/swig bindings
app-mobilephone/smstools:stats - Enable statistic reporting
app-mobilephone/yaps:capi - Enable CAPI support
app-office/abiword-plugins:grammar - Enable grammar checking via dev-libs/link-grammar
app-office/abiword-plugins:math - Enable support for x11-libs/gtkmathview
app-office/abiword-plugins:ots - Enable Text Summarizer plugin
app-office/abiword-plugins:thesaurus - Enable thesaurus support
app-office/abiword-plugins:wordperfect - Enable wordperfect file support via app-text/libwpdlibwpd
app-office/dia:gnome-print - Gnome-Print support (gnome-base/libgnomeprint)
app-office/gnucash:chipcard - Enable support for chipcard reading and processing.
app-office/gnucash:hbci - Enable HBCI support, for connecting to some internet banks
app-office/gnucash:quotes - Enable Online Stock Quote retrieval
app-office/gnumeric:gnome - Allow Gnumeric to use GNOME specific extensions.
app-office/gnumeric:perl - Enable perl plugin loader.
app-office/gnumeric:python - Enable python plugin loader.
app-office/grisbi:print - Enable printing support
app-office/imposter:iksemel - Enable external dev-libs/iksemel parsing support
app-office/kmymoney2:hbci - Add HBCI online banking support
app-office/kmymoney2:qtdesigner - Installs KMyMoney specific widget library for Qt-designer
app-office/lyx:docbook - Add support for docbook export
app-office/lyx:dot - Add support for DOT import (media-gfx/graphviz) 
app-office/lyx:html - Add support for HTML import
app-office/lyx:monolithic-build - This should speed up compilation significantly when you have enough RAM (>600 MB)
app-office/lyx:rtf - Add support for RTF import/export packages
app-office/mozilla-sunbird:moznopango - Disable pango during runtime
app-office/openoffice:binfilter - Enable support for legacy StarOffice 5.x and earlier file formats
app-office/openoffice:odk - Build the Office Development Kit
app-office/openoffice:templates - Enable installation of Sun templates
app-office/rabbit:gnome-print - Gnome-Print support (gnome-base/libgnomeprint)
app-office/rabbit:gs - Ghostscript support (virtual/ghostscript)
app-office/rabbit:tgif - tgif support (media-gfx/tgif)
app-office/texmacs:netpbm - Add support for media-libs/netpbm
app-office/tpp:figlet - Install app-misc/figlet to support the --huge command
app-pda/libopensync-plugin-irmc:irda - Enable IrDA support
app-pda/libopensync-plugin-syncml:http - Enable http transports
app-pda/libopensync-plugin-syncml:obex - Enable obex transports
app-pda/libsyncml:http - Enable http transports
app-pda/libsyncml:obex - Enable obex transports
app-pda/multisync:gnokii - Address synchronization with mobile phones via app-mobilephone/gnokii
app-pda/multisync:irmc - Add support for Mobile Client synchronization via IrDa/IrMC/Bluetooth (eg: SonyEricsson T39/T68i)
app-pda/multisync:kdepim - Add support for KDEPIM sync
app-pda/multisync:nokia6600 - Add support for Nokia 6600
app-pda/synce:serial - Enable serial port support (installs app-pda/synce-serial)
app-pda/synce:syncengine - Installs the app-pda/synce-sync-engine
app-pda/synce-kde:avantgo - Add support for syncing Avantgo accounts
app-portage/conf-update:colordiff - Use colors when displaying diffs (app-misc/colordiff)
app-portage/gatt:libpaludis - Do some dependency resolution by using a sys-apps/paludis interface
app-portage/layman:git - Support dev-util/git based overlays
app-portage/portato:etc-proposals - Use app-portage/etc-proposals for updating CONFIG_PROTECTed stuff
app-portage/portato:userpriv - Allow emerge processes as normal user
app-shells/bash:bashlogger - Log ALL commands typed into bash; should ONLY be used in restricted environments such as honeypots
app-shells/bash:plugins - Add support for loading builtins at runtime via 'enable'
app-shells/pdsh:rsh - This allows the use of rsh (remote shell) and rcp (remote copy) for authoring websites. sftp is a much more secure protocol and is preferred.
app-shells/scsh:scsh - Use a non-FHS directory layout
app-shells/scsh-install-lib:scsh - Use a non-FHS directory layout
app-shells/shish:diet - Use dev-libs/dietlibc
app-shells/tcsh:catalogs - Add support for NLS catalogs
app-text/crm114:mew - Add support for using the mewdecode mime decoder (app-emacs/mew)
app-text/crm114:mimencode - Add support for using the mimencode mime (net-mail/metamail)
app-text/crm114:normalizemime - Add support for using the normalizemime (mail-filter/normalizemime)
app-text/dictd:dbi - Build dbi plugin, uses dev-db/libdbi library for implementing DICT database using SQL server
app-text/dictd:judy - Build Judy-based (dev-libs/judy) plugin implementing fast "exact" and especially "lev" strategies
app-text/docbook-sgml-utils:jadetex - Add support for app-text/jadetex (for processing tex files produced by the TeX backend of Jade)
app-text/enchant:aspell - Adds support for app-text/aspell spell checker
app-text/enchant:hunspell - Adds support for app-text/hunspell spell checker
app-text/enchant:zemberek - Adds support for app-text/zemberek-server spell checker server
app-text/evince:dvi - Enable the built-in DVI viewer
app-text/evince:nautilus - Enable property page extension in gnome-base/nautilus
app-text/evince:t1lib - Enable the Type-1 fonts for the built-in DVI viewer (media-libs/t1lib)
app-text/hyperestraier:mecab - Enable app-text/mecab support for Estraier
app-text/lcdf-typetools:kpathsea - Enable integration with kpathsea search library (TeX related)
app-text/namazu:kakasi - Enable kakasi support (dev-perl/Text-Kakasi)
app-text/noweb:icon - Enable dev-lang/icon language support
app-text/pdftk:nodrm - Decrypt a document with the user_pw even if it has an owner_pw set
app-text/sgmltools-lite:jadetex - Add support for app-text/jadetex (for processing tex files produced by the TeX backend of Jade)
app-text/sword:icu - Enable dev-libs/icu support for sword
app-text/sword:lucene - Enable lucene support for faster searching (dev-cpp/clucene)
app-text/sword-modules:intl - Enable different languages
app-text/texlive:context - Add support for the ConTeXt format (dev-texlive/texlive-context)
app-text/texlive:cyrillic - Add support for Cyrillic (dev-texlive/texlive-langcyrillic)
app-text/texlive:detex - Add support for dev-tex/detex, a filter program that removes the LaTeX (or TeX) control sequences
app-text/texlive:dvi2tty - Add support for dev-tex/dvi2tty to preview dvi-files on text-only devices
app-text/texlive:extra - Add support for extra TeXLive packages
app-text/texlive:games - Add typesetting support for games (chess, etc.) (dev-texlive/texlive-games)
app-text/texlive:graphics - Add support for several graphics packages (pgf, tikz,...)
app-text/texlive:humanities - Add LaTeX support for the humanities (dev-texlive/texlive-humanities)
app-text/texlive:jadetex - Add support for app-text/jadetex (for processing tex files produced by the TeX backend of Jade)
app-text/texlive:music - Add support for music typesetting (dev-texlive/texlive-music)
app-text/texlive:omega - Add omega packages (dev-texlive/texlive-omega)
app-text/texlive:pstricks - Add pstricks packages (dev-texlive/texlive-pstricks)
app-text/texlive:publishers - Add support for publishers (dev-texlive/texlive-publishers)
app-text/texlive:science - Add typesetting support for natural and computer sciences (dev-texlive/texlive-science)
app-text/texlive:tex4ht - Add support for dev-tex/tex4ht (for converting (La)TeX to (X)HTML, XML and OO.org)
app-text/texlive:xetex - Add support for XeTeX macros (dev-texlive/texlive-xetex)
app-text/texlive:xindy - Add support for app-text/xindy, a flexible indexing system
app-text/webgen:builder - Enable programmatic HTML/XML generation
app-text/webgen:exif - Enable EXIF information in image galleries
app-text/webgen:highlight - Enable syntax highlighting for certain plugins
app-text/webgen:markdown - Markdown support
app-text/webgen:textile - Textile support
app-text/webgen:thumbnail - Thumbnail creation support using rmagick
app-text/wklej:vim - Install vim plugin allowing to paste from vim by :Wklej
app-text/xpdf:nodrm - Disable the drm feature decoder
app-vim/gentoo-syntax:ignore-glep31 - Remove GLEP 31 (UTF-8 file encodings) settings 
app-vim/vcscommand:git - Enable support for dev-util/git
app-vim/vcscommand:svk - Enable support for dev-util/svk
dev-cpp/sptk:aspell - Enable support for app-text/aspell
dev-cpp/sptk:excel - Enable Excel support
dev-db/libpq:pg-intdatetime - Enable --enable-integer-datetimes configure option, which changes PG to use 64-bit integers for timestamp storage
dev-db/mysql:big-tables - Make tables contain up to 1.844E+19 rows
dev-db/mysql:cluster - Add support for NDB clustering
dev-db/mysql:embedded - Build embedded server (libmysqld)
dev-db/mysql:extraengine - Add support for alternative storage engines
dev-db/mysql:latin1 - Use LATIN1 encoding instead of UTF8
dev-db/mysql:max-idx-128 - Raise the max index per table limit from 64 to 128 
dev-db/mysql:minimal - Install client programs only, no server
dev-db/mysql:raid - Deprecated option, removed in the 5.0 series
dev-db/mysql-community:big-tables - Make tables contain up to 1.844E+19 rows
dev-db/mysql-community:cluster - Add support for NDB clustering
dev-db/mysql-community:embedded - Build embedded server (libmysqld)
dev-db/mysql-community:extraengine - Add support for alternative storage engines
dev-db/mysql-community:latin1 - Use LATIN1 encoding instead of UTF8
dev-db/mysql-community:max-idx-128 - Raise the max index per table limit from 64 to 128 
dev-db/mysql-community:minimal - Install client programs only, no server
dev-db/mysql-community:pbxt - Add experimental support for pbxt storage engine
dev-db/mysql-gui-tools:administrator - Build and install MySQL Administrator
dev-db/mysql-gui-tools:query-browser - Build and install MySQL Query Browser
dev-db/pgcluster:pg-intdatetime - Enable --enable-integer-datetimes configure option, which changes PG to use 64-bit integers for timestamp storage
dev-db/postgis:geos - Add the sci-libs/geos library for exact topological tests
dev-db/postgis:proj - Add the sci-libs/proj library for reprojection features
dev-db/postgresql:pg-intdatetime - Enable --enable-integer-datetimes configure option, which changes PG to use 64-bit integers for timestamp storage
dev-db/postgresql-base:pg-intdatetime - Enable --enable-integer-datetimes configure option, which changes PG to use 64-bit integers for timestamp storage
dev-db/postgresql-server:uuid - Enable server side UUID generation (via dev-libs/ossp-uuid)
dev-db/rekall:xbase - Support for the Xbase db family, covering dBase, Clipper, FoxPro, Visual dBase/Objects/FoxPro plus some older products
dev-db/sqlite:nothreadsafe - Turn off thread safe operation of sqlite
dev-db/sqlite:soundex - Enable the soundex function to compute soundex encodings of strings
dev-db/sqlite:threadsafe - Enable thread safe operation of sqlite
dev-embedded/openocd:ft2232 - Enable support for USB chips via dev-embedded/libftd2xx
dev-embedded/openocd:ftdi - Enable support for USB FTDI chips (dev-embedded/libftdi)
dev-embedded/openocd:parport - Enable support for parport JTAG devices
dev-embedded/openocd:presto - Enable support for AXIS PRESTO devices
dev-embedded/ponyprog:epiphany - Enable support for www-client/epiphany 
dev-embedded/sdcc:boehm-gc - Enable Hans Boehm's garbage collector (dev-libs/boehm-gc)
dev-embedded/urjtag:ftdi - Enable support for USB FTDI chips (dev-embedded/libftdi)
dev-games/cegui:devil - Enable image loading via DevIL
dev-games/cegui:irrlicht - Enable the Irrlicht renderer
dev-games/cegui:xerces-c - Enable the Xerces-C++ XML parser module
dev-games/crystalspace:3ds - Enables support for .3DS files in CrystalSpace
dev-games/crystalspace:cal3d - include support for skeleton animation
dev-games/crystalspace:cegui - include support for Crazy Eddie GUI
dev-games/crystalspace:cg - NVIDIA toolkit plugin
dev-games/crystalspace:ode - include support for Open Dynamics Engine
dev-games/guichan:allegro - Build the Allegro frontend
dev-games/ode:double-precision - more precise calculations at the expense of speed
dev-games/ode:gyroscopic - enable gyroscopic term (may cause instability)
dev-games/ode:nogyroscopic - disable gyroscopic term maybe improving stability
dev-games/ode:noopcode - disable OPCODE (trimesh support)
dev-games/ogre:cegui - build the CEGUI samples
dev-games/ogre:cg - NVIDIA toolkit plugin
dev-games/ogre:devil - image loading support with DevIL
dev-games/ogre:double-precision - more precise calculations at the expense of speed
dev-haskell/gtk2hs:glade - Enable gnome-base/libglade bindings compilation
dev-java/ant:antlr - Enable ANTLR Ant tasks
dev-java/ant:bcel - Enable bcel (bytecode manipulation) Ant tasks
dev-java/ant:commonslogging - Enable commons-logging Ant tasks
dev-java/ant:commonsnet - Enable commons-net Ant tasks
dev-java/ant:jai - Enable JAI (Java Imaging) Ant task
dev-java/ant:javamail - Enable JavaMail Ant task
dev-java/ant:jdepend - Enable Jdepend Ant tasks
dev-java/ant:jmf - Enable JMF (Java Media Framework) Ant tasks
dev-java/ant:jsch - Disable Jsch (ssh, scp and related) Ant tasks
dev-java/ant:log4j - Enable Apache log4j Ant tasks
dev-java/ant:oro - Enable Apache Oro Ant tasks
dev-java/ant:regexp - Enable Apache Regexp Ant tasks
dev-java/ant:resolver - Enable Apache Resolver Ant tasks
dev-java/ant-tasks:antlr - Enable ANTLR Ant tasks
dev-java/ant-tasks:bcel - Enable bcel (bytecode manipulation) Ant tasks
dev-java/ant-tasks:commonslogging - Enable commons-logging Ant tasks
dev-java/ant-tasks:commonsnet - Enable commons-net Ant tasks
dev-java/ant-tasks:jai - Enable JAI (Java Imaging) Ant task
dev-java/ant-tasks:javamail - Enable JavaMail Ant task
dev-java/ant-tasks:jdepend - Enable Jdepend Ant tasks
dev-java/ant-tasks:jmf - Enable JMF (Java Media Framework) Ant tasks
dev-java/ant-tasks:jsch - Disable Jsch (ssh, scp and related) Ant tasks
dev-java/ant-tasks:log4j - Enable Apache log4j Ant tasks
dev-java/ant-tasks:oro - Enable Apache Oro Ant tasks
dev-java/ant-tasks:regexp - Enable Apache Regexp Ant tasks
dev-java/ant-tasks:resolver - Enable Apache Resolver Ant tasks
dev-java/antlr:script - Install a script to run antlr
dev-java/avalon-logkit:javamail - Enable support for javamail
dev-java/avalon-logkit:jms - Enable support for JMS (Java Message Service)
dev-java/commons-collections:test-framework - Install the test framework
dev-java/commons-logging:avalon-framework - Add optional support for avalon-framework
dev-java/commons-logging:avalon-logkit - Add optional support for avalon-logkit
dev-java/commons-logging:log4j - Add optional support for log4j
dev-java/commons-logging:servletapi - Add optional support for servletapi
dev-java/commons-modeler:commons-digester - Add support for the commons-digester based Mbeans Descriptor source
dev-java/diablo-jdk:jce - Enable Java Cryptographic Extension Unlimited Strength Policy files
dev-java/emma:launcher - Install /usr/bin/emma. Collides with sci-biology/emboss.
dev-java/fop:hyphenation - Precompile hyphenation patterns from the dev-java/offo-hyphenation package and install them as fop-hyph.jar
dev-java/fop:jai - Enable jai support
dev-java/fop:jimi - Enable jimi support
dev-java/gjdoc:xmldoclet - Also build support for the xml doclet that generates output in xml instead of the traditional html javadoc.
dev-java/gnu-classpath:dssi - Enable the DSSI midi synthesizer provider
dev-java/gnu-classpath:gconf - Enable the GConf based util.peers backend
dev-java/ibm-jdk-bin:javacomm - Enable Java Communications API support
dev-java/itext:rtf - Build and provide libraries for rich text format
dev-java/itext:rups - Build and provide GUI for Reading/Updating PDF Syntax
dev-java/jamvm:libffi - use dev-libs/libffi to call native methods
dev-java/jcs:admin - Enable JCS Admin servlets
dev-java/jdbc-jaybird:jni - Build/Install JDBC Type 2 native components
dev-java/jdbc-mysql:c3p0 - Enable c3p0 support
dev-java/jdbc-mysql:log4j - Enable log4 support
dev-java/jdbc-oracle-bin:dms - Enable support for the Oracle Dynamic Monitoring Service
dev-java/jdbc-oracle-bin:ons - Enable support for the Oracle Notification Services (ONS) deamon
dev-java/jython:servletapi - Add optional support for servlet-api
dev-java/log4j:javamail - Build the SMTPAppender
dev-java/log4j:jms - Build the JMSAppender
dev-java/log4j:jmx - Build org.apace.log4j.jmx
dev-java/proguard:j2me - Adds support for J2ME Wireless Toolkit
dev-java/rxtx:lfd - Installs and uses LockFileServer daemon (lfd)
dev-java/sun-jdk:jce - Enable Java Cryptographic Extension Unlimited Strength Policy files
dev-lang/erlang:hipe - HIgh Performance Erlang extension
dev-lang/erlang:kpoll - Enable kernel polling support
dev-lang/erlang:sctp - Support for Stream Control Transmission Protocol
dev-lang/gdl:hdf - Adds support for the Hierarchical Data Format
dev-lang/gdl:proj - Adds proj library support (geographic projections)
dev-lang/gforth:force-reg - Enable a possibly unstable GCC flag for possibly large performance gains
dev-lang/ghc:binary - Install the binary version directly, rather than using it to build the source version.
dev-lang/ghc:ghcbootstrap - Internal: Bootstrap GHC from an existing GHC installation.
dev-lang/icon:iplsrc - install the icon programming library source
dev-lang/idb:icc - Use dev-lang/icc to install idb (default)
dev-lang/idb:ifc - Use dev-lang/ifc to install idb
dev-lang/lisaac:vim - install a syntax file for vim
dev-lang/lua:deprecated - make deprecated data structures/routines available
dev-lang/luarocks:curl - Uses net-misc/curl for fetching lua packages instead of net-misc/wget.
dev-lang/luarocks:openssl - Uses dev-libs/openssl for verifying lua packages instead of md5sum.
dev-lang/mlton:binary - install a binary version (need to do this once to bootstrap, until smlnj is supported)
dev-lang/mono:moonlight - add moonlight support
dev-lang/perl:ithreads - Enable Perl threads, has some compatibility problems
dev-lang/perl:perlsuid - Enable Perl SUID install. Has some risks associated.
dev-lang/php:cli - Enable CLI SAPI
dev-lang/php:concurrentmodphp - Make it possible to load both mod_php4 and mod_php5 into the same Apache2 instance (experimental)
dev-lang/php:discard-path - Switch on common security setting for CGI SAPI
dev-lang/php:fastbuild - Build PHP quicker (experimental)
dev-lang/php:fdftk - Add supports for Adobe's FDF toolkit.
dev-lang/php:filter - Add filter extension support
dev-lang/php:force-cgi-redirect - Switch on common security setting for CGI SAPI
dev-lang/php:hash - Enable the hash extension
dev-lang/php:java-external - Use the external java extension rather than the bundled one
dev-lang/php:json - Enable JSON support
dev-lang/php:ldap-sasl - Add SASL support for the PHP LDAP extension
dev-lang/php:pdo - Enable the bundled PDO extensions
dev-lang/php:reflection - Enable the reflection extension (Reflection API)
dev-lang/php:suhosin - Add Suhosin support (patch and extension from http://www.suhosin.org/)
dev-lang/php:xmlreader - Enable XMLReader support
dev-lang/php:xmlwriter - Enable XMLWriter support
dev-lang/php:zip - Enable ZIP file support
dev-lang/php:zip-external - Enable ZIP file support (external PECL extension)
dev-lang/python:nothreads - Disable threads (DON'T USE THIS UNLESS YOU KNOW WHAT YOU'RE DOING)
dev-lang/python:ucs2 - Enable byte size 2 unicode (DON'T USE THIS UNLESS YOU KNOW WHAT YOU'RE DOING)
dev-lang/python:wininst - Install required Windows executables to create an executable installer for MS Windows.
dev-lang/ruby:rubytests - Install ruby tests that can only be run after ruby is installed
dev-lang/scala:binary - Install from (Gentoo-compiled) binary instead of building from sources. Set this when you run out of memory during build.
dev-lang/smarteiffel:tcc - use dev-lang/tcc instead of sys-devel/gcc for build (g++ is still used for c++ code)
dev-lang/spidermonkey:threadsafe - Build a threadsafe version of spidermonkey
dev-lang/swig:R - Enable R support
dev-lang/swig:chicken - Enable chicken Scheme support
dev-lang/swig:clisp - Enable CLisp support
dev-lang/swig:mzscheme - Enable PLT mzscheme support
dev-lang/swig:octave - Enable Octave support
dev-lang/swig:pike - Enable Pike scripting support
dev-lang/vala:vapigen - Enable vala's library binding generator
dev-libs/DirectFB:fusion - Add Multi Application support (fusion kernel device) 
dev-libs/DirectFB:sysfs - Add support for the sysfs filesystem (requires Linux-2.6+) 
dev-libs/DirectFB-extra:flash - Add support for creating SWF files using Ming (media-libs/libflash)
dev-libs/DirectFB-extra:fusion - Add Multi Application support (fusion kernel device) 
dev-libs/STLport:boost - Enable the usage of dev-libs/boost
dev-libs/ace:ciao - Include Component Intergraced Ace ORB into the build of ace
dev-libs/ace:tao - Include the ACE ORB (CORBA stuff) (called tao) into the build of ace
dev-libs/apr:urandom - Use /dev/urandom instead of /dev/random
dev-libs/boost:bcp - Install the bcp tool http://www.boost.org/tools/bcp/bcp.html
dev-libs/boost:bjam - Install the BoostJam tool http://www.boost.org/tools/build/jam_src/index.html
dev-libs/boost:icu - Add unicode support to boost.regex using dev-libs/icu
dev-libs/boost:pyste - Add support for the pyste frontend
dev-libs/boost:threadsonly - Only build multithreaded libs
dev-libs/boost:tools - Build and install the boost tools (bcp, quickbook, inspect, wave)
dev-libs/crypto++:sse3 - Enable optimisations using the sse3 assmbly code
dev-libs/cyberjack:noudev - Disable installation of udev rules
dev-libs/cyberjack:pcsc-lite - Enable installation of sys-apps/pcsc-lite driver
dev-libs/cyrus-sasl:authdaemond - Enable Courier-IMAP authdaemond's unix socket support (net-mail/courier-imap, mail-mta/courier) 
dev-libs/cyrus-sasl:ntlm_unsupported_patch - Add NTLM net-fs/samba NOT supported patch
dev-libs/cyrus-sasl:sample - Build sample client and server
dev-libs/cyrus-sasl:srp - Enable SRP
dev-libs/cyrus-sasl:urandom - Use /dev/urandom instead of /dev/random
dev-libs/fcgi:html - Install HTML documentation
dev-libs/ferrisloki:stlport - Include support for dev-libs/STLport
dev-libs/klibc:n32 - Force klibc to 32bit if on mips64 if not n32 userland
dev-libs/libcdio:minimal -  Only build the libcdio library and little more, just to be used to link against from multimedia players. With this USE flag enabled, none of the command-line utilities are built, nor is the CDDA library. 
dev-libs/libgcrypt:idea - Use the patented IDEA algorithm
dev-libs/libjit:interpreter - Enable the libjit interpreter
dev-libs/libjit:long-double - Enable the use of long double for jit_nfloat
dev-libs/libjit:new-reg-alloc - Enable new register allocator
dev-libs/libmix:no-net2 - Disable support for virtual/libpcap and net-libs/libnet
dev-libs/libprelude:swig - Enable rebuild of swig bindings
dev-libs/libpreludedb:swig - Enable rebuild of swig bindings
dev-libs/libproccpuinfo:sender - Build a utility for sending the author your /proc/cpuinfo file
dev-libs/libsqlora8:orathreads - Use Oracle threads
dev-libs/libtomcrypt:libtommath - Use the portable math library (dev-libs/libtommath)
dev-libs/libtomcrypt:tomsfastmath - Use the optimized math library (dev-libs/tomsfastmath)
dev-libs/log4cxx:smtp - Offer SMTP support via net-libs/libesmtp
dev-libs/nss:utils - Install utilities included with the library
dev-libs/opencryptoki:tpmtok - Offer support for TPM token
dev-libs/openobex:irda - Enable IrDA support
dev-libs/opensc:openct - Build using dev-libs/openct compatibility 
dev-libs/opensc:pcsc-lite - Build with sys-apps/pcsc-lite
dev-libs/pkcs11-helper:nss - Enable NSS crypto engine
dev-libs/qsa:ide - Enable the qsa ide
dev-libs/soprano:clucene - Enable dev-cpp/clucene backend support.
dev-libs/soprano:redland - Enables support for the dev-libs/redland backend.
dev-libs/soprano:sesame2 - Enables support for the virtual/jre-1.6.0 (sesame2) backend.
dev-libs/xerces-c:iconv - Use iconv (virtual/libiconv) as message loader and transcoder (in general it would be possible to use iconv only as message loader and something else like icu or the native method as transcoder and vice-versa, but this is a less common case and hard to handle)
dev-libs/xerces-c:icu - Use ICU (dev-libs/icu) as message loader and transcoder. ICU supports over 180 different encodings and/or locale specific message support
dev-libs/xerces-c:libwww - Use the net-libs/libwww library for fetching URLs, instead of the builtin method
dev-libs/xerces-c:threads - Enable threading support through pthread (or other libraries on AIX, IRIX, HPUX, Solars). Highly recommended
dev-libs/xerces-c:xqilla - Apply patches from the XQilla project and install additional header files
dev-libs/xqilla:faxpp - Use dev-libs/faxpp instead of Xerces-C for certain tasks
dev-libs/xqilla:htmltidy - Use app-text/htmltidy when parsing HTML
dev-libs/yaz:icu - Enable ICU (Internationalization Components for Unicode) support, using dev-libs/icu
dev-libs/yaz:ziffy - Install ziffy, a promiscuous Z39.50 APDU sniffer
dev-lisp/abcl:clisp - Build Armed Bear Common Lisp using GNU CLISP
dev-lisp/abcl:cmucl - Build Armed Bear Common Lisp using CMU Common Lisp
dev-lisp/abcl:jad - Enable support for disassembling compiled code using JAD
dev-lisp/cl-araneida:standalone - tired of waiting for the lisp team to add this
dev-lisp/cl-tbnl:standalone -  Use TBNL without a front-end (ie. no Apache dependency)
dev-lisp/clisp:hyperspec - Use local hyperspec instead of online version
dev-lisp/clisp:new-clx - Build CLISP with support for the NEW-CLX module which is a C binding to the Xorg libraries
dev-lisp/clisp:pari - Build CLISP with support for the PARI Computer Algebra System
dev-lisp/clisp:svm - Build CLISP with support for the Support Vector Machine module
dev-lisp/cmucl:nosource - Don't include source code for CMUCL in installation
dev-lisp/ecls:c++ - Build ECL with a C++ compiler
dev-lisp/gcl:ansi - Build a GCL with ANSI support (else build a traditional CLtL1 image)
dev-lisp/gcl:custreloc - Build a GCL which uses custom GCL code for linking
dev-lisp/gcl:dlopen - Build a GCL which uses dlopen for linking
dev-lisp/gcl:gprof - Build a GCL with profiling support
dev-lisp/sbcl:cobalt - mips only: use mipsel binary instead of mips big endian binary to bootstrap
dev-lisp/sbcl:ldb - Include support for the SBCL low level debugger
dev-ml/lablgtk:glade - Enable libglade bindings compilation.
dev-ml/lablgtk:gnomecanvas - Enable libgnomecanvas bindings compilation.
dev-ml/lablgtk:sourceview - Enable GtkSourceView support
dev-ml/ocamlnet:httpd - Enables net-httpd web server component
dev-perl/Eidetic:auth - Enables dev-perl/Apache-AuthTicket based cookie authentication
dev-perl/GD:animgif - Enable animated gif support
dev-perl/HTML-Mason:modperl - Enable www-apache/mod_perl support
dev-perl/PDL:badval - Enable badval support
dev-php/PEAR-PHP_Shell:auto-completion - Enable tab-completion
dev-php5/ZendFramework:doc - Installs the documentation
dev-php5/ZendFramework:examples - Installs the examples
dev-php5/ZendFramework:minimal - Installs the minimal version without Dojo toolkit, tests and demos
dev-php5/eaccelerator:contentcache - Enable content caching
dev-php5/eaccelerator:disassembler - Enable the eA disassembler
dev-php5/eaccelerator:inode - Use inode-based caching
dev-php5/php-gtk:extra - Enable GtkExtra support
dev-php5/php-gtk:glade - Enable libglade support
dev-php5/php-gtk:html - Enable GtkHTML2 support
dev-php5/php-gtk:libsexy - Enable libsexy support
dev-php5/php-gtk:mozembed - Enable GtkMozembed support
dev-php5/php-gtk:scintilla - Enable Scintilla support
dev-python/PyQt4:qt3support - enable the Qt3Support libraries for Qt4
dev-python/cgkit:3ds - Enable support for importing 3D Studio models
dev-python/dap:server - Enable OpenDAP server support
dev-python/docutils:glep - Install support for GLEPs
dev-python/jinja2:i18n - Enables support for i18n with dev-python/Babel
dev-python/kaa-base:tls - SSL/TLS support via dev-python/tlslite
dev-python/ldaptor:web - enable the web front end for ldaptor (uses dev-python/nevow)
dev-python/nose:twisted - install nose.twistedtools to integrate tests with twisted
dev-python/paste:flup - enable support for flup (and therefore for various wgsi servers and middleware)
dev-python/paste:openid - enable OpenID support
dev-python/psycopg:mxdatetime - choose MX DateTime support instead of built-in datetime
dev-python/pycairo:numeric - enable Numeric support
dev-python/pygobject:libffi - Enable support to connect to signals on python objects from C.
dev-python/pyyaml:libyaml - enable libyaml support
dev-python/pyzor:pyzord - enable support for pyzord
dev-python/rdflib:redland - enable support for Redland triplestore
dev-python/rdflib:zodb - enable support for Zope Object Database triplestore
dev-python/soya:ode - include support for Open Dynamics Engine
dev-python/sympy:imaging - Add support for dev-python/imaging
dev-python/sympy:ipython - Add support for dev-python/ipython
dev-python/sympy:mathml - Add support for mathml
dev-python/sympy:texmacs - Add support for app-office/texmacs
dev-python/twisted:serial - include serial port support
dev-python/visual:numarray - enable support for numarray
dev-python/visual:numeric - enable support for numeric
dev-python/zsi:twisted - add support for dev-python/twisted
dev-ruby/camping:mongrel - Also install dev-ruby/mongrel
dev-ruby/nitro:lighttpd - Also install www-servers/lighttpd
dev-ruby/nitro:xslt - Enable dev-libs/libxslt support
dev-ruby/og:kirbybase - Enable dev-ruby/kirbybase support
dev-ruby/ruby-sdl:image - Enable media-libs/sdl-image support
dev-ruby/ruby-sdl:mixer - Enable media-libs/sdl-mixer support
dev-ruby/ruby-sdl:sge - Enable sdl-sge support
dev-ruby/rubygems:server - Install support for the rubygems server
dev-ruby/sqlite3-ruby:swig - Use dev-lang/swig to generate bindings
dev-scheme/gambit:big-iron - Use expensive GCC optimizations and compile syntax-case macro system, try only if you have more than 2GB RAM
dev-scheme/gauche-gl:cg - Enable NVidia Cg binding
dev-scheme/gauche-gtk:glgd - Enable GL graph draw
dev-scheme/guile:debug-freelist - Include garbage collector freelist debugging code
dev-scheme/guile:debug-malloc - Include malloc debugging code
dev-scheme/guile:deprecated - Enable deprecated features
dev-scheme/guile:discouraged -  (implied by deprecated) enable merely discouraged features
dev-scheme/guile:elisp - Enable Emacs Lisp support
dev-scheme/guile:networking - Include networking interfaces
dev-scheme/guile:regex -  Include regular expression interfaces
dev-scheme/plt-scheme:3m -  Compile drscheme3m binary that uses the 3m GC instead of the Boehm GC 
dev-scheme/plt-scheme:backtrace -  Support GC backtrace dumps 
dev-scheme/plt-scheme:cgc -  Compile and install additional executables which use the conservative garbage collector 
dev-scheme/plt-scheme:llvm -  Add support for compiling to the low-level virtual machine (llvm) 
dev-scheme/plt-scheme:xft -  Add support for xft 
dev-scheme/plt-scheme:xrender -  Add support for xrender 
dev-tex/dot2texi:pgf - Enable support for dev-tex/pgf (The TeX Portable Graphic Format)
dev-tex/dot2texi:pstricks - Enable pstricks support
dev-tex/latex-beamer:lyx - Install with app-office/lyx layouts
dev-util/anjuta:devhelp - Enable devhelp integration
dev-util/anjuta:glade - Build glade plugin for anjuta
dev-util/anjuta:inherit-graph - Build inheritance graphing plugin for anjuta
dev-util/anjuta:sourceview - Build sourceview editing plugin for anjuta
dev-util/anjuta:valgrind - Build valgrind plugin for anjuta
dev-util/astyle:libs - builds and installs both shared and static library interfaces
dev-util/buildbot:irc - Add support for status delivery through an ircbot.
dev-util/buildbot:mail - Add support for watching a maildir for commits.
dev-util/buildbot:manhole - Add support for manhole (debug over ssh)
dev-util/buildbot:web - Add a web interface ("waterfall" page).
dev-util/bzr:sftp - Enable sftp support
dev-util/catalyst:ccache - Enables ccache support
dev-util/codeblocks:contrib - Build additional contrib components
dev-util/ctags:ada - Enable Ada support
dev-util/cvs:server - Enable server support
dev-util/debootstrap:nodpkg - Disable support for app-arch/dpkg (useful for building a non-debian system)
dev-util/eric:idl - Enable omniorb support
dev-util/gambas:corba - Enable CORBA 2 ORB (net-misc/omniORB)
dev-util/gambas:smtp - Enable smtp support.
dev-util/geany:vte - Enable Terminal support (x11-libs/vte)
dev-util/git:cgi - Install gitweb too
dev-util/git:mozsha1 - Makes git use an optimized SHA1 routine from Mozilla that should be fast on non-x86 machines.
dev-util/git:ppcsha1 - Make use of a bundled routine that is optimized for the PPC arch.
dev-util/git:subversion - Include git-svn for dev-util/subversion support.
dev-util/git:webdav - Adds support for push'ing to HTTP repositories via DAV.
dev-util/global:vim - vim funny stuff for global
dev-util/kdevelop:ada - Support for the Ada programming language.
dev-util/kdevelop:clearcase - Support for the ClearCase version control system.
dev-util/kdevelop:haskell - Support for the Haskell programming language.
dev-util/kdevelop:pascal - Support for the Pascal programming language.
dev-util/kdevelop:perforce - Support for the Perforce version control system.
dev-util/kdevelop:sql - Support for the Structured Query Language (SQL).
dev-util/mercurial:bugzilla - Support bugzilla integration.
dev-util/mercurial:darcs - Support conversion of Darcs repositories to Mercurial.
dev-util/mercurial:git - Support conversion of Git repositories to Mercurial.
dev-util/mercurial:gpg - Support signing with GnuPG.
dev-util/mercurial:zsh-completion - Install zsh command completion for hg.
dev-util/monodevelop:aspnet - Enable ASP.NET support
dev-util/monodevelop:c++ - Enable support for C/C++ programming languages
dev-util/netbeans:c++ - Adds Netbeans C/C++ Pack
dev-util/nsis:config-log - Enable the logging facility (useful in debugging installers)
dev-util/nsis:prebuilt-system - Use the pre-compiled System.dll from the release to workaround the System::Call issue under GCC
dev-util/nvidia-cuda-sdk:emulation -  Build binaries for device emulation mode. These binaries will not require a CUDA-capable GPU to run. 
dev-util/pbuilder:uml - Enable pbuilder user mode linux support
dev-util/strace:aio - Enable libaio support
dev-util/subversion:dso - Enable runtime module search
dev-util/subversion:extras - Install extras scripts (examples, tools, hooks)
dev-util/subversion:nowebdav - Disables WebDAV support via neon library
dev-util/subversion:svnserve - Install scripts for svnserve
dev-util/subversion:webdav-neon - Enable WebDAV support using net-misc/neon
dev-util/subversion:webdav-serf - Enable WebDAV support using net-libs/serf
dev-util/svk:pager - Enable perl pager selection support
dev-util/svk:patch - Enable patch creation, import support
dev-util/svk:svn-mirror - Enable SVN-Mirror support
games-action/abuse:demo - Use the demo data instead of the full game
games-action/abuse:levels - Install user-created levels (fRaBs)
games-action/abuse:sounds - Install optional sound data
games-action/d1x-rebirth:awe32 - Enable AWE32 support
games-action/d1x-rebirth:demo - Use the demo data instead of the full game
games-action/d1x-rebirth:mixer - Enable mixer support
games-action/d1x-rebirth:mpu401 - Enable MPU401 music support
games-action/d2x-rebirth:awe32 - Enable AWE32 support
games-action/d2x-rebirth:mpu401 - Enable MPU401 music support
games-action/xshipwars:yiff - Add support for the YIFF sound server
games-arcade/bomns:editor - enables building the level editor
games-arcade/lbreakout2:themes - Install additional themes
games-arcade/stepmania:force-oss - force using OSS
games-arcade/triplexinvaders:psyco - psyco python accelerator
games-arcade/ultrastar-ng:novideo - Disable smpeg video support
games-arcade/ultrastar-ng:songs - Build with few demo songs
games-board/chessdb:tb4 - Install 4 pieces table bases
games-board/crafty:no-opts - Don't try to enable crazy CFLAG options
games-board/freedoko:altenburgcards - Use the Altenburg card set
games-board/freedoko:kdecards - Use the KDE card set
games-board/freedoko:net - Enable network game support
games-board/freedoko:pysolcards - Use the PySol card set
games-board/freedoko:xskatcards - Use the XSkat card set
games-board/grhino:gtp - Install the GTP (Go/Game Text Protocol) frontend
games-board/pysol:extra-cardsets - Install extra cardsets
games-board/xboard:zippy - Enable experimental zippy client
games-emulation/generator:sdlaudio - Enable SDL Audio
games-emulation/snes9x:netplay - Enable playing ROMs over the network (not recommended)
games-emulation/xmame:net - Add network support
games-emulation/xmess:net - Add network support
games-emulation/zsnes:custom-cflags - Enables custom cflags (not supported)
games-engines/frobtads:tads2compiler - Build TADS2 compiler
games-engines/frobtads:tads3compiler - Build TADS3 compiler
games-engines/scummvm:fluidsynth - compile with support for fluidsynth
games-fps/darkplaces:cdsound - Enables using CD audio in the engine
games-fps/darkplaces:demo - Uses the demo data from quake1 (quake1-demodata)
games-fps/darkplaces:dpmod - Sets up the darkplaces mod from icculus
games-fps/darkplaces:lights - Install and setup the updated light maps
games-fps/darkplaces:textures - Install and setup the updated textures
games-fps/doom-data:doomsday - Add wrapper to run it within doomsday
games-fps/doom3:roe - Adds support for the Resurrection of Evil expansion
games-fps/duke3d:demo - Install the demo files
games-fps/ezquake-bin:security - install the security module needed for some servers
games-fps/freedoom:doomsday - Add wrapper to run it within doomsday
games-fps/nexuiz:maps - Install the community map pack
games-fps/quake2-icculus:demo - Install the demo files (quake2-demodata) and configure for use
games-fps/quake2-icculus:noqmax - Do not build the pretty version (quake max)
games-fps/quake2-icculus:qmax - Build the pretty version (quake max)
games-fps/quake2-icculus:rogue - Build support for the 'Ground Zero' Mission Pack (rogue)
games-fps/quake2-icculus:xatrix - Build support for the 'The Reckoning' Mission Pack (xatrix)
games-fps/quake3:teamarena - Adds support for Team Arena expansion pack
games-fps/quake3-bin:teamarena - Adds support for Team Arena expansion pack
games-fps/qudos:demo - Install the demo files (quake2-demodata) and configure for use
games-fps/qudos:mods - Build support for the quake2 mission packs
games-fps/qudos:qmax - Build the pretty version (quake max)
games-fps/qudos:textures - Install the enhanced textures (quake2-textures)
games-fps/rott:demo - Install the shareware version
games-fps/unreal-tournament-goty:S3TC - Add the extra fancy textures to UT ... only works on certain cards (nvidia/ati/s3)
games-fps/warsow:irc - Enable IRC support
games-fps/worldofpadman:maps - Install extra maps (PadPack)
games-kids/gcompris:gnet - will let GCompris fetch content from a web server
games-mud/mmucl:mccp - adds support for the Mud Client Compression Protocol
games-rpg/drascula:audio - Install optional audio files
games-rpg/eternal-lands-data:music - Install optional music files (extra 30 meg)
games-rpg/eternal-lands-data:sound - Install optional sound files (extra 40 meg)
games-rpg/galaxymage:psyco - psyco python accelerator
games-rpg/mangos:cli - compiles with support command line system
games-rpg/mangos:ra - compiles with support remote console system
games-rpg/mangos:sd2 - includes ScriptDev2 to distribution
games-rpg/nwn:hou - Install the Hordes of the Underdark expansion pack
games-rpg/nwn:sou - Installs the Shadows of Undrentide expension pack
games-rpg/nwn-cep:hou - Adds support for the Hordes of the Underdark expansion pack
games-rpg/nwn-cep:sou - Adds support for the Shadows of Undrentide expension pack
games-rpg/nwn-data:hou - Install the Hordes of the Underdark expansion pack
games-rpg/nwn-data:nowin - For those people who cant grab the 1.2 gigs of data files from a windows partition
games-rpg/nwn-data:sou - Installs the Shadows of Undrentide expension pack
games-simulation/openttd:scenarios - Install additional contributed scenarios
games-simulation/openttd:timidity - Add sound support (timidity)
games-simulation/singularity:music - Install music files
games-sports/xmoto:editor - Depend on inkscape, scripts to convert svg to level (svg2lvl)
games-strategy/dark-oberon:fmod - Add sound support (fmod)
games-strategy/defcon-demo:system-libs - Use system libraries instead of the ones included in the upstream distribution.
games-strategy/freeciv:auth - Add authentication capability
games-strategy/freelords:editor - Installs optional map editor
games-strategy/heroes3:maps - Installs optional map data
games-strategy/heroes3:music - Installs optional music data
games-strategy/heroes3:sounds - Installs optional sound data
games-strategy/ufo-ai:editor - Build map editor
games-strategy/uqm:music - download and install music files (large)
games-strategy/uqm:remix - download and install music remix files (large)
games-strategy/uqm:voice - download and install voice files (large)
games-strategy/wesnoth:editor - Enable compilation of map editor
games-strategy/wesnoth:lite - Lite install
games-strategy/wesnoth:server - Enable compilation of server
games-strategy/wesnoth:smallgui - enable GUI reductions for resolutions down to 800x480 (eeePC, Nokia 8x0)
games-strategy/wesnoth:tinygui - enable GUI reductions for resolutions down to 320x240 (PDAs)
games-strategy/wesnoth:tools - Enable compilation of translation tools
games-strategy/x2:bonusscripts - Add bonus scripts
games-strategy/x2:dynamic - Use dynamic binaries instead of static
games-strategy/x2:langpacks - Install additional language packs
games-strategy/x2:modkit - Install the modkit
gnome-base/gdm:dmx - Enables Distributed Multihead X (DMX) support
gnome-base/gdm:remote - Enables support for secure remote connections
gnome-base/gnome-control-center:sound - Enable sound event support with media-libs/libcanberra
gnome-base/gnome-mount:nautilus - Enables the Nautilus plugin
gnome-base/gnome-volume-manager:automount - Enable support for automounting devices that are handled by gnome-base/nautilus since 2.22. This should be off on most Gnome systems.
gnome-base/gnome-volume-manager:consolekit - Use sys-auth/consolekit to determine policy on removable media.
gnome-base/gvfs:archive - Enables support for accessing files in archives transparently via app-arch/libarchive
gnome-base/gvfs:cdda - Enables Compact Disc Digital Audio (standard audio CDs) support
gnome-base/gvfs:fuse - Enables fuse mount points in $HOME/.gvfs for legacy application access
gnome-base/nautilus:beagle - Enables support for searching using the Beagle (app-misc/beagle) desktop search tool
gnome-base/nautilus:tracker - Enables support for searching using the Tracker (app-misc/tracker) search tool
gnome-base/nautilus:xmp - Adds support for XMP metadata
gnome-extra/avant-window-navigator:xfce - Enables support for the XFCE 4 desktop environment
gnome-extra/file-browser-applet:gtkhotkey - Enable hotkey support via x11-libs/gtkhotkey
gnome-extra/gnome-do-plugins:amarok - Enables the Amarok (media-sound/amarok) plugin
gnome-extra/gnome-games:artworkextra - Installs extra artwork for various games
gnome-extra/gnome-lirc-properties:policykit - Use sys-auth/policykit to gain privileges to change configuration files
gnome-extra/gnome-media:gnomecd - Builds the GNOME CD Player
gnome-extra/libgda:mdb - Enables Microsoft Access DB support
gnome-extra/libgda:xbase - Enables support for xbase databases (dBase, FoxPro, etc.)
gnome-extra/nautilus-sendto:gajim - Enables support for the Gajim (net-im/gajim) IM client
gnome-extra/nautilus-sendto:pidgin - Enables support for the Pidgin (net-im/pidgin) IM client
gnome-extra/nautilus-sendto:sylpheed - Enables support for the Sylpheed (mail-client/sylpheed) mail client
gnome-extra/nautilus-sendto:thunderbird - Enables support for the Mozilla Thunderbird (mail-client/mozilla-thunderbird) mail client
gnome-extra/sensors-applet:nvidia - Enables support for sensors on NVidia chips
gnome-extra/yelp:beagle - Enables support for the Beagle (app-misc/beagle) desktop search tool
gnome-extra/yelp:lzma - Enables support for LZMA compressed info and man pages
gnustep-apps/cdplayer:preferences - Use gnustep-apps/preferences for preferences setting
gnustep-apps/cdplayer:systempreferences - Use gnustep-apps/systempreferences for preferences setting
gnustep-apps/gnumail:emoticon - Enable extra Emoticon Bundle to see smiley's in e-mail messages
gnustep-base/gnustep-back-art:xim - Enable X11 XiM input method
gnustep-base/gnustep-back-cairo:glitz - Build with media-libs/glitz support
gnustep-base/gnustep-back-cairo:xim - Enable X11 XiM input method
gnustep-base/gnustep-back-xlib:xim - Enable X11 XiM input method
gnustep-base/gnustep-base:gcc-libffi - Use dev-libs/libffi from sys-devel/gcc instead of dev-libs/ffcall. Requires sys-devel/gcc built with USE=libffi
kde-base/akonadi:nepomuk - Enable desktop-wide tagging support
kde-base/ark:archive - Enable support for a variety of archive formats through libarchive
kde-base/ark:zip - Enable zip support through LibZip
kde-base/arts:artswrappersuid - Set artswrapper suid for realtime playing, which is a security hazard
kde-base/dolphin:semantic-desktop -  Semantic desktop allows for storage of digital information and its metadata to allow the user to express his personal mental models, making all information become intuitively accessible 
kde-base/gwenview:kipi - Support for the KDE Image Plugin Interface.
kde-base/gwenview:semantic-desktop -  Semantic desktop allows for storage of digital information and its metadata to allow the user to express his personal mental models, making all information become intuitively accessible 
kde-base/juk:akode - Support for the aKode audio-decoding frame-work
kde-base/juk:tunepimp - Provide MusicBrainz tagging in Juk
kde-base/kaddressbook:gnokii - Address synchronization with mobile phones via app-mobilephone/gnokii
kde-base/kalzium:cviewer - Enable Kalzium compound viewer
kde-base/kalzium:editor - Enable the embedded molecule editor/viewer
kde-base/kalzium:solver - Enable the equation solver
kde-base/kbugbuster:kcal - Support for kcal (calendar) format
kde-base/kcontrol:logitech-mouse - Build the Control Center module to configure logitech mice
kde-base/kdeadmin-meta:lilo - Install lilo-config, a frontend for the lilo boot loader
kde-base/kdebase:logitech-mouse - Build the Control Center module to configure logitech mice
kde-base/kdeedu:kig-scripting - Support Python scripting in kig
kde-base/kdeedu:solver - Enable Kalzium ocaml equation solver
kde-base/kdegraphics:kpathsea - Enable integration with kpathsea search library (TeX related)
kde-base/kdegraphics:povray - Install KPovModeler, which needs POV-Ray
kde-base/kdegraphics-meta:povray - Install kde-base/kpovmodeler, which needs POV-Ray
kde-base/kdelibs:legacyssl - Support for some deprecated ciphers. Don't use this flag unless you really need it
kde-base/kdelibs:semantic-desktop - Semantic desktop allows for storage of digital information and its metadata to allow the user to express his personal mental models, making all information become intuitively accessible
kde-base/kdelibs:utempter - Records user logins. Useful on multi-user systems
kde-base/kdemultimedia:akode - Support for the aKode audio-decoding frame-work
kde-base/kdenetwork:sametime - Support for the Sametime protocol for instant messaging
kde-base/kdepim:gnokii - Address synchronization with mobile phones via Gnokii
kde-base/kdeutils:pbbuttonsd - Support for the Apple PMU daemon pbbuttonsd
kde-base/kdeutils-meta:floppy - Install kfloppy to format and create DOS or ext2fs filesystems in a floppy.
kde-base/kdvi:kpathsea - Enable integration with kpathsea search library (TeX related)
kde-base/kig:kig-scripting - Support Python scripting
kde-base/kmail:nepomuk - Enable desktop-wide tagging support
kde-base/kmilo:pbbuttonsd - Support for the Apple PMU daemon pbbuttonsd
kde-base/kopete:addbookmarks - Enable the addbookmarks plugin
kde-base/kopete:alias - Enable the alias plugin
kde-base/kopete:autoreplace - Enable the autoreplace plugin
kde-base/kopete:connectionstatus - Builds Connection Status plugin
kde-base/kopete:contactnotes - Enable the contactnotes plugin
kde-base/kopete:decibel - Enable the Telepathy protocol plugin
kde-base/kopete:gadu - Enable the gadu protocol plugin
kde-base/kopete:groupwise - Enable the groupwise protocol plugin
kde-base/kopete:highlight - Enable the highlight plugin
kde-base/kopete:history - Enable the history plugin
kde-base/kopete:irc - Builds IRC protocol handler
kde-base/kopete:jabber - Enable the Jabber protocol plugin
kde-base/kopete:messenger - Enable the Windows LIVE!-Messenger protocol plugin
kde-base/kopete:netmeeting - Builds netmeeting plugin (require gnomemeeting)
kde-base/kopete:nowlistening - Enable the nowlistening plugin
kde-base/kopete:otr - Encryption for IMs, using libotr
kde-base/kopete:pipes - Enable support for the pipes plugin
kde-base/kopete:privacy - plugin to selectively filter messages
kde-base/kopete:qca - Enable the Qt Cryptographic Architecture
kde-base/kopete:qq - enable support for the chinese network protocol
kde-base/kopete:sametime - Enables support for the Sametime protocol for instant messaging
kde-base/kopete:sms - Enable the sms protocol plugin
kde-base/kopete:statistics - Enable the statistics plugin
kde-base/kopete:telepathy - Enable support for the realtime communication framework telepathy
kde-base/kopete:testbed - Enable the testbed protocol plugin
kde-base/kopete:texteffect - Enable the texteffect plugin
kde-base/kopete:translator - Enable the translator plugin
kde-base/kopete:urlpicpreview - plugin to allow users to send photos through URLs
kde-base/kopete:webpresence - Enable the webpresence plugin
kde-base/kopete:winpopup - Enable support for the winpopup plugin
kde-base/kopete:xslt - Enable xslt support
kde-base/kstars:fits - Enable support for the FITS image format through cfitsio
kde-base/kstars:nova - Enable support for libnova.
kde-base/kstars:sbig - Enable support for SBIG.
kde-base/kttsd:akode - Support for the aKode audio-decoding frame-work.
kde-base/kttsd:ktts - Enable KDE Text To Speech modules
kde-base/kttsd:phonon - Enable support for the KDE multimedia API
kde-base/kwin:captury - Enable the 'Capture'-plugin in kwin
kde-base/marble:designer-plugin - Enable designer plugin
kde-base/okular:chm - Enable support for Microsoft Compiled HTML Help files
kde-base/step:qalculate - Enable the libqalculate library for unit conversion
kde-misc/knetworkmanager:cisco - Adds support for the Cisco VPN client net-misc/vpnc
kde-misc/knetworkmanager:dialup - Enables Dialup (PPP) support
kde-misc/knetworkmanager:openvpn - Adds support for the OpenVPN net-misc/openvpn client
kde-misc/knetworkmanager:pptp - Adds support for the PPTP (PPP) VPN client
kde-misc/ksensors:ibmacpi - Enable monitoring of ACPI sensor data on IBM Thinkpad notebooks
mail-client/balsa:crypt - Adds support for GnuPG encryption
mail-client/balsa:gtkspell - Use gtkspell for dictionary support
mail-client/balsa:rubrica - Adds support for app-office/rubrica addressbook
mail-client/claws-mail:bogofilter - Build mail-filter/bogofilter plugin
mail-client/claws-mail:dillo - Enables support for inline HTTP email viewing with a plugin (which depends on the www-client/dillo browser)
mail-client/claws-mail:spamassassin - Build mail-filter/spamassassin plugin
mail-client/evolution:crypt - Enable GPG encryption support using app-crypt/gnupg and app-crypt/pinentry
mail-client/evolution:dbus - Allow the Mail Notification plugin to notify you about new messages via an icon in the tray using sys-apps/dbus
mail-client/evolution:hal - Enable support for auto-detection of inserted iPods and syncing data with them using sys-apps/hal
mail-client/evolution:ldap - Enable support for fetching contacts from an LDAP or Active Directory server using net-nds/openldap
mail-client/evolution:mono - Build the dev-lang/mono plugins included in Evolution
mail-client/evolution:networkmanager - Allows Evolution to automagically toggle online/offline mode by talking to net-misc/networkmanager and getting the current network state
mail-client/evolution:pda - Enable support for syncing Evolution Calendar and Addressbooks with PDAs using app-pda/gnome-pilot and app-pda/gnome-pilot-conduit
mail-client/evolution:profile - Build support for profiling Evolution for development purposes
mail-client/evolution:spell - Enable spell-checking support using app-text/gnome-spell
mail-client/mail-notification:gmail - Enable Gmail mailbox checking
mail-client/mail-notification:mh - Enable MH mailbox checking
mail-client/mail-notification:pop - Enable support for pop
mail-client/mail-notification:sylpheed - Enable support for MH mailboxes used by mail-client/sylpheed
mail-client/mozilla-thunderbird:mozdom - Enable Mozilla's DOM inspector
mail-client/mozilla-thunderbird:moznopango - Disable x11-libs/pango during runtime
mail-client/mozilla-thunderbird:replytolist - Enable x11-plugins/replytolist plugin
mail-client/mutt:buffysize - Enable buffysize workaround, see bug #72422
mail-client/mutt:gpgme - Enable support for app-crypt/gpgme
mail-client/mutt:pop - Enable support for pop
mail-client/mutt:sidebar - Use the vanilla tree + sidebar patch
mail-client/mutt:smime - Enable support for smime
mail-client/mutt:smtp - Enable support for smtp
mail-client/nail:net - Enable network support (thus enabling POP, IMAP and SMTP)
mail-client/pine:largeterminal - Add support for large terminals by doubling the size of pine's internal display buffer
mail-client/pine:passfile - Adds support for caching IMAP passwords into a file between sessions
mail-client/squirrelmail:filter - Enable mail-filter/amavisd-new filtering
mail-filter/MailScanner:bitdefender - Enable usage of bitdefender virus scanner
mail-filter/MailScanner:exim - Set mail-mta to used MTA
mail-filter/MailScanner:f-prot - Enable usage of app-antivirus/f-prot virus scanner
mail-filter/MailScanner:postfix - Set mail-mta/postfix to used MTA
mail-filter/MailScanner:spamassassin - Enable usage of mail-filter/spamassassin for spam protection
mail-filter/amavisd-new:courier - Add support for usage with courierfilter
mail-filter/amavisd-new:dkim - Add optional Yahoo! DomainKey support
mail-filter/amavisd-new:qmail - Add support for qmail
mail-filter/ask:procmail - Adds support for mail-filter/procmail
mail-filter/assp:spf - Adds support for Sender Policy Framework
mail-filter/assp:srs - Adds support for Sender Rewriting Scheme
mail-filter/bsfilter:mecab - Adds support for mecab
mail-filter/clamassassin:clamd - Use the app-antivirus/clamav daemon for virus checking
mail-filter/clamassassin:subject-rewrite - Adds support for subject rewriting
mail-filter/dcc:rrdtool - Enable net-analyzer/rrdtool interface scripts
mail-filter/dkim-milter:diffheaders - On verification failure, compare the original and the received headers to look for possible munging
mail-filter/dovecot-antispam:crm114 - Build CRM114 backend
mail-filter/dovecot-antispam:dspam - Build mail-filter/dspam backend
mail-filter/dovecot-antispam:mailtrain - Build mailtrain backend
mail-filter/dovecot-antispam:signature-log - Build signature-log backend
mail-filter/dspam:daemon -  Enable support for DSPAM to run in --daemon mode 
mail-filter/dspam:debug -  Enable debugging support (don't enable this unless something needs testing!) 
mail-filter/dspam:debug-bnr -  Activates debugging output for Bayesian Noise Reduction 
mail-filter/dspam:debug-verbose -  Cause DSPAM produce verbose debug output and write them into LOGDIR/dspam.debug file. Never enable this for production builds! 
mail-filter/dspam:large-domain -  Builds for large domain rather than for domain scale 
mail-filter/dspam:user-homedirs -  uild with user homedir support 
mail-filter/dspam:virtual-users -  Build with virtual-users support 
mail-filter/libmilter:poll - Use poll instead of select
mail-filter/maildrop:authlib - Add courier-authlib support
mail-filter/postgrey:targrey - Enables the targrey patch
mail-filter/qmail-scanner:spamassassin - Build faster mail-filter/spamassassin checks into qmail-scanner
mail-filter/simscan:attachment - Enable attachment scanning
mail-filter/simscan:custom-smtp-reject - Return smtp reject message with virus name
mail-filter/simscan:dropmsg - Drop message in case of virus/spam
mail-filter/simscan:passthru - Passthru message in case of virus/spam
mail-filter/simscan:per-domain - Enable support for per-domain settings
mail-filter/simscan:quarantine - Enable quarantine support
mail-filter/simscan:received - Add Received: line to mail headers
mail-filter/simscan:regex - Enable regular expression matching
mail-filter/simscan:spam-auth-user - Turn on spam scanning for authenticated users
mail-filter/simscan:spamassassin - Use mail-filter/spamassassin for spam checking
mail-filter/simscan:spamc-user - Set user option to spamc
mail-filter/spamassassin:qmail - Build qmail functionality and docs
mail-filter/spamassassin:tools - Enables tools for spamassassin
mail-filter/spamassassin-fuzzyocr:amavis - Enable support for mail-filter/amavisd-new
mail-filter/spamassassin-fuzzyocr:gocr - Enable support for the gocr OCR engine
mail-filter/spamassassin-fuzzyocr:logrotate - Install support files for app-admin/logrotate
mail-filter/spamassassin-fuzzyocr:ocrad - Enable support for the ocrad OCR engine
mail-filter/spamassassin-fuzzyocr:tesseract - Enable support for the tesseract OCR engine
mail-filter/spamdyke:tls - Enables TLS protocol for spamdyke
mail-mta/courier:fax - Enables fax support in the courier mail server
mail-mta/courier:norewrite - Prevents courier mail server from mangling virtual user addresses when sending
mail-mta/courier:web - Enable the web interface
mail-mta/courier:webmail - Enable the webmail interface
mail-mta/exim:dnsdb - Adds support for a DNS search for a record whose domain name is the supplied query
mail-mta/exim:domainkeys - Adds support for Yahoo!'s DomainKey sender verification system
mail-mta/exim:dovecot-sasl - Adds support for Dovecot's authentication
mail-mta/exim:exiscan - Patch providing support for content scanning backward-compatibility
mail-mta/exim:exiscan-acl - Patch providing support for content scanning
mail-mta/exim:lmtp - Adds support for lmtp
mail-mta/exim:logrotate - Adds support for the 'logrotate' log rotation program
mail-mta/exim:mbx - Adds support for UW's mbx format
mail-mta/exim:spf - Adds support for Sender Policy Framework
mail-mta/exim:srs - Adds support for Sender Rewriting Scheme
mail-mta/netqmail:authcram - Enable AUTHCRAM support
mail-mta/netqmail:gencertdaily - Generate SSL certificates daily instead of hourly
mail-mta/netqmail:highvolume - Prepare netqmail for high volume servers
mail-mta/netqmail:noauthcram - If you do NOT want AUTHCRAM to be available
mail-mta/postfix:dovecot-sasl - Enable mail-mta/dovecot protocol version 1 (server only) SASL implementation
mail-mta/postfix:vda - Adds support for virtual delivery agent quota enforcing
mail-mta/qmail-ldap:cluster - Enable this if you want to have cluster support in qmail-ldap
mail-mta/qmail-ldap:gencertdaily - Generate SSL certificates daily instead of hourly
mail-mta/qmail-ldap:highvolume - Prepare qmail for high volume servers
mail-mta/qmail-ldap:rfc2307 - Add support for RFC2307 compliant uid/gid attributes
mail-mta/qmail-ldap:rfc822 - Add support for RFC822 compliant mail attributes
mail-mta/qpsmtpd:async - Add deps + support for asynchronous mail reception/processing
mail-mta/qpsmtpd:postfix - create user with permissions for proper postfix interaction
mail-mta/ssmtp:maxsysuid - Allow to define a MinUserId
mail-mta/ssmtp:md5sum - Enables MD5 summing for ssmtp
media-fonts/dejavu:fontforge - Use media-gfx/fontforge to build fonts from source
media-fonts/intlfonts:bdf - Installs BDF fonts in addition to PCF
media-fonts/terminus-font:a-like-o - Changes view of letter 'a' - a looks like o (see homepage)
media-fonts/terminus-font:bolddiag - Boldified diagonal parts of '4', 'k', 'x' and some other chars
media-fonts/terminus-font:pcf - Intall Portable Compiled Font (PCF) (required for X11)
media-fonts/terminus-font:psf - Install PC Screen Font (PSF) with unicode data (for linux console)
media-fonts/terminus-font:quote - Changes view of quotes: symmetric ` and ' instead of asymmetric one (see homepage)
media-fonts/terminus-font:raw - Install RAW font data which should be compatible with most UNIX systems (you don't need this on linux)
media-fonts/terminus-font:ru-dv - Changes view of Russian letters 'de' and 've' (see homepage)
media-fonts/terminus-font:ru-g - Changes view of Russian letter 'ge' (see homepage)
media-fonts/terminus-font:ru-i - Changes view of Russian letter 'i' - not like Latin u, but like "mirrored" N (see homepage)
media-fonts/terminus-font:ru-k - Changes view of Russian letter 'k' (see homepage)
media-fonts/terminus-font:width - Wider versions of some font elements
media-gfx/asymptote:boehm-gc -  Enables using the Boehm-Demers-Weiser conservative garbage collector 
media-gfx/asymptote:sigsegv -  Enables using dev-libs/libsigsegv 
media-gfx/autotrace:flash -  Adds support for creating SWF files using Ming 
media-gfx/blender:blender-game -  Adds game engine support to blender 
media-gfx/blender:player -  Enable blender player 
media-gfx/blender:verse -  Adds verse clustering features to blender 
media-gfx/comix:rar -  Pulls app-arch/unrar for rar file support 
media-gfx/digikam:nfs -  Create sqlite db within ~/.kde, instead in the albums base directory. 
media-gfx/eog:xmp - Adds support for XMP metadata
media-gfx/exiv2:xmp -  Adds support for Adobe XMP 
media-gfx/gimp:smp -  Enable support for multiprocessors 
media-gfx/gimp:webkit -  Enable the webkit rendering engine 
media-gfx/graphviz:cgraph -  Enables cgraph (PostScript plotting library in C) library 
media-gfx/graphviz:pango -  Enables the rendering of the graphs using pango & cairo (with antialiasing support) 
media-gfx/gthumb:iptc -  Add support for IPTC metadata 
media-gfx/gwenview:kipi -  Support for the KDE Image Plugin Interface. 
media-gfx/hugin:enblend - add support for nice image blending with media-gfx/enblend
media-gfx/hugin:sift - automatically align images with media-gfx/autopano-sift or media-gfx/autopano-sift-C
media-gfx/imagemagick:corefonts -  pull in media-fonts/corefonts, which is required for some commands 
media-gfx/imagemagick:fpx -  enable media-libs/libfpx support 
media-gfx/imagemagick:gs -  enable ghostscript support 
media-gfx/imagemagick:hdri -  enable High Dynamic Range Images formats 
media-gfx/imagemagick:q32 -  set quantum depth to 32 
media-gfx/imagemagick:q8 -  set quantum depth to 8 
media-gfx/inkscape:dia -  pull in app-office/dia for dia import extension 
media-gfx/inkscape:inkjar -  enables support for OpenOffice.org SVG jar files 
media-gfx/inkscape:postscript -  pull in dependencies needed for the postscript import extension 
media-gfx/jpeg2ps:metric -  Default to A4 paper size 
media-gfx/k3d:plib -  build plib-based import/export library 
media-gfx/maya:bundled-libs -  Use the bundled versions of libs rather than system ones (libstdc++, libgcc_s, libqt, and libXm) 
media-gfx/maya:maya-shaderlibrary -  Install the maya shader library 
media-gfx/potrace:metric -  default to a4 paper size and metric measurement 
media-gfx/pstoedit:emf -  enables media-libs/libemf support 
media-gfx/showimg:kipi -  Support for the KDE Image Plugin Interface. 
media-gfx/splashutils:fbcondecor -  Support for the fbcondecor kernel patch. 
media-gfx/ufraw:contrast -  enable the experimental contrast setting option 
media-gfx/ufraw:timezone -  enable DST correction for file timestamps 
media-libs/a52dec:djbfft - Prefer D.J. Bernstein's library for fourier transforms
media-libs/allegro:vga - Enables the VGA graphics driver
media-libs/alsa-lib:alisp - Enable support for ALISP (ALSA LISP) interpreter for advanced features.
media-libs/alsa-lib:midi - Enables MIDI output support (both Hardware and Software)
media-libs/cal3d:16bit-indices - Enables use of 16bit indices
media-libs/devil:allegro - Add support for Allegro
media-libs/faad2:digitalradio - Digital Radio Mondiale (warning: disables other decoders)
media-libs/freetype:kpathsea - Enable TeX support (ttf2pk and ttf2pfb)
media-libs/freetype:utils - Install utilities and examples from ft2demos
media-libs/giflib:rle - Build converters for RLE format (utah raster toolkit)
media-libs/glide-v3:voodoo1 - Support 3DFX Voodoo1 video cards
media-libs/glide-v3:voodoo2 - Support 3DFX Voodoo2 video cards
media-libs/glide-v3:voodoo5 - Support 3DFX Voodoo4 and Voodoo5 video cards
media-libs/libass:enca - Enables support for charset discovery and conversion.
media-libs/libcanberra:alsa - Enables ALSA sound driver.
media-libs/libcanberra:gstreamer - Enables gstreamer sound driver. Not useful when alsa or pulseaudio is available.
media-libs/libcanberra:gtk - Enables building of gtk+ helper library, gtk+ runtime sound effects and the canberra-gtk-play utility. To enable the gtk+ sound effects add canberra-gtk-module to the colon separated list of modules in the GTK_MODULES environment variable.
media-libs/libcanberra:pulseaudio - Enables PulseAudio sound driver that should be able to support positional event sounds. This is the preferred choice for best sound events experience and picked by default if compiled in and possible to use at runtime.
media-libs/libdc1394:juju - Use the new juju firewire stack in the Linux kernel
media-libs/libggi:vis - Enables sparc vis support for libggi
media-libs/libifp:module - Build kernel module for non-root usage
media-libs/libsdl:custom-cflags - Allow users to use any CFLAGS they like completely (at their own risk)
media-libs/libsdl:noaudio - Allow users to disable audio support completely (at their own risk)
media-libs/libsdl:nojoystick - Allow users to disable joystick support completely (at their own risk)
media-libs/libsdl:novideo - Allow users to disable video support completely (at their own risk)
media-libs/libvorbis:aotuv - Applies the aoTuV patches. Aoyumi's Tuned Vorbis is a third-party patchset that improves the vorbis encoding quality. A previous version of the aoTuV patchset has already been merged with the official libvorbis release. The current patchset especially improves encoding quality at low bitrate settings, and is very likely to be merged at some point in the future. It is recommended that all users enable this useflag. 
media-libs/mediastreamer:gsm - Include support for the gsm audio codec
media-libs/mediastreamer:video - Enable video support (display/capture)
media-libs/netpbm:rle - Build converters for the RLE format (utah raster toolkit)
media-libs/opencv:demos - Install applications that demo OpenCV library functions
media-libs/openjpeg:tools - Installs tools (j2k_to_image and image_to_j2k)
media-libs/panda3d:fmod - Enables support for using mod files for audio support
media-libs/panda3d:nspr - Enables support for the Netscape Portable Runtime, used in network interface functionality (ie. multiplayer online game networking).
media-libs/ploticus:cpulimit - Limit cpu usage when generating graphics
media-libs/ploticus:flash - Adds support for creating SWF files using Ming
media-libs/ploticus:svgz - Compressed svg graphics support
media-libs/sdif:ftruncate - Enables usage of ftruncate v. truncate
media-libs/sdl-sound:physfs - Enable physfs support
media-libs/sge:image - enable sdl-image support
media-libs/speex:vorbis-psy - Enable Vorbis-style psychoacoustics
media-libs/svgalib:no-helper - Do not build the helper kernel module
media-libs/swfdec:alsa - Use ALSA for audio output
media-libs/swfdec:doc - Build documentation
media-libs/swfdec:ffmpeg - Use media-plugins/gst-plugins-ffmpeg to enable Flash video support. Necessary if you want to use sites like youtube
media-libs/swfdec:gstreamer - Enable media-libs/gstreamer to support various media input formats. i.e. audio (mp3) and video (flv)
media-libs/swfdec:gtk - Enable GTK+ convenience library while is necessary for all GTK+ apps using swfdec (gnome-extra/swfdec-gnome and net-www/swfdec-mozilla)
media-libs/swfdec:oss - Use Open Sound System for audio output
media-libs/swfdec:pulseaudio - Use media-sound/pulseaudio for audio output
media-libs/urt:gs - Add support for postscript
media-libs/win32codecs:real - Installs the real video codecs
media-libs/xine-lib:dxr3 -  Enable support for DXR3 mpeg accelleration cards. 
media-libs/xine-lib:flac -  Build the media-libs/flac based FLAC demuxer and decoder. This flag is not needed for playing FLAC content, neither standalone nor in Ogg container (OggFLAC), but might have better support for exotic features like 24-bit samples or 96kHz sample rates. 
media-libs/xine-lib:gnome -  Build the gnome-base/gnome-vfs based input plugin. This plugin is used to access any resource that can be accessed through Nautilus's (and others') URLs. 
media-libs/xine-lib:gtk -  Build the gdkpixbuf-based image decoder plugin. 
media-libs/xine-lib:imagemagick -  Build the ImageMagick-based image decoder plugin. 
media-libs/xine-lib:mad -  Build the media-libs/libmad based mp3 decoder. This mp3 decoder has superior support compared to the one coming from FFmpeg that is used as a fallback. If you experience any bad behaviour with mp3 files (skipping, distorted sound) make sure you enabled this USE flag. 
media-libs/xine-lib:mmap -  Use mmap() function while reading file from local disks. Using mmap() will use more virtual memory space, but leaves to the Kernel the task of caching the file's data. mmap() access should be faster, but might misbehave if the device where the file resides in is removed during playback. 
media-libs/xine-lib:real -  Enable support for loading and using RealPlayer binary codecs on x86 and amd64 Linux. Enabling this USE flag might make the package non-redistributable in binary form. 
media-libs/xine-lib:truetype -  Use media-libs/freetype for font rendering and media-libs/fontconfig for font discovery. Enabling this USE flag will allow OSD (such as subtitles) to use more advanced font and to more easily select which font to use. The support for TrueType fonts in xine-lib is still experimental, and might not be as good looking as the bitmap fonts used with this USE flag disabled. 
media-libs/xine-lib:vidix -  Enable support for vidix video output. 
media-libs/xine-lib:vis -  Adds support for SIMD optimizations for UltraSPARC processors. 
media-libs/xine-lib:win32codecs -  Enable support for loading and using Windows 32-bit binary codecs on x86 Linux and FreeBSD. Enabling this USE flag might make the package non-redistributable in binary form. 
media-libs/xine-lib:xvmc -  Enable support for XVideo Motion Compensation (accelerated mpeg playback). 
media-plugins/audacious-plugins:adplug - Build with AdPlug (Adlib sound card emulation) support
media-plugins/audacious-plugins:chardet - Try to handle non-UTF8 chinese/japanese/korean ID3 tags
media-plugins/audacious-plugins:mtp - Build with Media Transfer Protocol music upload support
media-plugins/audacious-plugins:scrobbler - Build with scrobbler/LastFM submission support
media-plugins/audacious-plugins:sid - Build with SID (Commodore 64 Audio) support
media-plugins/audacious-plugins:tta - Build with TTA (True-Audio Loseless) support
media-plugins/audacious-plugins:wma - Build with WMA (Windows Media Audio) support
media-plugins/gst-plugins-farsight:gsm - Support for the gsm lossy speech compression library
media-plugins/gst-plugins-meta:mythtv - Support for retrieval from media-tv/mythtv backend
media-plugins/mythdvd:transcode - Enable DVD ripping and transcoding
media-plugins/mythmusic:libvisual - Enables media-libs/libvisual support for effects
media-plugins/mythphone:festival - Enable app-accessibility/festival support
media-plugins/vdr-burn:projectx - Enables support for media-video/projectx
media-plugins/vdr-dvdconvert:projectx - Enable support for media-video/projectx
media-plugins/vdr-graphtft:graphtft-fe - Install external x11 remote frontend
media-plugins/vdr-music:4mb-mod - Enables support for modded FF-Card to 4MB ram or softdecoder
media-plugins/vdr-music:ff-card - Enables scrollmode on FF-Card
media-plugins/vdr-music:graphtft - Enable support for media-plugins/vdr-graphtft
media-plugins/vdr-pvr350:yaepg - Enables full support for the output format of media-plugins/vdr-yaepg
media-plugins/vdr-softdevice:mmxext - enables MMXExt support
media-plugins/vdr-text2skin:direct_blit - not buffer picture, faster, but only for modified skins
media-plugins/vdr-weatherng:dxr3 - enables lower osd color depth for dxr3 cards
media-plugins/vdr-xineliboutput:libextractor - Use media-libs/libextract to gather files' metadata in media-player
media-radio/tucnak2:ftdi - Enable support for FTDI USB chips
media-radio/tucnak2:hamlib - Enables support by the Hamlib amateur radio rig control library to get/set frequency and mode of the ham radio
media-sound/abcde:id3 - Support ID3, ID3v2 tagging of audio files
media-sound/abcde:normalize - Add support for normalizing audio file volume levels
media-sound/abcde:replaygain - Support for Replay Gain metadata, for relative volume adjustment
media-sound/alsa-driver:midi - Build the sequencer (midi) modules
media-sound/alsa-tools:midi - Build the sequencer (midi) utilities
media-sound/alsa-utils:midi - Build the sequencer (midi) utilities
media-sound/amarok:amazon - Enable support for downloading covers from amazon.com
media-sound/amarok:cdaudio - Enable cdaudio functionality
media-sound/amarok:daap -  Enable the scripts for music sharing through DAAP. This flag adds dependencies on www-servers/mongrel to allow sharing of the Amarok music collection through DAAP protocol. Please note that turning this flag off has no effect on DAAP browsing. 
media-sound/amarok:ifp - Enable support for iRiver devices access through libifp
media-sound/amarok:mp3tunes - Enable mp3tunes integration
media-sound/amarok:mp4 -  Build the TagLib plugin for writing tags in Mp4 container files (m4a). Please note that by enabling this USE flag, the resulting package will not be redistributable, as it links to media-libs/libmp4v2, distributed under a GPL-incompatible license. 
media-sound/amarok:mtp - Enable support for libMTP (Plays4Sure) devices access through libmtp
media-sound/amarok:njb - Enable support for NJB (Creative) devices access through libnjb
media-sound/amarok:python -  Install the Amarok scripts written in Python, depending on dev-python/PyQt. At the moment the only script installed by this flag is the webcontrol script. 
media-sound/amarok:real -  Build the Helix engine for Amarok, linked against media-video/realplayer. This is an alternative engine to the xine one, which supports a different set of formats. Only available for x86 architecture as it uses the binary version of RealPlayer. Plase note that by enabling this USE flag, the resulting package will not be redistributable, as it links to the non-GPL compatible RealPlayer. 
media-sound/amarok:visualization - Support visualization plugins through media-libs/libvisual
media-sound/aqualung:cdda - Enables libcdda cd audio playback support
media-sound/aqualung:loop-playback - Enable adjustable loop playback support
media-sound/aqualung:systray - Enable system tray support
media-sound/ardour:freesound - Enables direct searching and download of samples from Freesound via the Import dialog
media-sound/audacious:chardet - Try to handle non-UTF8 chinese/japanese/korean ID3 tags
media-sound/audacity:id3tag - Enables ID3 tagging with id3tag library
media-sound/audacity:midi - Enables MIDI support
media-sound/audacity:soundtouch - Enables soundtouch library support
media-sound/audacity:twolame - Enables twolame support (MPEG Audio Layer 2 encoder)
media-sound/audacity:vamp - Enables vamp plugins support (Audio analysing plugins)
media-sound/banshee:boo - Use external Boo instead of the bundled one
media-sound/banshee:daap - Build with Daap support
media-sound/banshee:mtp - Build with Media Transfer Protocol support
media-sound/banshee:njb - Build with njb audio player support
media-sound/banshee:podcast - Build with podcasting support
media-sound/bmpx:sid - Build with SID (Commodore 64 Audio) support
media-sound/cmus:mp4 - enable mp4 decoding
media-sound/cmus:pidgin - install support script for net-im/pidgin
media-sound/cmus:wma - add support for Windows Media Audio
media-sound/cmus:zsh-completion - enable zsh completion support
media-sound/darkice:twolame - Build with twolame support
media-sound/decibel-audio-player:cdaudio - Adds support for CD audio playback and lookups via CDDB
media-sound/dir2ogg:wma - Add support for wma files through mplayer
media-sound/exaile:equalizer - Enable equalizer support
media-sound/exaile:libsexy - Enable libsexy support
media-sound/fapg:xspf - Enable support for saving XSPF playlists.
media-sound/freewheeling:fluidsynth - compile with support for fluidsynth
media-sound/gimmix:cover - Enable cover art fetching
media-sound/gimmix:lyrics - Enable lyric fetching
media-sound/gnusound:cpudetection - Enables runtime cpu detection
media-sound/herrie:http - Enable http streaming
media-sound/herrie:xspf - Enable support for reading and saving XSPF playlists
media-sound/jack-audio-connection-kit:coreaudio - Build the CoreAudio driver on Mac OS X systems
media-sound/jack-audio-connection-kit:cpudetection - Enables runtime cpudetection
media-sound/jack-audio-connection-kit:jack-tmpfs - Compile in a tmpf path
media-sound/jack-audio-connection-kit:netjack - Build with support for Realtime Audio Transport over generic IP
media-sound/lame:mp3rtp - Build the mp3-to-RTP streaming utility. **UNSUPPORTED**
media-sound/lastfm-ripper:amazon - Enable advanced tagging using amazon webservices
media-sound/lastfm-ripper:tagwriting - Enable MP3 tagging
media-sound/listen:libsexy - Enable libsexy support
media-sound/lmms:fluidsynth - Enables Fluidsynth MIDI software synthesis plugin.
media-sound/lmms:stk - Enables STK Mallet plugin.
media-sound/lmms:vst - Enables the VeSTige plugin to run VST plugins through Wine.
media-sound/mixxx:djconsole - Enable djconsole support
media-sound/mixxx:hifieq - Enable hifi equalizer support
media-sound/mixxx:recording - Enable experimental recording support
media-sound/mixxx:shout - Enable shoutcast support
media-sound/mixxx:vinylcontrol - Enable vinylcontrol feature
media-sound/moc:sid - Build with SID (Commodore 64 Audio) support
media-sound/mp3blaster:sid - Build with SID (Commodore 64 Audio) support
media-sound/mpd:icecast - Enable support for Icecast2
media-sound/mpd:id3 - Support for ID3 tags
media-sound/mpfc:cdaudio - Enable cd audio playback support
media-sound/mpfc:wav - Enable wav audio codec support
media-sound/mpg123:3dnowext - Enable 3dnowext cpu instructions
media-sound/mpg123:network - Enable network support (http streams / webradio)
media-sound/mumble:speech - Enables text-to-speech support in Mumble.
media-sound/murmur:ice - Use dev-cpp/Ice to enable remote control capabilities
media-sound/murmur:logrotate - Use app-admin/logrotate for rotating logs
media-sound/musepack-tools:16bit - Higher quality sound output using dithering and noise-shaping
media-sound/ncmpc:clock-screen - Enable clock screen
media-sound/ncmpc:key-screen - Enable key editor screen
media-sound/ncmpc:mouse - Enable curses getmouse support
media-sound/ncmpc:raw-mode - raw terminal mode
media-sound/ncmpc:search-screen - Enable search screen (EXPERIMENTAL)
media-sound/noteedit:kmid - Use KDE's kmid to play sound
media-sound/noteedit:tse3 - Use tse3 library to play/export sound
media-sound/picard:cdaudio - Enable support for CD Index Lookups.
media-sound/podcatcher:bittorrent - Enable support for bittorrent downloads
media-sound/pulseaudio:X -  Build the X11 publish module to export PulseAudio information through X11 protocol for clients to make use. Don't enable this flag if you want to use a system wide instance. If unsure, enable this flag. 
media-sound/pulseaudio:asyncns - Use libasyncns for asynchronous name resolution.
media-sound/pulseaudio:glib - Enable glib eventloop support
media-sound/pulseaudio:gnome -  Use GConf to store user preferences on streams and so on. Don't enable this flag if you want to use a system wide instance. If unsure, enable this flag. 
media-sound/pulseaudio:oss -  Enable OSS sink/source (output/input). Also build the padsp script to make OSS software use PulseAudio. 
media-sound/pulseaudio:policykit - Enable support for PolicyKit framework.
media-sound/qsampler:libgig - Enable libgig support for loading Gigasampler files and DLS (Downloadable Sounds) Level 1/2 files
media-sound/qtractor:dssi - Enable support for DSSI Soft Synth Interface
media-sound/qtractor:rubberband - Enable support for in-place audio clip pitch-shifting through the rubberband library
media-sound/qtscrobbler:cli - Build commandline client
media-sound/quodlibet:mmkeys - Enable support for special keys on multimedia keyboards
media-sound/quodlibet:trayicon - Enable support for trayicon
media-sound/quodlibet:tta - Enable TTA (True-Audio Loseless) support
media-sound/radiomixer:hwmixer - Use hardware mixer instead of internal mixer routines
media-sound/rezound:16bittmp - Use 16bit temporary files (default 32bit float), useful for slower computers
media-sound/rezound:soundtouch - compile with support for soundtouch
media-sound/rhythmbox:daap - Enable support for local network music sharing via daap
media-sound/rhythmbox:mtp - Enable support for MTP devices
media-sound/rhythmbox:tagwriting - support for tag writing in certain audio files
media-sound/rosegarden:dssi - Enable support for DSSI Soft Synth Interface
media-sound/rubyripper:cli - Build command line interface rubyripper
media-sound/rubyripper:normalize - Add support for normalizing audio file volume levels
media-sound/rubyripper:wav - Add support for wavegain
media-sound/sonata:lyrics - Support for lyrics fetching
media-sound/sonic-visualiser:id3tag - Enables ID3 tagging with id3tag library
media-sound/sox:amrnb - Enables Adaptive Multi-Rate Audio support (Narrow Band)
media-sound/sox:amrwb - Enables Adaptive Multi-Rate Audio support (Wide Band)
media-sound/sox:id3tag - Enables ID3 tagging with id3tag library
media-sound/squeezecenter:alac - Enable support for alac
media-sound/squeezecenter:bonjour - Enable support for bonjour
media-sound/transkode:amarok - Build Amarok script
media-sound/traverso:lv2 - Add support for Ladspa V2
media-sound/vorbis-tools:ogg123 - Build ogg123 player, needs libao and curl
media-sound/xwax:alsa - Enable ALSA support.
media-tv/freevo:ivtv - Enables ivtv support
media-tv/freevo:mixer - Enable support for adjusting volume via media-sound/aumix
media-tv/freevo:snes - Enable Super Nintendo games support
media-tv/freevo:tv - Enable support for the tv guide plugin
media-tv/freevo:tvtime - Enables tvtime support, additional to tv use flag
media-tv/freevo:xmame - Enables support for Xmame arcade games
media-tv/gentoo-vdr-scripts:nvram - Add support for using nvram-wakeup to set wakeup time in bios
media-tv/kdetv:zvbi - Enable VBI Decoding Library for Zapping
media-tv/mythtv:alsa - Allows MythTV to directly output sound to ALSA devices, this is needed if you are using ALSA dmix or SPDIF. Note, you will have to physically type your device into the MythTV configuration since it will only give you /dev/dsp devices in the drop down.
media-tv/mythtv:altivec - Builds ffmpeg's codec libraries with altivec support.
media-tv/mythtv:autostart - Uses a custom autostart configuration gleened from expierence with MythTV since it's early versions and discussed with other MythTV maintainers and users. Does not rely on KDE being installed like most methods do.
media-tv/mythtv:backendonly - Allows one to build only the backend and it's components. This is not a supported configuration any long and will be removed in future versions. It's also known that it does not compile all the addon programs that the backend may use.
media-tv/mythtv:crciprec - describe
media-tv/mythtv:dbox2 - describe
media-tv/mythtv:debug - Instructs Qt to use the 'debug' target instead of 'release' target. If your MythTV is crashing or you need a backtrace, you need to compile it with this option otherwise the debugging data is useless.
media-tv/mythtv:directv - Installs the DirecTV channel changing script so that you can configure MythTV to use it to change the channels on your DirecTV box.
media-tv/mythtv:dts - Enables the support of DTS sound from DVDs.
media-tv/mythtv:dvb - Enables support for Linux DVB cards. These include all cards that work with digital signals such as ATSC, DVB-T, DVB-C, and DVB-S, QAM-64, and QAM-256.
media-tv/mythtv:dvd - Adds support for MythTV's internal player to support media files found on DVDs. You still need media-plugins/mythdvd installed to play DVDs from MythTV.
media-tv/mythtv:freebox - describe
media-tv/mythtv:frontendonly - Allows one to build only the frontend and it's components. This is not a supported configuration any long and will be removed in future versions. It's also known that it does not compile all the addon programs that the frontend may use.
media-tv/mythtv:hdhomerun - Allows MythTV to communicate to HDHomeRun devices and receive your TV input from those sources.
media-tv/mythtv:ieee1394 - Allows MythTV to communicate and use Firewire enabled Cable boxes. These are typically found in the United States, where such support is required by law. This will also install Firewire test programs and external channel changers if the internal changer does not work.
media-tv/mythtv:ivtv - Adds support for ivtv based cards. Typically these are Hauppauge cards which output analog TV directly in MPEG2 format. Essentially, hardware encoding of analog TV.
media-tv/mythtv:jack - Allows MythTV to use JACK as your sound output device. You will have to manually configure the path to your JACK settings.
media-tv/mythtv:joystick - Allows you to configure MythTV to be controlled by a joystick rather then a remote or keyboard.
media-tv/mythtv:lcd - Tells MythTV that you have an instance of app-misc/lcdproc configured on your machine and it should output information such as current time, show name, episode name, etc to that LCD.
media-tv/mythtv:lirc - Adds LIRC support directly to MythTV allowing for built in control via a LIRC device.
media-tv/mythtv:mmx - Builds ffmpeg's codec libraries with mmx support.
media-tv/mythtv:opengl - Builds MythTV with support for using OpenGL as the output painter rather then Qt3 built in painter.
media-tv/mythtv:perl - Builds the perl bindings for MythTV. Allows you to write scripts in Perl to control your MythTV setup or communicate with it.
media-tv/mythtv:tiff - Add support for tiff loading and rendering which is only used by media-plugins/mythgallery
media-tv/mythtv:video_cards_i810 - When combined with the xvmc USE flag, enables Intel specific XvMC extension usage.
media-tv/mythtv:video_cards_nvidia - When combined with the xvmc USE flag, enables NVIDIA specific XvMC extension usage.
media-tv/mythtv:video_cards_via - When combined with the xvmc USE flag, enables VIA specific XvMC extension usage.
media-tv/mythtv:vorbis - Adds support for the Vorbis container format to MythTV.
media-tv/mythtv:xvmc - Instructs MythTV to use XvMC for it's video output. By default, this will use the generic XvMC wrapper unless a specific video card driver is enabled via their VIDEO_CARDS USE flags.
media-tv/tvbrowser:themes - Install extra theme packs
media-tv/xawtv:xext - Enable use of XFree extensions (DGA,VidMode,DPMS)
media-tv/xawtv:zvbi - Enable VBI Decoding Library for Zapping
media-tv/xdtv:aqua_theme - Enable graphic theme Aqua-style
media-tv/xdtv:carbone_theme - Adds the Carbone pixmaps theme for the GUI
media-tv/xdtv:schedule - Adds the possibility to schedule tv recording via xdtv_record.sh
media-tv/xdtv:zvbi - Enable VBI Decoding Library for Zapping
media-tv/xmltv:ar - Argentina tv listing grabber
media-tv/xmltv:be - Belgium and Luxemburg tv listing grabber
media-tv/xmltv:br - Brazil tv listing grabber
media-tv/xmltv:brnet - Brazil cable tv listing grabber
media-tv/xmltv:ch - Switzerland bluewin tv listing grabber
media-tv/xmltv:de_tvtoday - Germany tv listing grabber
media-tv/xmltv:dk - Denmark tv listing grabber
media-tv/xmltv:dtvla - Latin America digital tv listing grabber
media-tv/xmltv:ee - Estonia tv listing grabber
media-tv/xmltv:es - Spain tv listing grabber
media-tv/xmltv:es_laguiatv - Spain alternative grabber
media-tv/xmltv:eu_epg - EPG grabber for some European countries.
media-tv/xmltv:fi - Finland tv listing grabber
media-tv/xmltv:fr - France tv listing grabber
media-tv/xmltv:hr - Croatia tv listing grabber
media-tv/xmltv:huro - Hungarian tv listing grabber
media-tv/xmltv:il - Israel tv listing grabber
media-tv/xmltv:is - Iceland tv listing grabber
media-tv/xmltv:it - Italy tv listing grabber
media-tv/xmltv:jp - Japan tv listing grabber
media-tv/xmltv:na_dd - North America tv listing grabber
media-tv/xmltv:na_dtv - North America Direct TV grabber
media-tv/xmltv:na_icons - option for na_dd to download icons
media-tv/xmltv:nc - Caledonie Island tv listing grabber
media-tv/xmltv:nl - Netherlands tv listing grabber
media-tv/xmltv:nl_wolf - Netherlands alternative tv listing grabber
media-tv/xmltv:no - Norway tv listing grabber
media-tv/xmltv:no_gf - Norway Gfeed tv listing grabber
media-tv/xmltv:pt - Portugal tv listing grabber
media-tv/xmltv:re - Reunion Island (France) tv listing grabber
media-tv/xmltv:se_swedb - Sweden tv listing grabber
media-tv/xmltv:tv_check - enable GUI checking
media-tv/xmltv:tv_combiner - enable grabbers combiner
media-tv/xmltv:tv_pick_cgi - enable CGI support
media-tv/xmltv:uk_bleb - Britain tv listing grabber
media-tv/xmltv:uk_rt - Britain alternative tv listing grabber
media-tv/xmltv:za - South Africa tv listing grabber
media-tv/zapping:vdr - Enable Real Time Encoding support (librte)
media-tv/zapping:zvbi - Enable VBI Decoding Library
media-video/avidemux:aften - Enable A/52 (AC-3) audio encoder support
media-video/avidemux:amrnb - Enable Narrow Band Adaptive Multi-Rate Audio support
media-video/chaplin:transcode - Enable DVD ripping and transcoding
media-video/cinepaint:gutenprint - Enable support for gutenprint
media-video/devede:psyco - psyco python accelerator
media-video/dv2sub:kino - install kino plugin
media-video/dvd-slideshow:themes - Install theme pack
media-video/dvdrip:fping - Enables fping support for cluster rendering
media-video/dvdrip:subtitles - Enables support for subtitle ripping
media-video/ffmpeg:amr - Enables Adaptive Multi-Rate Audio support
media-video/ffmpeg:dirac - Enable Dirac video support (an advanced royalty-free video compression format) via the reference library: dirac.
media-video/ffmpeg:gsm - Enables support for the gsm lossy speech compression codec via libgsm.
media-video/ffmpeg:hardcoded-tables - Use pre-calculated tables rather than calculating them on the fly.
media-video/ffmpeg:mmxext - Enables mmx2 support
media-video/ffmpeg:network - Enables network streaming support
media-video/ffmpeg:schroedinger - Enable Dirac video support (an advanced royalty-free video compression format) via libschroedinger (high-speed implementation in C of the Dirac codec).
media-video/ffmpeg:ssse3 - faster floating point optimization for SSSE3 capable chips (Intel Core 2 and later chips)
media-video/ffmpeg:vhook - Enables video hooking support.
media-video/gpac:amr - Adaptive Multi-Rate Audio support (commonly used in telephony)
media-video/griffith:csv - Enable proper support for csv import (respectively auto-detection encoding of csv files)
media-video/kino:gpac - Enable GPAC support when exporting to 3GPP format
media-video/kmplayer:npp - Compile the npp backend that plays xembed style browser plugins.
media-video/lives:libvisual - Enable libvisual support
media-video/mjpegtools:yv12 - Enables support for the YV12 pixel format
media-video/mmsv2:dxr3 - Enable support for RealMagic Hollywood+/Creative DXR3 cards
media-video/mmsv2:radio - Enable support for Internet Radio and BTTV Hardware Tuners
media-video/motiontrack:multiprocess - Enables multi-process support (SMP/cluster) for motiontrack programs
media-video/mpeg4ip:id3 - Support ID3 in the player
media-video/mpeg4ip:mp4live - Build the live streaming/encoding software
media-video/mpeg4ip:mpeg2 - Support mpeg2 in the player
media-video/mpeg4ip:player - Build the player
media-video/mplayer:3dnowext - Enable 3dnowext cpu instructions
media-video/mplayer:amrnb - Enables Adaptive Multi-Rate Audio support (Narrow Band)
media-video/mplayer:amrwb - Enables Adaptive Multi-Rate Audio support (Wide Band)
media-video/mplayer:bl - Enables Blinkenlights support in mplayer
media-video/mplayer:cdio - Use libcdio for CD support (instead of cdparanoia)
media-video/mplayer:color-console - Enable color console output (UNSUPPORTED)
media-video/mplayer:cpudetection - Enables runtime cpudetection (useful for bindist, compatability on other CPUs)
media-video/mplayer:custom-cflags - Enables custom CFLAGS (UNSUPPORTED)
media-video/mplayer:custom-cpuopts - Fine-tune custom CPU optimizations (UNSUPPORTED)
media-video/mplayer:dirac - Enable Dirac video support (an advanced royalty-free video compression format) via the reference library: dirac.
media-video/mplayer:dxr2 - Enable DXR2 video output
media-video/mplayer:dxr3 - Enable DXR3/H+ video output
media-video/mplayer:enca - Enables support for charset discovery and conversion
media-video/mplayer:live - Enables live.com streaming media support
media-video/mplayer:md5sum - Enables md5sum video output
media-video/mplayer:mmxext - Enables mmx2 support
media-video/mplayer:mp2 - Enables support for twolame, an MP2 audio library
media-video/mplayer:nemesi - Enable Nemesi Streaming Media support
media-video/mplayer:pnm - Add PNM video output option, to create PPM/PGM/PGMYUV images
media-video/mplayer:pvr - Enable Video4Linux2 MPEG PVR
media-video/mplayer:radio - Enable V4L2 radio interface and support
media-video/mplayer:rar - Enable Unique RAR File Library
media-video/mplayer:real - Adds real video support
media-video/mplayer:rtc - Enables usage of the linux real time clock. The alternative is software emulation of rtc
media-video/mplayer:schroedinger - Enable Dirac video support (an advanced royalty-free video compression format) via libschroedinger (high-speed implementation in C of the Dirac codec).
media-video/mplayer:srt - Internal SRT/SSA/ASS (SubRip / SubStation Alpha) subtitle support
media-video/mplayer:ssse3 - faster floating point optimization for SSSE3 capable chips (Intel Core 2 and later chips)
media-video/mplayer:teletext - Support for TV teletext interface
media-video/mplayer:tga - Enables Targa video output
media-video/mplayer:tivo - Enables TiVo vstream client support
media-video/mplayer:vidix - Support for vidix video output
media-video/mplayer:xanim - Enables support for xanim based codecs
media-video/mplayer:xvmc - Enables X-Video Motion Compensation support
media-video/mplayer:zoran - Enables ZR360[56]7/ZR36060 video output
media-video/ogmrip:mp4 - Support for MP4 container format
media-video/ogmrip:ogm - Support for OGM container format
media-video/ogmrip:srt - Support for SRT subtitle format
media-video/totem:bluetooth - Enable support for user-presence detection via the user's bluetooth handset using net-wireless/bluez-libs
media-video/totem:galago - Enable the galago plugin
media-video/totem:lirc - Enable support for controlling Totem with a remote control using app-misc/lirc
media-video/totem:nautilus - Enable the nautilus extension
media-video/totem:nsplugin - Build media plugin for Mozilla-based browsers such as www-client/mozilla-firefox
media-video/totem:nvtv - Support for nvtv to use tv in on nvidia cards
media-video/totem:python - Build support for dev-lang/python plugins
media-video/totem:seamonkey - same as nsplugin description but build against www-client/seamonkey
media-video/totem:tracker - Enable the search plugin using app-misc/tracker
media-video/totem:xulrunner - same as nsplugin description but build against net-libs/xulrunner
media-video/transcode:extrafilters - Install some filters only if we ask for them
media-video/transcode:fame - Enables libfame support
media-video/transcode:mjpeg - Enables mjpegtools support
media-video/transcode:network - Enables network streaming support
media-video/transcode:nuv - NuppelVideo container format demuxing
media-video/transcode:postproc - Build with ffmpeg libpostproc support
media-video/undvd:mp4 - Support for MP4 container format
media-video/undvd:ogm - Support for OGM container format
media-video/vdr:aio - Use "all in one" patch (or its successor "liemikuutio") with much additional features
media-video/vdr:analogtv - Add support for the analogtv plugin
media-video/vdr:atsc - Support for NorthAmerican Broadcast ( rudimentary )
media-video/vdr:bigpatch - Enables almost all additional features flying around on the net (including aio)
media-video/vdr:child-protection - Enable support for the plugin vdr-pin (Protecting some recordings / channels with a PIN)
media-video/vdr:cmdctrl - allows switching remote control on/off
media-video/vdr:cmdreccmdi18n - loads translated commands and reccommands files if existing
media-video/vdr:cmdsubmenu - Allows the creation of submenus in the commands menu
media-video/vdr:cutterlimit - Limit IO bandwith used for cutting
media-video/vdr:cutterqueue - Adds a queue of recordings to be cutted
media-video/vdr:cuttime - Adjust starttime of cutted recording by length of cut out parts
media-video/vdr:ddepgentry - remove duplicate EPG entries
media-video/vdr:deltimeshiftrec - Auto delete timeshift recordings
media-video/vdr:dolby-record-switch - Allows to control separately to record / to replay dolby digital
media-video/vdr:dolbyinrec - add a dedicated switch to control recording of dolby digital
media-video/vdr:dvbplayer - Use some special mpeg-repacker features. Most usable for old recordings or software output devices.
media-video/vdr:dvbsetup - Setup for AC3 transfer, disable primary tuner
media-video/vdr:dvdarchive - DMH DVD - Archiv ( used by vdr-burn-0.1.0_* )
media-video/vdr:dvdchapjump - Jump on capitels on DMH DVD - Archiv
media-video/vdr:dvlfriendlyfnames - filter file names on recording
media-video/vdr:dvlrecscriptaddon - enhancement for record-script
media-video/vdr:dvlvidprefer - controls video-dir choice on recording
media-video/vdr:dxr3 - Enable tweaks to improve vdr behaviour on dxr3-cards
media-video/vdr:dxr3-audio-denoise - Mutes audio noise occurring with dxr3-cards using analog audio-out when e.g. cutting
media-video/vdr:em84xx - Add support for em84xx plugin
media-video/vdr:graphtft - support for grapftft plugin up from vdr-graphtft-0.1.7
media-video/vdr:hardlinkcutter - Speed up cutting by hardlinking unchanged files
media-video/vdr:iptv - Enables support for vdr-iptv
media-video/vdr:jumpplay - Enables automatic jumping over cut marks while watching a recording
media-video/vdr:liemikuutio - Formerly known as AIO (all-in-one) patch, adds some nice must haves
media-video/vdr:lircsettings - Allows to change lirc settings delay, freq and timeout values in OSD
media-video/vdr:livebuffer - does timeshifting/background recording all the time, allows to rewind live TV
media-video/vdr:lnbshare - Enables support for two or more dvb cards sharing the same cable to the lnb
media-video/vdr:lnbsharing - Enables support for two or more dvb cards sharing the cable to the lnb
media-video/vdr:mainmenuhooks - Allows to replace main menu entries by some special plugins (like epgsearch, extrecmenu, ...)
media-video/vdr:menuorg - Enables support for the menuorg-plugin
media-video/vdr:noepg - Adds code to selectively disable epg-reception for specific channels
media-video/vdr:osdmaxitems - Support for text2skin
media-video/vdr:pinplugin - Support for pin plugin
media-video/vdr:rotor - Enable support for plugin vdr-rotor for dish-positioner.
media-video/vdr:settime - set system time per script instead of via syscal
media-video/vdr:setup - Enable support for the plugin vdr-setup
media-video/vdr:setup-plugin - Enable support for the plugin vdr-setup
media-video/vdr:shutdown_rewrite - use rewritten shutdown code from vdr-1.5
media-video/vdr:sortrecords - allows to change sort order of recordings
media-video/vdr:sourcecaps - Adds the ability to define capabilities of dvb-cards (e.g. card1 can receive Sat @28.2E)
media-video/vdr:submenu - Enable support for the plugin vdr-submenu.
media-video/vdr:subtitles - Enable support for the subtitles-plugin
media-video/vdr:switchtimer - support for timer that do not record but only switch to a channel
media-video/vdr:syncearly - start live display as soon as possible, not waiting for sync of audio and video
media-video/vdr:timercmd - Adds submenu for user defined commands in timer menu
media-video/vdr:timerinfo - Show with chars +/- if space on HD will suffice for a timer
media-video/vdr:ttxtsubs - support for ttxtsubs plugin
media-video/vdr:validinput - Signal if it is possible to go left/right in lists with chars < >
media-video/vdr:volctrl - allows volume control using left/right keys
media-video/vdr:wareagleicon - Replace original icon set in menu
media-video/vdr:yaepg - Enables support for the plugin vdr-yaepg
media-video/vlc:X - Enables support for, e.g., fullscreen mode via the X Window System. By itself, this flag does not build a graphical interface.
media-video/vlc:atmo - Enables support for AtmoLight (homebrew Ambient Lighting Technology)
media-video/vlc:cdda - Enables libcdda cd audio playback support.
media-video/vlc:cdio - Enables CD input and control library support.
media-video/vlc:corba - Enables corba interface support.
media-video/vlc:daap - Enables DAAP shares services discovery support.
media-video/vlc:dc1394 - Enables IIDC cameras support.
media-video/vlc:dirac - Enable Dirac video support (an advanced royalty-free video compression format) via the reference library: dirac.
media-video/vlc:fluidsynth - Enables Fluidsynth MIDI software synthesis (with external sound fonts).
media-video/vlc:gnome - Adds support for GNOME's filesystem abstraction layer, gnome-base/gnome-vfs. This flag is not GUI-related.
media-video/vlc:httpd - Enables a web based interface for vlc.
media-video/vlc:id3tag - Enables id3tag metadata reader plugin.
media-video/vlc:kate - Adds support for Ogg Kate subtitles via libkate.
media-video/vlc:libass - Enables subtitles support using libass.
media-video/vlc:libgcrypt - Enables cryptography support via libgcrypt.
media-video/vlc:libv4l2 - Enables Libv4l2 Video4Linux2 support (for conversion from various video formats to standard ones, needed to use v4l2 devices with strange formats).
media-video/vlc:live - Enables LIVE.com support.
media-video/vlc:optimisememory - Enable optimisation for memory rather than performance.
media-video/vlc:pvr - Enables PVR cards access module.
media-video/vlc:qt4 - Builds a x11-libs/qt based frontend. It is now the most up-to-date graphical interface available.
media-video/vlc:remoteosd - Enables RemoteOSD plugin (VNC client as video filter).
media-video/vlc:rtsp - Enables real audio and RTSP modules.
media-video/vlc:schroedinger - Enable Dirac video support (an advanced royalty-free video compression format) via libschroedinger (high-speed implementation in C of the Dirac codec).
media-video/vlc:sdl-image - Enables sdl image video decoder (depends on sdl)
media-video/vlc:shout - Enables libshout output.
media-video/vlc:skins - Enables support for the skins2 interface.
media-video/vlc:stream - Enables vlc to stream video.
media-video/vlc:twolame - Enables twolame support (MPEG Audio Layer 2 encoder).
media-video/vlc:upnp - Enables support for Intel UPnP stack.
media-video/vlc:vcdinfo - Enables VCD information library support.
media-video/vlc:vcdx - Enables VCD with navigation via libvcdinfo (depends on cdio)
media-video/vlc:vlm - New videolan (media) manager (vlm), a little manager designed to launch and manage multiple streams from within one instance of VLC.
media-video/vlc:wxwindows - Builds a x11-libs/wxGTK based frontend. This interface is no longer maintained.
media-video/vlc:zvbi - Enables support for teletext subtitles via the zvbi library.
media-video/winki:mjpeg - Enables mjpegtools support
media-video/x264-encoder:mp4 - Enables support for encoding to mp4 container format
media-video/xine-ui:vdr - Enables Video Disk Recorder support
net-analyzer/aimsniff:http - Install the WAS (Web AIM Sniff) frontend
net-analyzer/barnyard:sguil - Enable sguil (The Analyst Console for Network Security Monitoring) support
net-analyzer/base:signatures - Install community signatures from net-analyzer/snort
net-analyzer/bmon:dbi - Enables dev-db/libdbi support
net-analyzer/bmon:rrdtool - Enables net-analyzer/rrdtool support
net-analyzer/bwm-ng:csv - Enable csv output
net-analyzer/bwm-ng:html - Enable html output
net-analyzer/cacti:bundled-adodb - use adodb bundled with web-application instead of system wide
net-analyzer/cacti:doc - install html documentation
net-analyzer/echoping:http - enable support for http protocol.
net-analyzer/echoping:icp - enable support for ICP (used to monitor proxies).
net-analyzer/echoping:priority - enable socket priority support.
net-analyzer/echoping:smtp - enable support for SMTP protocol.
net-analyzer/echoping:tos - enable support for TOS (TYpe Of Service).
net-analyzer/fprobe:messages - enable console messages
net-analyzer/metasploit:httpd - Enable web interface
net-analyzer/munin:irc - installs deps for monitoring IRC
net-analyzer/munin:munin-apache - installs deps for monitoring apache
net-analyzer/munin:munin-dhcp - installs deps for monitoring DHCP
net-analyzer/munin:munin-irc - installs deps for monitoring IRC
net-analyzer/munin:munin-squid - installs deps for monitoring squid
net-analyzer/munin:munin-surfboard - installs deps for monitoring a Motoro Surfboard Cable modem
net-analyzer/nagios-core:lighttpd - install www-servers/lighttpd config
net-analyzer/nagios-core:web - enable web interface
net-analyzer/nagios-nrpe:command-args - allow clients to specify command arguments
net-analyzer/nagios-plugins:nagios-dns - installs deps for dns monitoring
net-analyzer/nagios-plugins:nagios-game - installs deps for monitoring games-util/qstat
net-analyzer/nagios-plugins:nagios-ntp - installs deps for ntp monitoring
net-analyzer/nagios-plugins:nagios-ping - installs deps for fancy ping monitoring
net-analyzer/nagios-plugins:nagios-ssh - installs deps for monitoring ssh
net-analyzer/nagios-plugins:ups - installs deps for monitoring Network-UPS (sys-power/nut)
net-analyzer/nagvis:automap - Enable automated map generation using media-gfx/graphviz
net-analyzer/net-snmp:diskio - Enable the use of diskio mibs
net-analyzer/net-snmp:elf - Enable the use of elf utils to check uptime on some sytems
net-analyzer/net-snmp:extensible - build deprecated extensible mib module (extend is successor)
net-analyzer/net-snmp:mfd-rewrites - Use MFD rewrites of mib modules where available
net-analyzer/net-snmp:rpm - Enable the rpm snmp probing
net-analyzer/net-snmp:sendmail - Enable sendmail statistics monitoring
net-analyzer/net-snmp:smux - Enable the smux MIBS module
net-analyzer/pchar:pcap - Use the net-libs/libpcap library
net-analyzer/pmacct:64bit - Use 64bit counters instead of 32bit ones
net-analyzer/rrdtool:rrdcgi - Build rrdcgi support
net-analyzer/sancp:sguil - Enable sguil (The Analyst Console for Network Security Monitoring) support
net-analyzer/scanlogd:nids - Use net-libs/libnids for packet capturing
net-analyzer/scanlogd:pcap - Use net-libs/libpcap for packet capturing
net-analyzer/scapy:pyx - Enable dev-python/pyx support for psdump/pdfdump commands
net-analyzer/scapy:visual - Enable dev-python/visual support for 3d graphs
net-analyzer/snort:dynamicplugin - Enable ability to dynamically load preprocessors, detection engine, and rules library
net-analyzer/snort:flexresp - Enable new connection tearing (not recommended)
net-analyzer/snort:flexresp2 - Enable new connection tearing
net-analyzer/snort:gre - Enable GRE support
net-analyzer/snort:inline - Enable snort-inline for accepting packets from net-firewall/iptables, via libipq, rather than net-libs/libpcap.
net-analyzer/snort:linux-smp-stats - Enable statistics reporting through proc on smp systems
net-analyzer/snort:perfprofiling - Enable preprocessor and rule performance profiling
net-analyzer/snort:react - Enable interception and termination of offending HTTP accesses
net-analyzer/snort:sguil - Enable sguil (The Analyst Console for Network Security Monitoring) support
net-analyzer/snort:snortsam - patches net-analyzer/snort for use with net-analyzer/snortsam
net-analyzer/snort:timestats - Enable TimeStats functionality
net-analyzer/symon:perl - Enables a generic perl symux client
net-analyzer/symon:symon - Build symon daemon
net-analyzer/symon:symux - Enables the multiplexer which stores incoming symon streams on disk in RRD files
net-analyzer/tcpdump:chroot - Enable chrooting when dropping privileges
net-analyzer/tcpdump:smi - Build with net-libs/libsmi to load MIBs on the fly to decode SNMP packets
net-analyzer/tcpreplay:pcapnav - Enable if you want the jump to byte offset feature via net-libs/libpcapnav
net-analyzer/wireshark:ares - Use GNU net-dns/c-ares library to resolve DNS names
net-analyzer/wireshark:gcrypt - Use GNU crypto library (dev-libs/libgcrypt) to decrypt SSL traffic
net-analyzer/wireshark:pcap - Use net-libs/libpcap for network packet capturing (build dumpcap, rawshark)
net-analyzer/wireshark:smi - Use net-libs/libsmi to resolve numeric OIDs into human readable format
net-analyzer/zabbix:agent - Enable zabbix agent (for to-be-monitored machines)
net-analyzer/zabbix:frontend - Enable zabbix web frontend
net-analyzer/zabbix:server - Enable zabbix server
net-dialup/bewan-adsl:kt400 - Enable workaround for KT400 motherboards
net-dialup/bewan-adsl:pcitimer - Use 2ms PCI hardware timer
net-dialup/bewan-adsl:slowpcibridge - Enable workaround for low performance PCI bridges
net-dialup/capi4k-utils:fax - Install capi-fax demo programs
net-dialup/capi4k-utils:pppd - Installs pppdcapiplugin modules
net-dialup/freeradius:edirectory - Enables Novell eDirectory integration
net-dialup/freeradius:frascend - Enables Ascend binary mode
net-dialup/freeradius:frnothreads - Disables thread support
net-dialup/freeradius:frxp - Enables experimental modules
net-dialup/freeradius:udpfromto - Compile in UDPFROMTO support (enables freeradius to specify source address correctly in multi-homed setups)
net-dialup/isdn4k-utils:activefilter - Enable activefilter support for ipppd
net-dialup/isdn4k-utils:eurofile - Support for EUROFILE Transfer Procotol
net-dialup/isdn4k-utils:ipppd - Build the (ISDN) PPP daemon for synchronous PPP for ISDN connections
net-dialup/isdn4k-utils:isdnlog - Install the isdn log system
net-dialup/isdn4k-utils:mschap - Enable Microsoft chap authentication for ipppd
net-dialup/ivcall:softfax - Enables fax support
net-dialup/mgetty:fax - Enables fax support
net-dialup/mgetty:fidonet - Enables FidoNet support
net-dialup/misdn:ecaggressive - Make the selected echo canceller a little more aggressive
net-dialup/misdn:eckb1 - Use the KB1 echo canceller
net-dialup/misdn:ecmark2 - Use the MARK2 echo canceller
net-dialup/misdn:ecmg2 - Use the MG2 echo canceller (default)
net-dialup/ppp:activefilter - Enables active filter support
net-dialup/ppp:atm - Enables ATM (Asynchronous Transfer Mode) protocol support
net-dialup/ppp:dhcp - Installs PPP DHCP client plugin for IP address allocation by a DHCP server (see http://www.netservers.co.uk/gpl/)
net-dialup/ppp:eap-tls - Enables support for Extensible Authentication Protocol and Transport Level Security (see http://eaptls.spe.net/index.html)
net-dialup/ppp:gtk - Installs GTK+ password prompting program that can be used by passprompt.so PPP plugin for reading the password from a X11 input terminal
net-dialup/ppp:ipv6 - Enables support for IP version 6
net-dialup/ppp:mppe-mppc - Enables support for MPPC (Microsoft Point-to-Point Compression) - NEEDS A PATCHED KERNEL <=2.6.14 (see http://mppe-mppc.alphacron.de)
net-dialup/ppp:pam - Enables PAM (Pluggable Authentication Modules) support
net-dialup/ppp:radius - Enables RADIUS support
net-dialup/pptpd:gre-extreme-debug - Log all GRE accepted packages when in debug mode (required if you want upstream support)
net-dns/avahi:autoipd - Build and install the IPv4LL (RFC3927) network address configuration daemon
net-dns/avahi:bookmarks - Install the avahi-bookmarks application (requires dev-python/twisted)
net-dns/avahi:howl-compat - Enable compat libraries for howl
net-dns/avahi:mdnsresponder-compat - Enable compat libraries for mDNSResponder
net-dns/bind:dlz - Enables dynamic loaded zones, 3rd party extension
net-dns/bind:resolvconf - Enable support for net-dns/resolvconf
net-dns/bind:sdb-ldap - Enables ldap-sdb backend
net-dns/bind:urandom - Use /dev/urandom instead of /dev/random
net-dns/djbdns:aliaschain - Enables a fix for the truncation of alias chains
net-dns/djbdns:cnamefix - Changes the CNAME behavior of dnscache
net-dns/djbdns:datadir - Enables tinydns-data to read a directory with multiple data files
net-dns/djbdns:fwdonly - Enable JDP's dnscache-strict-forwardonly patch
net-dns/djbdns:fwdzone - Enables the forward zone patch
net-dns/djbdns:multidata - Enables command line parameters for tinydns-data to specify the data file(s)
net-dns/djbdns:multipleip - Enables multi-IP patch
net-dns/djbdns:roundrobin - Enables round robin patch
net-dns/djbdns:semanticfix - Makes tinydns=data handle more semantic errors
net-dns/dnsmasq:isc - Enable support for reading ISC DHCPd lease files
net-dns/dnsmasq:resolvconf - Enable support for net-dns/resolvconf
net-dns/dnsmasq:tftp - Enables built in TFTP server for netbooting
net-dns/pdns:opendbx - Enable the OpenDBX backend
net-dns/pdns:tdb - Enable the Trivial Database (xdb) backend
net-dns/pdnsd:isdn - Enable ISDN features
net-dns/pdnsd:underscores - Enable support for domain names containing underscores
net-dns/pdnsd:urandom - Use /dev/urandom instead of /dev/random
net-firewall/arno-iptables-firewall:plugins - Install optional plugins
net-firewall/ipsec-tools:hybrid - Makes available both mode-cfg and xauth support
net-firewall/ipsec-tools:idea - Enable support for the patented IDEA algorithm
net-firewall/ipsec-tools:nat - Enable NAT-Traversal
net-firewall/ipsec-tools:rc5 - Enable support for the patented RC5 algorithm
net-firewall/iptables:extensions - Enable support for 3rd party patch-o-matic extensions
net-firewall/iptables:imq - Enable support for intermediate queueing devices (http://www.linuximq.net)
net-firewall/iptables:l7filter - Enable support for layer 7 filtering (http://l7-filter.sourceforge.net)
net-firewall/nufw:nfconntrack - Use netfilter_conntrack
net-firewall/nufw:nfqueue - Use NFQUEUE instead of QUEUE
net-firewall/nufw:pam_nuauth - Add support for pam nufw from PAM
net-firewall/nufw:plaintext - Add support for authentication with plaintext files
net-fs/netatalk:xfs - Enable support for XFS Quota
net-fs/nfs-utils:nonfsv4 - Disable support for NFSv4
net-fs/samba:ads - Enable Active Directory support
net-fs/samba:async - Enables asynchronous input/output
net-fs/samba:automount - Enables automount support
net-fs/samba:oav - Enables support for the OpenAntiVirus plugins
net-fs/samba:quotas - Enables support for user quotas
net-fs/samba:swat - Enables support for swat configuration gui
net-fs/samba:winbind - Enables support for the winbind auth daemon
net-fs/shfs:amd - Enable automounter support
net-ftp/ftpcube:sftp - Enable sftp connection support
net-ftp/proftpd:authfile - Enable support for the auth-file module
net-ftp/proftpd:ban - Enable support for the mod_ban module
net-ftp/proftpd:case - Enable support for the mod_case module
net-ftp/proftpd:deflate - Enable support for the mod_deflate module
net-ftp/proftpd:ifsession - Enable support for the ifsession module
net-ftp/proftpd:noauthunix - Disable support for the auth-unix module
net-ftp/proftpd:opensslcrypt - Enable support for OpenSSL crypto
net-ftp/proftpd:rewrite - Enable support for the rewrite module
net-ftp/proftpd:shaper - Enable support for the mod_shaper module
net-ftp/proftpd:sitemisc - Enable support for the sitemisc module
net-ftp/proftpd:softquota - Enable support for the quotatab module
net-ftp/proftpd:vroot - Enable support for the virtual root module
net-ftp/pure-ftpd:anondel - Permit anonymous to delete files
net-ftp/pure-ftpd:anonperm - Permit anonymous to change file permissions
net-ftp/pure-ftpd:anonren - Permit anonymous to rename files
net-ftp/pure-ftpd:anonres - Permit anonymous to resume file transfers
net-ftp/pure-ftpd:charconv - Enables charset conversion
net-ftp/pure-ftpd:noiplog - Disables logging of IP addresses
net-ftp/pure-ftpd:paranoidmsg - Display paranoid messages instead of normal ones
net-ftp/pure-ftpd:vchroot - Enable support for virtual chroot (possible security risk)
net-ftp/twoftpd:breakrfc - Break RFC compliance to allow control symbols in filenames (required for some (e.g. cp1251) encodings, use with caution).
net-ftp/vsftpd:logrotate - Use app-admin/logrotate for rotating logs
net-im/bitlbee:nss - Use NSS for SSL support in MSN and Jabber.
net-im/centerim:gadu - Enable support for the Gadu-Gadu protocol
net-im/centerim:irc - Enable support for the IRC protocol
net-im/centerim:lj - Enable support for the LiveJournal weblog system
net-im/centerim:otr - Enable encrypted conversations
net-im/climm:gloox - Enable support for Jabber/XMPP using gloox
net-im/climm:otr - Enable encrypted conversations
net-im/ejabberd:mod_irc - Irc support in ejabberd
net-im/ejabberd:mod_muc - Multi user chat support in ejabberd
net-im/ejabberd:mod_pubsub - Pubsub support in ejabberd
net-im/ejabberd:web - Web support in ejabberd
net-im/ekg2:gsm - Enable gsm plugin
net-im/ekg2:nogg - Disable Gadu-Gadu plugin
net-im/empathy:applet - Enable Empathy's applets for gnome-base/gnome-panel.
net-im/gajim:idle - Enable idle module
net-im/gajim:srv - SRV capabilities
net-im/gajim:trayicon - Enable support for trayicon
net-im/gajim:xhtml - Enable XHTML support
net-im/gnugadu:tlen - Enable Tlen.pl protocol support
net-im/gossip:debug - Enable debug path in gossip. net-libs/loudmouth needs to be compiled with USE="debug" to allow Gossip to actually build the debug code path.
net-im/gossip:galago - Enable desktop presence with galago
net-im/gossip:gnome-keyring - Allows Gossip to use gnome-keyring to store passwords.
net-im/gossip:libnotify - Allows Gossip to show visual notifications concerning various activities via libnotify.
net-im/jabberd2:memdebug - Enable nad and pool debug. Requires USE="debug" to be set. 
net-im/kadu:amarok - Enables amarok support in kadu
net-im/kadu:config_wizard - Enables configuration wizard module
net-im/kadu:extraicons - Enables extra icon set
net-im/kadu:extramodules - Enables extra module in kadu
net-im/kadu:libgadu - Build against existing libgadu rather than built-in 
net-im/kadu:mail - Enables mail module in kadu
net-im/kadu:powerkadu - Installs extra powerkadu modules
net-im/kadu:speech - Enables speech module in kadu
net-im/kadu:voice - Enables voice chat in kadu
net-im/mcabber:otr -  Enable encrypted conversations using Off-The-Records messaging 
net-im/naim:screen - Enable screen support
net-im/pidgin:bonjour - Enable bonjour support
net-im/pidgin:gadu - Enable Gadu Gadu protocol support.
net-im/pidgin:groupwise - Enable Novell Groupwise protocol support.
net-im/pidgin:meanwhile - Enable meanwhile support for Sametime protocol. 
net-im/pidgin:prediction - Enable Contact Availability Prediction plugin. 
net-im/pidgin:qq - Enable QQ protocol support.
net-im/pidgin:silc - Enable SILC protocol support
net-im/pidgin:zephyr - Enable Zephyr protocol support
net-im/psi:audacious - Enable monitoring of audio tracks that are played in (media-sound/audacious) 
net-im/psi:extras - Enables extra non official patches
net-im/psi:insecure-patches - Enables extra non official patches that may pose as a security risk 
net-im/pyaim-t:webinterface - Install dependencies needed for the web interface 
net-im/pyicq-t:webinterface - Install dependencies needed for the web interface 
net-im/sim:gpg - Enable gpg plugin to adds GnuPG encryption/decryption support for messages 
net-im/sim:livejournal - Enable livejournal plugin to post in LiveJournal 
net-im/sim:sms - Enable sms plugin
net-im/sim:weather - Enable weather plugin to get weather data from weather.com and dispaly it 
net-im/skype:qt-static - Installs binaries statically linked to Qt
net-im/tkabber:extras - Enables extra non official patches
net-im/tkabber:plugins - Enables installation the extra plugins
net-im/tmsnc:talkfilters - Enables Talkfilters support on tmsnc
net-im/twinkle:ilbc - Enables use of ilbc (RFC3951) audio encoding
net-im/twinkle:zrtp - Enables use of secure rtp using the zrtp extension of GNU RTP stack developed by Phil Zimmermann 
net-irc/atheme:largenet - Enable support/tweaks for large networks
net-irc/charybdis:smallnet - Enables support for smaller IRC networks
net-irc/ezbounce:boost - Compile against dev-libs/boost libraries
net-irc/inspircd:openssl - Build dev-libs/openssl module
net-irc/ircd-hybrid:contrib - Build contrib modules (eg. cloaking)
net-irc/kvirc:dcc_voice - Support voice over DCC chats
net-irc/kvirc:gsm - enable support for media-sound/gsm
net-irc/kvirc:ipc - add support for IPC between kvirc processes
net-irc/kvirc:phonon - use phonon instead of command-based sound
net-irc/kvirc:qt-dbus - enable use of Qt's DBUS interface for IPC
net-irc/kvirc:qt-webkit - enable use of Qt's WebKit
net-irc/kvirc:transparency - compile in fake-transparency
net-irc/ngircd:ident - Enables support for net-libs/libident
net-irc/quassel:X -  Build the Qt 4 GUI client for quassel. If this USE flag is disabled, the GUI is not built, and cannot be used. You might want to disable this on the server, but you need it enabled on the client. 
net-irc/quassel:server -  Build the server binary. If this USE flag is disabled, the 'core' server binary for quassel is not built, and cannot be used. You need this enabled on the server, but you might want to disable it on the client. 
net-irc/rbot:aspell -  Use aspell instead of ispell in the "spell" plugin for rbot. The vanilla plugin uses ispell, but enabling this flag makes it use the ispell interface from aspell instead. 
net-irc/rbot:cal -  Add dependency over a package providing the /usr/bin/cal command, which is needed to enable the "cal" plugin for rbot. If the USE flag is disabled the plugin is also disabled by default. 
net-irc/rbot:dict -  Add dependency over dev-ruby/ruby-dict, which is needed to enable the "dict" plugin for rbot. If the USE flag is disabled the plugin is also disabled by default. 
net-irc/rbot:figlet -  Add dependency over app-misc/figlet, which is used by the "figlet" plugin for rbot. If the USE flag is disabled the plugin will be unable to use figlet; if toilet is also disabled, the plugin will be disabled. 
net-irc/rbot:fortune -  Add dependency over games-misc/fortune-mod, which is needed to enable the "fortune" plugin for rbot. If the USE flag is disabled the plugin is also disabled by default. 
net-irc/rbot:host -  Add dependency over net-dns/bind-tools (providing /usr/bin/host), which is needed to enable the "host" plugin for rbot. If the USE flag is disabled the plugin is also disabled by default. 
net-irc/rbot:hunspell -  Use hunspell instead of ispell in the "spell" plugin for rbot. The vanilla plugin uses ispell, but enabling this flag makes it use the ispell interface from hunspell instead. It's overridden by the aspell USE flag. For native hunspell support check the rbot-hunspell plugin. 
net-irc/rbot:nls -  Build and install translation for the messages coming from the bot and its plugins (through dev-ruby/ruby-gettext). 
net-irc/rbot:shorturl -  Add dependency over dev-ruby/shorturl, which is needed to enable the "shortenurl" plugin for rbot. If the USE flag is disabled the plugin is also disabled by default. 
net-irc/rbot:timezone -  Add dependency over dev-ruby/tzinfo to enable the "time" plugin for rbot. If the USE flag is disabled the plugin is also disabled by default. 
net-irc/rbot:toilet -  Add dependency over app-misc/toilet, which is used by the "figlet" plugin for rbot. If the USE flag is disabled the plugin will be unable to use toilet; if figlet is also disabled, the plugin will be disabled. 
net-irc/rbot:translator -  Add dependency over dev-ruby/mechanize, which is needed to enable the "translator" plugin for rbot. If the USE flag is disabled the plugin is also disabled by default. 
net-irc/srvx:bahamut - Choose bahamut protocol over p10 protocol
net-irc/unrealircd:hub - Enable hub support
net-irc/unrealircd:prefixaq - Enable chanadmin and chanowner prefixes
net-irc/unrealircd:showlistmodes - Support displaying channel modes during compilation
net-irc/xchat:xchatdccserver - Enables support for the /dccserver command via a patch
net-irc/xchat:xchatnogtk - Disables building the GTK front end to XChat
net-irc/xchat:xft - Build xchat with support for the XFT font renderer
net-irc/xchat-gnome:libsexy - Enable x11-libs/libsexy support
net-irc/xchat-gnome:sound - Enable sound event support with media-libs/libcanberra
net-irc/xchat-xsys:audacious - Enables media-sound/audacious integration
net-irc/znc:nomodules - Don't build modules
net-libs/aqbanking:chipcard -  Enable support for DDV/RSA-chipcards 
net-libs/aqbanking:dtaus -  Enable dtaus backend 
net-libs/aqbanking:geldkarte -  Enable geldkarte backend 
net-libs/aqbanking:hbci -  Enable support for HBCI 
net-libs/aqbanking:yellownet -  Enable support for Yellownet 
net-libs/courier-authlib:vpopmail - Enable vpopmail support
net-libs/cvm:vpopmail - Enable vpopmail support
net-libs/libesmtp:ssl -  Enable support for advanced SMTP authentication methods, like NTML and STARTTLS. Also use OpenSSL's MD5 implementation over internal version. 
net-libs/libetpan:liblockfile - Enable support for liblockfile library
net-libs/libfwbuilder:stlport - Enagle support for STLport
net-libs/libpri:bri - Enable ISDN BRI support (bristuff)
net-libs/libssh2:libgcrypt - Use libgcrypt for crypto
net-libs/libvncserver:no24bpp - disable 24bpp support
net-libs/libvncserver:nobackchannel - disable backchannel support
net-libs/loudmouth:asyncns - Use libasyncns for asynchronous name resolution.
net-libs/opal:noaudio - Disable audio codecs
net-libs/opal:novideo - Disable video codecs
net-libs/openh323:noaudio - Disable audio codecs
net-libs/openh323:novideo - Disable video codecs
net-libs/webkit-gtk:coverage - enable code coverage support
net-libs/webkit-gtk:pango - Use pango as fontbackend instead of freetype
net-libs/webkit-gtk:soup - Use SOUP as backend instead of curl
net-libs/webkit-gtk:xslt - enable support for XSLT
net-libs/xulrunner:custom-optimization - Fine-tune custom compiler optimizations
net-mail/cyrus-imapd:autocreate - Enable not supported (by upstream) patch from University of Athens for automatic creation of user mailboxes
net-mail/cyrus-imapd:autosieve - Enable not supported (by upstream) patch from University of Athens for "on demand" creation of any folder requested by a sieve filter
net-mail/cyrus-imapd:drac - Enable dynamic relay support in the cyrus imap server
net-mail/cyrus-imapd:idled - Enable idled vs poll IMAP IDLE method
net-mail/cyrus-imapd:replication - Enable replication support in the cyrus imap server
net-mail/dbmail:sieve - Enable sieve filter support
net-mail/dovecot:managesieve - Adds managesieve protocol support
net-mail/dovecot:pop3d - Build pop3d support
net-mail/dovecot:sieve - Build the sieve plugin
net-mail/dovecot:vpopmail - Add vpopmail support
net-mail/fetchmail:hesiod - Enable support for hesiod
net-mail/gnubiff:password - Enable save passwords to connect mail servers in user space
net-mail/hotwayd:smtp - Build SMTP proxy (hotsmtpd)
net-mail/lbdb:abook - Enables app-misc/abook support
net-mail/lbdb:finger - Enables finger support
net-mail/qmailadmin:maildrop - Filter spam using maildrop
net-mail/qpopper:apop - Enables the pop.auth file in /etc/pop.auth
net-mail/qpopper:mailbox - Enables mail spool file is in home directory ~/Mailbox
net-mail/teapop:virtual - Enable teapop's virtual domain support.
net-mail/tpop3d:authexternal - Enable authentication by an external program
net-mail/tpop3d:drac - Enable dynamic relay support in the tpop3d pop3 server
net-mail/tpop3d:flatfile - Enable authentication against /etc/passwd-style flat files
net-mail/tpop3d:passwd - Enable /etc/passwd authentication
net-mail/tpop3d:sha1 - Use OpenSSL for sha1 encrypted passwords.
net-mail/tpop3d:shadow - Enable /etc/shadow authentication
net-mail/uw-imap:clearpasswd - Enables cleartext logins outside of SSL sessions
net-mail/vimap:clearpasswd - Enables cleartext logins outside of SSL sessions
net-mail/vpopmail:clearpasswd - Enables cleartext password storage in the vpasswd files
net-mail/vpopmail:ipalias - Enables enable-ip-alias-domains
net-mail/vpopmail:maildrop - Enables mail-filter/maildrop support in vdelivermail
net-misc/aria2:ares - Enables support for asynchronous DNS using the c-ares library
net-misc/aria2:bittorrent - Enables support for the bittorrent protocol
net-misc/aria2:metalink - Enables support for metalink
net-misc/asterisk:bri - Enable ISDN BRI support (bristuff)
net-misc/asterisk:genericjb - Enable experimental generic jitter buffer
net-misc/asterisk:h323 - Build the H.323 channel driver bundled with Asterisk
net-misc/asterisk:lowmem - Build Asterisk for environments with low amounts of memory (embedded devices)
net-misc/asterisk:nosamples - Don't install sample sound and configuration files
net-misc/asterisk:osp - Enable support for the Open Settlement Protocol
net-misc/asterisk:pri - Enables pri support (>=asterisk-1.0.1)
net-misc/asterisk:ukcid - Enable UK callerid support
net-misc/asterisk:zaptel - Enables zaptel support (>=asterisk-1.0.1)
net-misc/asterisk-addons:h323 - Build the chan_ooh323c H.323 channel driver
net-misc/curl:ares - Enabled c-ares dns support
net-misc/curl:libssh2 - Enabled SSH urls in curl using libssh2
net-misc/curl:nss - Use NSS as the crypto engine
net-misc/dhcpcd:compat - Enable commandline compability with dhcpcd-3.x
net-misc/dhcpcd:vram - Disable DUID due to volatile media, such as a LiveCD
net-misc/directvnc:mouse - Adds mouse support
net-misc/drivel:rhythmbox - Enables support for currently playing song in rhythmbox
net-misc/dropbear:bsdpty - Add support for legacy BSD pty's rather than dynamic UNIX pty's -- do not use this flag unless you are absolutely sure you actually want it
net-misc/dropbear:multicall - Build all the programs as one little binary (to save space)
net-misc/gwget:epiphany - Build epiphany extensions
net-misc/hamachi:pentium - Add support for older Pentium based systems
net-misc/htbinit:esfq - Add support for Enhanced Stochastic Fairness queueing discipline.
net-misc/hylafax:faxonly - Don't depend on mgetty-fax
net-misc/hylafax:html - Adds HTML documentation
net-misc/hylafax:mgetty - Adds support for mgetty and vgetty
net-misc/iaxmodem:logrotate -  Install support files for app-admin/logrotate 
net-misc/icecast:yp - Build support for yp public directory listings
net-misc/iputils:SECURITY_HAZARD - Allow non-root users to flood (ping -f). This is generally a very bad idea.
net-misc/kvpnc:cisco - Adds support for Cisco client
net-misc/mediatomb:libextractor - Use libextractor to gather files' metadata.
net-misc/mediatomb:mysql -  Use dev-db/mysql as backend rather than SQLite3. If this USE flag is disabled, dev-db/sqlite is used in its stead. 
net-misc/mediatomb:taglib -  Use media-libs/taglib for reading files' metadata rather than id3lib. If this USE flag is disabled media-libs/id3lib is used in its stead. 
net-misc/neon:pkcs11 - Add support PKCS11 support
net-misc/ntp:openntpd - Allow ntp to be installed alongside openntpd
net-misc/ntp:parse-clocks - Add support for PARSE clocks
net-misc/nxcl:nxclient - Use nxssh from net-misc/nxclient instead of standard ssh
net-misc/nxserver-freenx:nxclient - Add support for the commercial nxclient
net-misc/oidentd:masquerade - Enable support for masqueraded/NAT connections
net-misc/openssh:X509 - Adds support for X.509 certificate authentication
net-misc/openssh:chroot - Enable chrooting support
net-misc/openssh:hpn - Enable high performance ssh
net-misc/openssh:ldap - Add support for storing SSH public keys in LDAP
net-misc/openswan:curl - Include curl support (used for fetching CRLs)
net-misc/openswan:extra-algorithms - Include additional strong algorithms (Blowfish, Twofish, Serpent and SHA2)
net-misc/openswan:ldap - Include LDAP support (used for fetching CRLs)
net-misc/openswan:nocrypto-algorithms - Include algorithms that don't even encrypt (1DES)
net-misc/openswan:weak-algorithms - Include weak algorithms (DH1)
net-misc/openvpn:iproute2 - Enabled iproute2 support instead of net-tools
net-misc/openvpn:passwordsave - Enables openvpn to save passwords
net-misc/openvpn:pkcs11 - Enable PKCS#11 smartcard support
net-misc/quagga:bgpas4 - Enable support for 32-bit AS numbers
net-misc/quagga:bgpclassless - Enable classless prefixes for BGP
net-misc/quagga:fix-connected-rt - Remove interface connected routes from kernel table on link loss so that no packets get routed to downed interface
net-misc/quagga:multipath - Enable multipath routes support for any number of routes
net-misc/quagga:ospfapi - Enable OSPFAPI support for client applications accessing the OSPF link state database
net-misc/quagga:realms - Enable realms support (see http://vcalinus.gemenii.ro/quaggarealms.html)
net-misc/quagga:tcp-zebra - Enable TCP zserv interface on port 2600 for Zebra/protocol-daemon communication. Unix domain sockets are chosen otherwise.
net-misc/quagga:tcpmd5 - Enable TCP MD5 checksumming
net-misc/rdesktop:pcsc-lite - Enable smartcard support with pcsc-lite driver
net-misc/scponly:gftp - Enables gFTP compatibility
net-misc/scponly:logging - Enables SFTP logging compatibility
net-misc/scponly:passwd - Enables passwd compatibility
net-misc/scponly:quota - Enables quota compatibility
net-misc/scponly:rsync - Enables rsync compatibility with potential security risks
net-misc/scponly:scp - Enables scp compatibility with potential security risks
net-misc/scponly:sftp - Enables SFTP compatibility
net-misc/scponly:subversion - Enables Subversion compatibility with potential security risks
net-misc/scponly:unison - Enables Unison compatibility with potential security risks
net-misc/scponly:wildcards - Enables wildcard processing with potential security risks
net-misc/scponly:winscp - Enables WinSCP 2.0 compatibility with potential security risks
net-misc/sitecopy:rsh - This allows the use of rsh (remote shell) and rcp (remote copy) for authoring websites. sftp is a much more secure protocol and is preferred.
net-misc/sitecopy:webdav - Enable WebDav (Web-based Distributed Authoring and Versioning) support. This system allows users to collaborate on websites using a web based interface. See the ebuild for an FAQ page. Enables neon as well to handle webdav support.
net-misc/ssh:openssh - Allow ssh and openssh to be installed side by side
net-misc/streamtuner:shout - Enable shoutcast plug-in.
net-misc/streamtuner:xiph - Enable xiph.org plug-in.
net-misc/strongswan:cisco - Enable support of Cisco VPN client
net-misc/strongswan:nat - Enable NAT traversal with IPsec transport mode
net-misc/termpkg:uucp -  Adds support for uucp style device locking 
net-misc/tightvnc:server - Build vncserver. Allows us to only build server on one machine if set, build only viewer otherwise.
net-misc/tor:logrotate - Enable logrotate file installation
net-misc/vnc:server - Build VNC server
net-misc/vnc:xorgmodule - Build the Xorg module
net-misc/vpnc:hybrid-auth - Enable hybrid authentication (certificates), only if not redistributed as compiled binary
net-misc/vpnc:resolvconf - Enable support for DNS managing framework net-dns/resolvconf
net-misc/xf4vnc:vncviewer - Install the vncviewer binary
net-misc/xf4vnc:xvnc - Install the Xvnc binary
net-misc/xsupplicant:gsm - Add support for EAP-SIM authentication algorithm
net-misc/zaptel:astribank - Install Xorcom Astribank utilities
net-misc/zaptel:bri - Enable ISDN BRI support (bristuff)
net-misc/zaptel:ecaggressive - Make the mark2 echo canceller a little more aggressive
net-misc/zaptel:eckb1 - Use the KB1 echo canceller
net-misc/zaptel:ecmark - Use the MARK echo canceller
net-misc/zaptel:ecmark2 - Use the MARK2 echo canceller (default)
net-misc/zaptel:ecmark3 - Use the MARK3 echo canceller
net-misc/zaptel:ecmg2 - Use the MG2 echo canceller
net-misc/zaptel:ecoslec - Use the OSLEC echo canceller (http://www.rowetel.com/ucasterisk/oslec.html)
net-misc/zaptel:ecsteve - Use the STEVE echo canceller
net-misc/zaptel:ecsteve2 - Use the STEVE2 echo canceller
net-misc/zaptel:florz - Enable florz enhancement patches for ISDN BRI
net-misc/zaptel:rtc - Use the realtime clock on x86 and amd64 systems instead of kernel timers
net-misc/zaptel:watchdog - Enable the watchdog to monitor unresponsive and misbehaving interfaces
net-misc/zaptel:zapnet - Enable SyncPPP, CiscoHDLC and Frame-Relay support
net-misc/zaptel:zapras - Enable PPP support for Remote-Access-Service
net-nds/openldap:experimental - Enable experimental backend options
net-nds/openldap:overlays - Enable contributed OpenLDAP overlays
net-nds/openldap:smbkrb5passwd - Enable overlay for syncing ldap, unix and lanman passwords
net-nds/tac_plus:finger - Adds support for checking user counts via fingering the NAS
net-news/liferea:dbus -  Enables the DBUS connector for liferea, so feeds can be managed from external programs 
net-news/liferea:gnutls -  Enable https feeds using gnutls 
net-news/liferea:gtkhtml -  Uses the gtkhtml rendering engine for item rendering. Depricated, and broken on amd64. 
net-news/liferea:libnotify -  Enable popup notifications 
net-news/liferea:lua -  Enable lua scripting 
net-news/liferea:networkmanager -  Enable NetworkManager integration to automatically detect online/offline status 
net-news/liferea:webkit -  Enable the webkit rendering engine for item rendering 
net-news/liferea:xulrunner -  Enable the xulrunner 1.9 rendering engine for item rendering 
net-nntp/inn:innkeywords - Enable automatic keyword generation support
net-nntp/inn:inntaggedhash - Use tagged hash table for history (disables large file support)
net-nntp/nzbget:parcheck - Enable support for checking PAR archives
net-nntp/slrn:uudeview - Add support for yEnc coding and more using dev-libs/uulib
net-p2p/amule:daemon - Enable amule daemon
net-p2p/amule:remote - Enable remote controlling of the client
net-p2p/amule:stats - Enable statistic reporting
net-p2p/amule:upnp - Enables support for Intel UPnP stack.
net-p2p/btg:event-callback - Enable calling a script or executable for certain events
net-p2p/btg:upnp - Enables support for Intel UPnP stack.
net-p2p/btg:webinterface - install webBTG
net-p2p/dbhub:switch_user - Enable support for switching user
net-p2p/gift:ares - pull in Ares plugin
net-p2p/gift:fasttrack - pull in FastTrack plugin
net-p2p/gift:gnutella - pull in Gnutella plugin
net-p2p/gift:openft - pull in OpenFT plugin
net-p2p/ktorrent:bwscheduler - Enable the bwscheduler plugin
net-p2p/ktorrent:infowidget - Enable the infowidget plugin
net-p2p/ktorrent:ipfilter - Enable the ipfilter plugin
net-p2p/ktorrent:logviewer - Enable the logviewer plugin
net-p2p/ktorrent:mediaplayer - Enable the mediaplayer plugin
net-p2p/ktorrent:scanfolder - Enable the scanfolder plugin
net-p2p/ktorrent:search - Enable the search plugin
net-p2p/ktorrent:stats - Enable the statistics plugin
net-p2p/ktorrent:upnp - Enable the uphp plugin
net-p2p/ktorrent:webinterface - Enable the webinterface plugin
net-p2p/mldonkey:fasttrack - enable fasttrack support
net-p2p/mldonkey:gnutella - enable gnutella and gnutella2 support
net-p2p/mldonkey:guionly - enable client build only
net-p2p/mldonkey:magic - enable use of libmagic
net-p2p/museek+:qsa - Enable QSA scripting for museeq
net-p2p/museek+:trayicon - Enable support for trayicon
net-print/hplip:cupsddk - Add support for net-print/cupsddk which enables dynamic PPD files (recommended)
net-print/hplip:dbus - Add support for sys-apps/dbus which enables better communications with your device (recommended)
net-print/hplip:doc - Build documentation
net-print/hplip:fax - Enable fax on multifunction devices which support it
net-print/hplip:gtk - Enable GTK+ dependencies, currently only the scanner GUI with USE=scanner.
net-print/hplip:minimal - Only build internal hpijs driver (not recommended at all, make sure you know what you are doing)
net-print/hplip:parport - Enable parallel port for devices which require it
net-print/hplip:ppds - Use precompiled PPD files (obsolete, use cupsddk instead)
net-print/hplip:qt3 - Enable graphical interface using Qt 3 (recommended); when both qt3 and qt4 USE flags are enabled then qt3 is prioritary over qt4
net-print/hplip:qt4 - Enable graphical interface using Qt 4 (experimental); when both qt3 and qt4 USE flags are enabled then qt3 is prioritary over qt4
net-print/hplip:scanner - Enable scanner on multifunction devices which support it 
net-print/hplip:snmp - Add support for net-analyzer/net-snmp which enables this driver to work over networks (both for server and client)
net-print/omni:epson - include the epson drivers
net-print/pkpgcounter:psyco - psyco python accelerator
net-proxy/dansguardian:kaspersky - Adds support for Kaspersky AntiVirus software
net-proxy/dansguardian:ntlm - Enable support for the NTLM auth plugin
net-proxy/squid:icap-client - Adds ICAP client support
net-proxy/squid:ipf-transparent - Adds transparent proxy support for systems using IP-Filter (only for *bsd)
net-proxy/squid:logrotate - Use app-admin/logrotate for rotating logs
net-proxy/squid:pf-transparent - Adds transparent proxy support for systems using PF (only for *bsd)
net-proxy/squid:qos - Adds tcp_outgoing_priority for setting the Qdisc priority
net-proxy/squid:zero-penalty-hit - Add Zero Penalty Hit patch (http://zph.bratcheda.org)
net-proxy/sshproxy:client-only - Install only the client wrappers
net-proxy/tinyproxy:transparent-proxy - Enables support for transparent proxies
net-proxy/tsocks:tordns -  Apply tordns patch which allows transparent TORification of the DNS queries 
net-voip/linphone:console - Build console interface
net-voip/linphone:gsm - Include support for the gsm audio codec
net-voip/linphone:ilbc - Build ILBC codec plugin
net-voip/linphone:video - Enable video support (display/capture)
net-voip/yate:gsm - Build gsm codec plugin
net-voip/yate:h323 - Build H.323 Channel plugin
net-voip/yate:ilbc - Build ILBC codec plugin
net-voip/yate:zaptel - Build zaptel Channel plugin
net-wireless/bluez-utils:old-daemons - Install old daemons like hidd and sdpd that are deprecated by the new Service framework
net-wireless/bluez-utils:test-programs - Install l2test and rctest
net-wireless/hostapd:logwatch - Install support files for sys-app/logwatch
net-wireless/hostapd:madwifi - Add support for madwifi (Atheros chipset)
net-wireless/iwlwifi:ipw3945 - Add support for the IPW3945 wireless card
net-wireless/iwlwifi:ipw4965 - Add support for the IPW4965 wireless card
net-wireless/kdebluetooth:irmc - Enable the kitchensync(Multisynk)'s IrMCSync konnector
net-wireless/madwifi-ng:injection - Adds support for net-wireless/aircrack-ng aireplay-ng packet injection
net-wireless/madwifi-old:amrr - Use Adaptive Multi Rate Retry bit rate control algorithm
net-wireless/madwifi-old:onoe - Use Atsushi Onoe's bit rate control algorithm
net-wireless/wepattack:john - Build with app-crypt/johntheripper support
net-wireless/wifiscanner:wireshark - Use the net-analyzer/wireshark wtap library
net-wireless/wireless-tools:multicall - Build the most commonly used tools as one binary
net-wireless/wpa_supplicant:gsm - Add support for EAP-SIM authentication algorithm
net-wireless/wpa_supplicant:madwifi - Add support for madwifi (Atheros chipset)
net-wireless/wpa_supplicant:ps3 - Add support for ps3 hypervisor driven gelic wifi
net-www/gnash:agg - Rendering based on the Anti-Grain Geometry Rendering Engine library
net-www/mplayerplug-in:divx - Divx Playback Support
net-www/mplayerplug-in:gmedia - Google Media Playback Support
net-www/mplayerplug-in:realmedia - Real Media Playback Support
net-www/mplayerplug-in:wmp - Windows Media Playback Support
net-www/xxv:themes - Enable more themes via x11-themes/xxv-skins
rox-base/rox:video - Enable rox-extra/videothumbnail for creating thumbnails of videos with mplayer or totem.
rox-extra/archive:ace - Enable .ace extraction via app-arch/unace
rox-extra/archive:compress - Enable tar.Z and *.Z extraction via app-arch/ncompress
rox-extra/archive:cpio - Enable .cpio extraction via app-arch/cpio
rox-extra/archive:rar - Enable .rar extraction via app-arch/unrar
rox-extra/archive:rpm - Enable .rpm extraction via rpm2cpio from app-arch/rpm
rox-extra/archive:uuencode - Enable .uue extraction via app-arch/sharutils
rox-extra/archive:zip - Enable .zip extraction via app-arch/unzip and app-arch/zip
rox-extra/comicthumb:rar - Enable support for rar-compressed archives via app-arch/unrar
rox-extra/magickthumbnail:xcf - Enable previews of .xcf files using media-gfx/gimp
sci-astronomy/orsa:cln - Use the Class Library for Numbers (sci-libs/cln) for calculations
sci-astronomy/predict:xforms - Add a "map" client which uses the x11-libs/xforms library for its GUI
sci-astronomy/predict:xplanet - Project predict data onto world maps generated by x11-misc/xplanet / x11-misc/xearth
sci-astronomy/setiathome:server - Enable compilation of server
sci-biology/biopython:kdtree - Do not build KDTree module and its dependencies (NeighborSearch)
sci-biology/clustalw-mpi:mpi_njtree - Use MPI (as opposed to serial) code for computing neighbor-joining trees
sci-biology/clustalw-mpi:static_pairalign - Use static (as opposed to dynamic) scheduling for pair alignments
sci-biology/hmmer:pvm - Add support for parallel virtual machine (sys-cluster/pvm)
sci-biology/vienna-rna:no-readseq - Do not include the modified version of Don Gilbert's readseq program
sci-biology/vienna-rna:no-utils - Do not include sequence format conversion and representation utilities
sci-chemistry/caver:pymol - Install the PyMol plugin (sci-chemistry/pymol) 
sci-chemistry/coot:new-interface - Build with the experimental GTK+-2 interface instead of GTK+-1
sci-chemistry/eden:double-precision - More precise calculations at the expense of speed
sci-chemistry/ghemical:gamess - Add GAMESS interface for QM/MM (sci-chemistry/gamess)
sci-chemistry/ghemical:mopac7 - Apply compilation fix for sci-chemistry/mopac7 support
sci-chemistry/ghemical:openbabel - Use sci-chemistry/openbabel for file conversions
sci-chemistry/ghemical:toolbar - Build the shortcuts toolbar
sci-chemistry/gromacs:double-precision - More precise calculations at the expense of speed
sci-chemistry/gromacs:single-precision - Single precision version of gromacs
sci-chemistry/jmol:client-only - Install the viewer only, no applet files for httpd 
sci-chemistry/pymol:apbs - Build the apbs plugin tool.
sci-chemistry/pymol:shaders - Build with Shaders support - good for high-end 3D video cards.
sci-chemistry/shelx:dosformat - Use CR/LF to end lines; useful in mixed Linux/Windows environments
sci-electronics/gerbv:unit-mm - Set default unit for coordinates in status bar to mm 
sci-electronics/pcb:xrender - Add support for xrender (x11-libs/libXrender)
sci-geosciences/gmt:gmtfull - Full resolution bathymetry database
sci-geosciences/gmt:gmthigh - Add high resolution bathymetry database
sci-geosciences/gmt:gmtsuppl - Supplement functions for GMT
sci-geosciences/gmt:gmttria - Non GNU triangulation method, more efficient
sci-geosciences/gpsd:italk - Enable iTalk protocol support
sci-geosciences/gpsd:itrax - Enable iTrax hardware support
sci-geosciences/gpsd:ntp - Enable net-misc/ntp shared memory interface for GPS time
sci-geosciences/gpsd:tntc - Enable True North Technologies support
sci-geosciences/grass:gdal - Enable support for sci-libs/gdal (Grass 5 only)
sci-geosciences/grass:glw - Enable libGLw support (requires media-libs/mesa) 
sci-geosciences/grass:gmath - Enable gmath wrapper for BLAS/Lapack (virtual/blas, virtual/lapack)
sci-geosciences/grass:largefile - Enable LFS support for huge files
sci-geosciences/mapserver:agg - Enable x11-libs/agg library support
sci-geosciences/mapserver:flash - Add support for creating SWF files using media-libs/ming
sci-geosciences/mapserver:gdal - Enable sci-libs/gdal library support
sci-geosciences/mapserver:geos - Enable sci-libs/geos library support
sci-geosciences/mapserver:postgis - Enable dev-db/postgis support
sci-geosciences/mapserver:proj - Enable sci-libs/proj library support (geographic projections)
sci-libs/acml:gfortran - Fetch and install acml compiled with GNU gfortran
sci-libs/acml:ifc - Fetch and install acml compiled with Intel Fortran Compiler (dev-lang/ifc)
sci-libs/acml:int64 - Install the 64 bits integer library
sci-libs/blas-goto:int64 - Build the 64 bits integer library
sci-libs/cholmod:metis - Enable the Partition module to cholmod using metis (sci-libs/metis, sci-libs/parmetis)
sci-libs/cholmod:supernodal - Enable the Supernodal module (needs virtual/lapack)
sci-libs/fftw:float - Link default library to single precision instead of double (symlinks only and fftw-2.1)
sci-libs/gdal:ecwj2k - Enable support for alternate jpeg2k library sci-libs/libecwj2
sci-libs/gdal:fits - Enable support for NASA's sci-libs/cfitsio library
sci-libs/gdal:geos - Add support for geometry engine (sci-libs/geos 
sci-libs/gdal:gml - Enable support for dev-libs/xerces-c C++ API
sci-libs/gdal:hdf - Add support for the Hierarchical Data Format v. 4 (sci-libs/hdf)
sci-libs/gdal:ogdi - Enable support for the open geographic datastore interface (sci-libs/ogdi)
sci-libs/gerris:dx - Enable support for sci-visualization/opendx
sci-libs/gsl:cblas - Build gsl with external cblas by default (virtual/cblas)
sci-libs/hdf5:f90 - Override Fortran for externel compilers
sci-libs/hdf5:hlapi - Enable support for high-level library
sci-libs/hdf5:tools - Install support and test tools
sci-libs/libghemical:mopac7 - Use sci-chemistry/mopac7 for semi-empirical calculations
sci-libs/libghemical:mpqc - Use sci-chemistry/mpqc for quantum-mechanical calculations
sci-libs/libsvm:tools - Install support tools
sci-libs/metis:int64 - Build the 64 bits integer library (metis >=5 only)
sci-libs/mkl:fortran95 - Installs the BLAS/LAPACK FORTRAN95 static libraries
sci-libs/mkl:int64 - Installs the 64 bits integer libraries
sci-libs/mkl:serial - Installs the serial (as non-threaded) libraries
sci-libs/plplot:ada - Add bindings for the ADA programming language
sci-libs/plplot:fortran95 - Add bindings for FORTRAN 95 programming language
sci-libs/plplot:itcl - Add bindings for dev-tcltk/itcl
sci-libs/plplot:jadetex - Add device for app-text/jadetex (for processing tex files produced by the TeX backend of Jade)
sci-libs/plplot:octave - Add bindings for sci-mathematics/octave
sci-libs/plplot:qhull - Add bindings for media-libs/qhull bindings
sci-libs/scipy:sandbox - Adds experimental scipy sandbox modules
sci-libs/scipy:umfpack - Adds support for sparse solving with sci-libs/umfpack
sci-libs/taucs:cilk - Enable multithreading using dev-lang/cilk)
sci-libs/taucs:metis - Add partioning support using metis (sci-libs/metis, sci-libs/parmetis)
sci-libs/vtk:boost - Add support for boost
sci-libs/vtk:cg - Use nvidia's cg shaders
sci-libs/vtk:patented - Build patented classes
sci-mathematics/cgal:taucs - Add support for the sparse solver library sci-libs/taucs
sci-mathematics/coq:ide - Build the Coq IDE, a clone of proof general using dev-ml/lablgtk
sci-mathematics/coq:norealanalysis - Do not build real analysis modules (faster compilation)
sci-mathematics/dataplot:gs - Add Ghostscript support (virtual/ghostscript) 
sci-mathematics/freemat:arpack - Add sparse eigen value support via sci-libs/arpack
sci-mathematics/freemat:ffcall - Enable use of dev-libs/ffcall
sci-mathematics/freemat:umfpack - Add sparse solving via sci-libs/umfpack
sci-mathematics/geomview:avg - Enable experimental motion averaging technique
sci-mathematics/geomview:netpbm - Add media-libs/netpbm support for external modules
sci-mathematics/gretl:sourceview - Enable support for x11-libs/gtksourceview 
sci-mathematics/maxima:clisp - Add support for GNU ANSI Common Lisp (dev-lisp/clisp)
sci-mathematics/maxima:cmucl - Add support for CMU Common Lisp (dev-lisp/cmucl)
sci-mathematics/maxima:gcl - Add support for GNU Common Lisp (dev-lisp/gcl)
sci-mathematics/maxima:sbcl - Add support for Steel Bank Common Lisp (dev-lisp/sbcl)
sci-mathematics/nusmv:minisat - Enable support for MiniSat
sci-mathematics/octave:sparse - Enable enhanced support for sparse matrix algebra
sci-mathematics/octave-forge:qhull - Add support for media-libs/qhull (geometric extensions)
sci-mathematics/pari:elliptic - Add additional elliptic curve data
sci-mathematics/pari:galois - Add additional data to compute Galois groups of degree 8 to 11
sci-mathematics/pspp:psppire - Enable GTK psppire GUI
sci-mathematics/singular:boost - Compile against external boost headers (dev-libs/boost)
sci-mathematics/yacas:server - Build the network server version
sci-misc/boinc:server - Enable compilation of server
sci-misc/h5utils:octave - Build Octave plugins
sci-misc/nco:ncap2 - Build next generation netcdf arithmetic processor (needs dev-java/antlr)
sci-misc/nco:udunits - Add sci-libs/udunits files support
sci-misc/ncview:udunits - Add sci-libs/udunits files support
sci-physics/clhep:exceptions - Enable zoom exceptions for user intervention
sci-physics/geant:athena - Enable the MIT Athena (x11-libs/libXaw) widget set (default is Motif)
sci-physics/geant:data - Add a lot of standard physics data files for geant4
sci-physics/geant:dawn - Add support for media-gfx/dawn (3D postscript rendering)
sci-physics/geant:gdml - Enable geometry markup language for xml
sci-physics/geant:geant3 - Add compatibility for geant321 to geant4
sci-physics/geant:global - Produce a huge global library instead of small ones
sci-physics/geant:openinventor - Add support for media-libs/openinventor SGI toolkit
sci-physics/geant:raytracerx - Enable raytracing for physics events
sci-physics/geant:vrml - Enable output of geant4 in vrml formats
sci-physics/hepmc:cm - Build with cm instead of default mm for length units
sci-physics/hepmc:gev - Build with GeV instead of default MeV for momentum units
sci-physics/pythia:hepmc - Adds support for High Energy Physics Monte Carlo Generators sci-physics/hepmc
sci-physics/root:cern -  Build the HBOOK input/ouput functionality. HBOOK is a histogram library. On ROOT versions previous to 5.20.00, it will depend on sci-physics/cernlib. On versions above, it only need a FORTRAN compiler. 
sci-physics/root:clarens -  Buld the Clarens and PEAC plug-ins, to use in a GRID enabled analysis. The Clarens Grid-Enabled Web Services Framework is an open source portal for ubiquitous access to data and computational resources provided by computing grids. PEAC is an interactive distributed analysis framework that uses Clarens as a glue protocol to advertise and communicate amongst SAM, Global Manager (GM), Local Manager (LM), DCache, and PROOF services. It doesn't need Clarens to build, however if you want to use it, you will require to build Clarens and PEAC on your own, it is not yet in the Gentoo Portage tree. See http://clarens.sourceforge.net/ for Clarens and http://physics.ucsd.edu/~schsu/project/peac.html for PEAC. 
sci-physics/root:geant4 -  Build the sci-physics/geant (GEANT4) navigator. 
sci-physics/root:math -  Build all math libraries plugins. It includes the sci-libs/gsl bindings in MathMore, the GenVector physical vectors package, the Minuit2 minimization library (same as standalone sci-libs/minuit), the RooFit toolkit for distribution modeling, and the Universal Non-Uniform RANdom number generators (UNURAN) library. 
sci-physics/root:pythia6 -  Builds the interface to Pythia-6 (sci-physics/pythia) high energy physics generation events library. 
sci-physics/root:pythia8 -  Builds the interface to Pythia-8 (sci-physics/pythia) high energy physics generation events library. 
sci-physics/root:reflex -  Builds the reflection database for the C++ interpretor. 
sci-physics/root:xrootd -  Build the xrootd low latency file server. For more on the eXtended Request Daemon (xrd) and associated software, please see http://xrootd.slac.stanford.edu. 
sci-visualization/hippodraw:fits -  Enable HippoDraw's built-in support for reading FITS files, by using the CFITSIO library. FITS binary and ASCII tables are supported as well as images. When combine with numpy flag, it can also use the pyfits package. 
sci-visualization/hippodraw:numpy -  Enable support for the numerical array manipulation and computational capabilities of numpy in python. HippoDraw can return a numerical array to Python from any of the type of objects that are supported. One can also import data to a HippoDraw from a numpy array. 
sci-visualization/hippodraw:root -  Adds support for ROOT input/ouput system, storing a table of data as TBranch objects each with a single TLeaf. Files of this type can be imported by HippoDraw as a RootNTuple. Also if root flag is selected, it can use root::minuit for minimization instead of standalone minuit library. 
sci-visualization/hippodraw:wcs -  Adds 10 built-in transforms to HippoDraw via the World Coordinate System library for FITS files. 
sci-visualization/labplot:R - Add statistical dev-lang/R support
sci-visualization/labplot:cdf - Add support for sci-libs/cdf data exchange format
sci-visualization/labplot:kexi - Import and export data from/to MySQL, PostgreSQL etc. via Kexi (app-office/kexi)
sci-visualization/labplot:qhull - Add media-libs/qhull (geometric extensions) support
sci-visualization/opendx:cdf - Add support for sci-libs/cdf data exchange format
sci-visualization/opendx:hdf - Add support for the Hierarchical Data Format (sci-libs/hdf)
sci-visualization/veusz:fits - Add FITS format via dev-python/pyfits
sys-apps/acl:nfs -  add support for NFS acls 
sys-apps/busybox:make-symlinks - Create all the appropriate symlinks in /bin and /sbin.
sys-apps/einit:relaxng - Make validator for Relax NG available
sys-apps/hal:acpi - Enables HAL to attempt to read from /proc/acpi/event, if unavailable, HAL will read events from sys-power/acpid. If you need multiple acpi readers, ensure acpid is in your default runlevel (rc-update add acpid default) along with HAL. This will also enable HAL to read Toshiba and IBM acpi events which do not get sent via /proc/acpi/event
sys-apps/hal:crypt - Allows HAL to mount volumes that are encrypted using LUKS. sys-fs/cryptsetup-luks which has recently been renamed to sys-fs/cryptsetup allows you to create such encrypted volumes. HAL will be able to handle volumes that are removable or fixed.
sys-apps/hal:dell - Builds and installs the Dell addon, which reads data from the Dell SM BIOS via sys-libs/libsmbios. It will read your service tag information and your hardware backlight data as well as allow you to modify the backlight settings on a Dell laptop.
sys-apps/hal:disk-partition - Allows HAL to use libparted from sys-apps/parted to read raw partition data from your disks and process that data. Future versions of HAL (possibly 0.5.11 and higher) will allow you to create, modify, delete and format partitions from a GUI interface agnostic of your desktop environment.
sys-apps/hal:dmi - Adds support for DMI (Desktop Management Interface)
sys-apps/hal:doc - Generates documentation that describes HAL's fdi format.
sys-apps/hal:laptop - Adds support for power management scripts (sys-power/pm-utils)
sys-apps/hal:pcmcia - Allows HAL to process PCMCIA/CardBus slot data which includes inserts and removals and act on these events.
sys-apps/hal:selinux - Installs SELinux policies and links HAL to the SELinux libraries.
sys-apps/hwdata-gentoo:binary-drivers - Adds support for ATI/NVIDIA binary drivers
sys-apps/lm_sensors:sensord - Enable sensord - a daemon that can be used to periodically log sensor readings from hardware health-monitoring chips
sys-apps/memtest86:serial - Compile with serial console support
sys-apps/memtest86+:serial - Compile with serial console support
sys-apps/paludis:glsa - Enable parsing of GLSA files
sys-apps/paludis:inquisitio - Enable inquisitio, the search client
sys-apps/paludis:pink - Use a less boring colourscheme than the default
sys-apps/paludis:portage - Enable experimental support for Portage configuration formats
sys-apps/paludis:qa - Enable QA tools
sys-apps/paludis:visibility - Enable visibility support (g++ >=4.1)
sys-apps/paludis:zsh-completion - Enable zsh completion support
sys-apps/parted:device-mapper - Enable sys-fs/device-mapper support in parted
sys-apps/pciutils:network-cron -  Monthly cronjob the update-pciids script 
sys-apps/pcmcia-cs:trusted - Assume all users are trusted (Build unsafe user-space tools)
sys-apps/pcmcia-cs:xforms - Enable building the xforms based cardinfo binary
sys-apps/pcmcia-cs-modules:cardbus - Enable 32bit CardBus support
sys-apps/pcmciautils:staticsocket - Add support for static sockets
sys-apps/portage:epydoc - Build html API documentation with epydoc.
sys-apps/qingy:logrotate - Enable app-admin/logrotate support
sys-apps/qingy:opensslcrypt - Encrypt communications between qingy and its GUI using dev-libs/openssl
sys-apps/qtparted:jfs - Include JFS support
sys-apps/qtparted:ntfs - Include NTFS support
sys-apps/qtparted:reiserfs - Include ReiserFS support
sys-apps/qtparted:xfs - Include XFS support
sys-apps/shadow:audit - Enable support for sys-process/audit
sys-apps/shadow:nousuid - When nousuid is enabled only su from the shadow package will be installed with the setuid bit (mainly for single user systems)
sys-apps/tinylogin:make-symlinks - Create all the appropriate symlinks in /bin and /sbin
sys-apps/tuxonice-userui:fbsplash - Add support for framebuffer splash
sys-apps/ucspi-ssl:tls - Add TLS support (see also http://www.suspectclass.com/~sgifford/ucspi-tls/)
sys-apps/usbutils:network-cron - Monthly cronjob the update-usbids script
sys-apps/util-linux:loop-aes - include support for Loop AES encryption
sys-apps/util-linux:old-crypt - build support for the older cryptoapi that earlier util-linux's included
sys-apps/v86d:x86emu - Use x86emu for Video BIOS calls
sys-auth/pam_mysql:openssl - Use OpenSSL for md5 and sha1 support
sys-auth/pam_pkcs11:pcsc-lite - build with sys-apps/pcsc-lite instead of dev-libs/openct
sys-auth/pambase:consolekit -  Enable pam_ck_connector module on local system logins. This allows for console logins to make use of ConsoleKit authorization. 
sys-auth/pambase:cracklib -  Enable pam_cracklib module on system authentication stack. This produces warnings when changing password to something easily crackable. It requires the same USE flag to be enabled on sys-libs/pam or system login might be impossible. 
sys-auth/pambase:debug -  Enable debug information logging on syslog(3) for all the modules supporting this in the system authentication and system login stacks. 
sys-auth/pambase:gnome-keyring -  Enable pam_gnome_keyring module on system login stack. This enables proper Gnome Keyring access to logins, whether they are done with the login shell, a Desktop Manager or a remote login systems such as SSH. 
sys-auth/pambase:mktemp -  Enable pam_mktemp module on system auth stack for session handling. This module creates a private temporary directory for the user, and sets TMP and TMPDIR accordingly. 
sys-auth/pambase:passwdqc -  Enable pam_passwdqc module on system auth stack for password quality validation. This is an alternative to pam_cracklib producing warnings, rejecting or providing example passwords when changing your system password. It is used by default by OpenWall GNU/*/Linux and by FreeBSD. 
sys-auth/pambase:sha512 -  Switch Linux-PAM's pam_unix module to use sha512 for passwords hashes rather than MD5. This option requires >=sys-libs/pam-1.0.1 built against >=sys-libs/glibc-2.7, if it's built against an earlier version, it will silently be ignored, and MD5 hashes will be used. All the passwords changed after this USE flag is enabled will be saved to the shadow file hashed using SHA512 function. The password previously saved will be left untouched. Please note that while SHA512-hashed passwords will still be recognised if the USE flag is removed, the shadow file will not be compatible with systems using an earlier glibc version. 
sys-auth/pambase:ssh -  Enable pam_ssh module on system auth stack for authentication and session handling. This module will accept as password the passphrase of a private SSH key (one of ~/.ssh/id_rsa, ~/.ssh/id_dsa or ~/.ssh/identity), and will spawn an ssh-agent instance to cache the open key. 
sys-block/gparted:fat - Include FAT16/FAT32 support (sys-fs/dosfstools) 
sys-block/gparted:hfs - Include HFS support (sys-fs/hfsutils)
sys-block/gparted:jfs - Include JFS support (sys-fs/jfsutils)
sys-block/gparted:ntfs - Include NTFS support (sys-fs/ntfsprogs)
sys-block/gparted:reiser4 - Include ReiserFS4 support (sys-fs/reiser4progs)
sys-block/gparted:reiserfs - Include ReiserFS support (sys-fs/reiserfsprogs)
sys-block/gparted:xfce - Enable integration in XFCE desktop
sys-block/gparted:xfs - Include XFS support (sys-fs/xfsprogs, sys-fs/xfsdump)
sys-block/open-iscsi:modules - Build the open-iscsi kernel modules
sys-block/open-iscsi:utils - Build the open-iscsi utilities
sys-block/partimage:nologin - Do not include login support
sys-block/unieject:pmount - Make use of pmount wrapper and pmount-like permissions (sys-apps/pmount)
sys-boot/arcboot:cobalt - Disable support for Cobalt Microserver hardware (Qube2/RaQ2)
sys-boot/arcboot:ip27 - Disable support for SGI Origin (IP27)
sys-boot/arcboot:ip28 - Disable support for SGI Indigo2 Impact R10000 (IP28)
sys-boot/arcboot:ip30 - Disable support for SGI Octane (IP30)
sys-boot/grub:custom-cflags - Enable custom CFLAGS (not supported)
sys-boot/lilo:device-mapper - Enable support for sys-fs/device-mapper
sys-boot/lilo:pxeserial - Avoid character echo on PXE serial console
sys-cluster/charm:cmkopt - Enable CMK optimisation
sys-cluster/charm:tcp - Use TCP (instead of UPD) for socket communication
sys-cluster/heartbeat:ldirectord - Adds support for ldiretord, use enabled because it has a lot of deps
sys-cluster/heartbeat:management - Adds support for management GUI.
sys-cluster/lam-mpi:pbs - Add support for the Portable Batch System (PBS)
sys-cluster/lam-mpi:romio - Enable romio, a high-performance portable MPI-IO implementation
sys-cluster/lam-mpi:xmpi - Build support for the external XMPI debugging GUI
sys-cluster/mpich2:fast - Enabling fast turns off error checking and timing collection
sys-cluster/mpich2:mpe - Add mpe support
sys-cluster/mpich2:mpe-sdk - Include additional SDK support, jar files
sys-cluster/mpich2:pvfs2 - Add pvfs2 support
sys-cluster/mpich2:romio - Enable romio, a high-performance portable MPI-IO implementation
sys-cluster/ocfs:aio - Add aio support
sys-cluster/openmpi:heterogeneous - Enable features required for heterogeneous platform support
sys-cluster/openmpi:mpi-threads - Enable MPI_THREAD_MULTIPLE
sys-cluster/openmpi:pbs - Add support for the Portable Batch System (PBS)
sys-cluster/openmpi:romio - Build the ROMIO MPI-IO component
sys-cluster/pvfs2:apidocs - Build API documentation directly from the code using doxygen
sys-cluster/pvfs2:server - Enable compilation of server code
sys-cluster/torque:cpusets - Enable pbs_mom to utilize linux cpusets if available.
sys-cluster/torque:server - Enable compilation of pbs_server and pbs_sched
sys-cluster/vzctl:logrotate - Enable logrotate file installation
sys-devel/binutils:multislot - Allow for multiple versions of binutils to be emerged at once for same CTARGET
sys-devel/binutils:multitarget - Adds support to binutils for cross compiling (does not work with gas)
sys-devel/binutils-hppa64:multislot - Allow for multiple versions of binutils to be emerged at once for same CTARGET
sys-devel/binutils-hppa64:multitarget - Adds support to binutils for cross compiling (does not work with gas)
sys-devel/binutils-nios2:multislot - Allow for multiple versions of binutils to be emerged at once for same CTARGET
sys-devel/binutils-nios2:multitarget - Adds support to binutils for cross compiling (does not work with gas)
sys-devel/gcc:d - Enable support for the D programming language
sys-devel/gcc:fixed-point - Enable fixed-point arithmetic support for MIPS targets in gcc (Warning: significantly increases compile time!)
sys-devel/gcc:ip28 - Enable building a compiler capable of building a kernel for SGI Indigo2 Impact R10000 (IP28)
sys-devel/gcc:ip32r10k - Enable building a compiler capable of building an experimental kernel for SGI O2 w/ R1x000 CPUs (IP32)
sys-devel/gcc:libffi - Build the portable foreign function interface library
sys-devel/gcc:mudflap - Add support for mudflap, a pointer use checking library
sys-devel/gcc:multislot - Allow for SLOTs to include minor version (3.3.4 instead of just 3.3)
sys-devel/gcc:n32 - Enable n32 ABI support on mips
sys-devel/gcc:n64 - Enable n64 ABI support on mips
sys-devel/gcc:nopie - Disable PIE support (NOT FOR GENERAL USE)
sys-devel/gcc:nossp - Disable SSP support (NOT FOR GENERAL USE)
sys-devel/gcc:objc - Build support for the Objective C code language
sys-devel/gcc:objc++ - Build support for the Objective C++ language
sys-devel/gcc:objc-gc - Build support for the Objective C code language Garbage Collector
sys-devel/gcc-nios2:multislot - Allow for SLOTs to include minor version (3.3.4 instead of just 3.3)
sys-devel/gdb:multitarget - Support all known targets in one gdb binary
sys-devel/kgcc64:multislot - Allow for SLOTs to include minor version (eg. 3.3.4 instead of just 3.3)
sys-devel/libperl:ithreads - Enable Perl threads, has some compatibility problems
sys-freebsd/freebsd-lib:gpib - Enable gpib support (TODO improve description)
sys-freebsd/freebsd-lib:hesiod - Enable hesiod support
sys-freebsd/freebsd-sbin:ipfilter - Enable ipfilter firewall support
sys-freebsd/freebsd-sbin:vinum - Enable vinum support (TODO improve description)
sys-freebsd/freebsd-share:isdn - Enable ISDN support
sys-freebsd/freebsd-usbin:ipfilter - Enable ipfilter firewall support
sys-freebsd/freebsd-usbin:ipsec - Enable IPSec support
sys-freebsd/freebsd-usbin:isdn - Enable ISDN support
sys-freebsd/freebsd-usbin:nat - Enable Network Address Translation support
sys-fs/cryptsetup:dynamic - Build cryptsetup dynamically
sys-fs/ecryptfs-utils:gpg - Enable app-crypt/gnupg key module
sys-fs/ecryptfs-utils:openssl - Enable dev-libs/openssl key module
sys-fs/ecryptfs-utils:pkcs11 - Enable PKCS#11 (Smartcards) key module
sys-fs/evms:hb - Enable support for heartbeat-1
sys-fs/evms:hb2 - Enable support for heartbeat-2
sys-fs/loop-aes:keyscrub - Protects the encryption key in memory but takes more cpu resources
sys-fs/loop-aes:padlock - Use VIA padlock instructions, detected at run time, code still works on non-padlock processors
sys-fs/lvm2:clvm - Allow users to build clustered lvm2
sys-fs/lvm2:cman - Cman support for clustered lvm
sys-fs/lvm2:lvm1 - Allow users to build lvm2 with lvm1 support
sys-fs/lvm2:nolvm1 - Allow supports to build lvm2 without lvm1 support
sys-fs/lvm2:nolvmstatic - Allow users to build lvm2 dynamically
sys-fs/ntfsprogs:fuse - Build a FUSE module
sys-fs/owfs:ftpd - Enable building the OWFS FTP server (owftpd)
sys-fs/owfs:fuse - Enable building the FUSE-based OWFS client (owfs)
sys-fs/owfs:httpd - Enable building the OWFS web server (owhttpd)
sys-fs/owfs:parport - Enable support for the DS1410E parallel port adapter
sys-fs/owfs:server - Enable building the OWFS server (owserver)
sys-fs/quota:rpc - Enable quota interaction via RPC
sys-fs/unionfs:nfs - Adds support for NFS file system
sys-kernel/gentoo-sources:ultra1 - Enable if you have a SUN Ultra 1 with a HME interface
sys-kernel/linux-docs:html - Install HTML documenation
sys-kernel/mips-headers:cobalt - Enables support for Cobalt Microserver hardware (Qube2/RaQ2)
sys-kernel/mips-headers:ip27 - Enables support for SGI Origin (IP27)
sys-kernel/mips-headers:ip28 - Enables support for SGI Indigo2 Impact R10000 (IP28)
sys-kernel/mips-headers:ip30 - Enables support for SGI Octane (IP30, 'Speedracer')
sys-kernel/mips-sources:cobalt - Enables support for Cobalt Microserver hardware (Qube2/RaQ2)
sys-kernel/mips-sources:ip27 - Enables support for SGI Origin (IP27)
sys-kernel/mips-sources:ip28 - Enables support for SGI Indigo2 Impact R10000 (IP28)
sys-kernel/mips-sources:ip30 - Enables support for SGI Octane (IP30, 'Speedracer')
sys-kernel/mips-sources:ip32r10k - Enables experimental support for IP32 R10K kernels (SGI O2, 'Moosehead')
sys-kernel/sparc-sources:ultra1 - If you have a SUN Ultra 1 with a HME interface
sys-libs/glibc:erandom - Enable erandom/frandom support in glibc for ssp
sys-libs/glibc:glibc-compat20 - Enable the glibc-compat addon
sys-libs/glibc:glibc-omitfp - Configure glibc with --enable-omitfp which lets the build system determine when it is safe to use -fomit-frame-pointer
sys-libs/glibc:linuxthreads-tls - Configure the linuxthreads glibc with --with-_thread if supported by your system. --with-tls is always enabled if supported and is NOT controlled by this switch. So the glibc built will always support TLS binaries. This toggle chooses whether or not glibc itself uses TLS. If you're concerned about backwards compatibility with old binaries, leave this off.
sys-libs/glibc:nptlonly - Disables building the linuxthreads fallback in glibc ebuilds that support building both linuxthread and nptl
sys-libs/glibc:userlocales - Build only the locales specified in /etc/locales.build
sys-libs/libraw1394:juju - Use the new juju firewire stack in the Linux kernel
sys-libs/libuser:quotas - Enables support for user quotas
sys-libs/ncurses:ada - Add bindings for the ADA programming language
sys-libs/ncurses:trace - Enable test trace() support in ncurses calls
sys-libs/pam:audit - Enable support for sys-process/audit
sys-libs/uclibc:pregen - Use pregenerated locales
sys-libs/uclibc:savedconfig - Adds support for user defined configs
sys-libs/uclibc:uclibc-compat - Build uclibc with backwards compatible options
sys-libs/uclibc:userlocales - Build only the locales specified in /etc/locales.build
sys-libs/uclibc:wordexp - Add support for word expansion (wordexp.h)
sys-power/acpid:logrotate - Use app-admin/logrotate for rotating logs
sys-power/apcupsd:lighttpd - Enable support for www-servers/lighttpd
sys-power/cpufreqd:nforce2 - Enable support for nforce2 voltage settings plug-in
sys-power/cpufreqd:nvidia - Enable nvidia overclocking (media-video/nvclock) plug-in
sys-power/cpufreqd:pmu - Enable Power Management Unit plug-in
sys-power/pm-utils:ntp - install support for net-misc/ntp
sys-power/powerman:genders -  Add support for selecting power control targets using genders (-g option) 
sys-power/powerman:httppower -  Add support for HTTP based power controllers 
sys-power/suspend:fbsplash - Add support for framebuffer splash
sys-process/procps:n32 - Enable n32 ABI support on mips
www-apache/anyterm:opera - Enable workaround for bug in Opera web browser
www-apache/mod_ftpd:dbi - Enables dev-db/libdbi support
www-apache/mod_log_sql:dbi - Enables dev-db/libdbi support
www-apache/mod_mono:aspnet2 - Handle all applications using ASP.NET 2.0 engine by default
www-apache/mod_suphp:checkpath - Check if script resides in DOCUMENT_ROOT
www-apache/mod_suphp:mode-force - Run scripts with UID/GID specified in Apache configuration
www-apache/mod_suphp:mode-owner - Run scripts with owner UID/GID
www-apache/mod_suphp:mode-paranoid - Run scripts with owner UID/GID but also check if they match the UID/GID specified in the Apache configuration
www-apache/mod_vhs:suphp - Enable www-apache/mod_suphp support
www-apache/pwauth:domain-aware - Ignore leading domain names in username (Windows compat)
www-apache/pwauth:faillog - Log failed login attempts
www-apache/pwauth:ignore-case - Ignore string case in username (mostly Windows compat)
www-apps/Embperl:modperl - Enable www-apache/mod_perl support
www-apps/Embperl:xalan - Enable dev-java/xalan support
www-apps/bugzilla:extras - Optional Perl modules
www-apps/bugzilla:modperl - Enable www-apache/mod_perl support
www-apps/egroupware:jpgraph - Add dev-php5/jpgraph support
www-apps/gallery:netpbm - Add media-libs/netpbm support
www-apps/gallery:unzip - Add app-arch/unzip support for the archive upload module
www-apps/gallery:zip - Add app-arch/zip for the zip download module
www-apps/horde-passwd:clearpasswd - Enables cleartext password storage in the vpopmail files
www-apps/lxr:freetext - Adds support for freetext search using swish-e
www-apps/mediawiki:math - Ads math rendering support
www-apps/mediawiki:restrict - Initial setup will only allow sysop user to create new accounts, read and edit any pages
www-apps/rt:lighttpd - Add www-servers/lighttpd support
www-apps/trac:silvercity - Add app-text/silvercity support to colourize code stored in the repository
www-apps/viewvc:cvsgraph - Add dev-util/cvsgraph support to show graphical views of revisions and branches
www-apps/viewvc:highlight - Add app-text/highlight support to colourize code stored in the repository
www-apps/viewvc:mod_python - Add www-apache/mod_python support
www-client/elinks:bittorrent - Enable support for the BitTorrent protocol
www-client/elinks:finger - Enable support for the finger protocol
www-client/elinks:gopher - Enable support for the gopher protocol
www-client/kazehakase:hyperestraier - enable hyperestraier support for full-text search in history
www-client/kazehakase:webkit - Use net-libs/webkit for rendering rather than net-libs/xulrunner
www-client/midori:soup - Use native C http library
www-client/mozilla-firefox:custom-optimization - Fine-tune custom compiler optimizations
www-client/mozilla-firefox:filepicker - Enable old gtkfilepicker from 1.0.x firefox
www-client/mozilla-firefox:iceweasel - Enable iceweasel branding
www-client/mozilla-firefox:mozdevelop - Enable features for web developers (e.g. Venkman)
www-client/mozilla-firefox:moznopango - Disable x11-libs/pango during runtime
www-client/mozilla-firefox:restrict-javascript - Pull in x11-plugins/noscript extension to disable javascript globally, putting the user fully in control of the sites he/she visits
www-client/mozilla-firefox:xforms - XForms is a standard to split up XHTML into XForms, instance data, and user interface
www-client/mozilla-firefox-bin:restrict-javascript - Pull in x11-plugins/noscript extension to disable javascript globally, putting the user fully in control of the sites he/she visits
www-client/opera:ia32 - Install 32-bit binaries instead of 64-bit binaries
www-client/opera:qt-static - Install binaries statically linked to Qt
www-client/opera:qt3-static - Install binaries statically linked to Qt 3
www-client/seamonkey:mozdevelop - Enable features for web developers (e.g. Venkman)
www-client/seamonkey:moznocompose - Disable building of mozilla's HTML editor component
www-client/seamonkey:moznoirc - Disable building of mozilla's IRC client
www-client/seamonkey:moznomail - Disable building mozilla's mail client
www-client/seamonkey:moznopango - Disable x11-libs/pango during runtime
www-client/seamonkey:moznoroaming - sroaming extension support
www-client/seamonkey:xforms - XForms is a standard to split up XHTML into XForms, instance data, and user interface
www-client/w3m:lynxkeymap - If you prefer Lynx-like key binding
www-misc/zoneminder:X10 - Enable support for X10 devices
www-servers/apache:sni - Enable TLS Server Name Indication (SNI) - EXPERIMENTAL!
www-servers/apache:suexec - Install suexec with apache
www-servers/cherokee:admin - Install web based cherokee conf tool
www-servers/cherokee:coverpage - Installs the default cherokee coverpage
www-servers/fnord:auth - Enable HTTP authentication support
www-servers/lighttpd:memcache - Enable memcache support for mod_cml and mod_trigger_b4_dl
www-servers/lighttpd:rrdtool - Enable rrdtool support via mod_rrdtool
www-servers/lighttpd:webdav - Enable webdav properties
www-servers/nginx:addition - Enables HTTP addition filter module
www-servers/nginx:flv - Enables special processing module for flv files
www-servers/nginx:status - Enables stub_status module
www-servers/nginx:sub - Enables sub_filter module
www-servers/nginx:webdav - Enable webdav support
www-servers/ocsigen:ocamlduce - Enables ocamlduce XML typechecking for generated web pages
www-servers/pound:dynscaler - Enable dynamic rescaling of back-end priorities
www-servers/pound:msdav - if you want the Microsoft DAV extensions enabled
www-servers/pound:unsafe - if you want the 'unsafe' characters passed through to the web servers
www-servers/resin:admin - Enable Resin admin webapp
www-servers/shttpd:dmalloc - Enable debugging with the dmalloc library
www-servers/tomcat:admin - Enable Tomcat admin webapp
x11-apps/xdpyinfo:dmx - Builds support for Distributed Multiheaded X x11-base/xorg-server
x11-base/kdrive:fbdev - Enables framebuffer kdrive server
x11-base/kdrive:font-server - Enables font server support
x11-base/kdrive:speedo - Enables Speedo font support
x11-base/kdrive:type1 - Enables Type1 font support
x11-base/xorg-server:dmx - Build the Distributed Multiheaded X server
x11-base/xorg-server:kdrive - Build the kdrive X servers
x11-base/xorg-server:tslib - Build with tslib support for touchscreen devices
x11-base/xorg-server:xorg - Build the Xorg X server (HIGHLY RECOMMENDED)
x11-drivers/linuxwacom:module - Build kernel module
x11-drivers/nvidia-drivers:custom-cflags - Build with CFLAGS from /etc/make.conf (unsupported)
x11-libs/cairo:glitz - Build with glitz support, which replaces some software render operations with Mesa OpenGL operations
x11-libs/cairo:opengl - When used along with USE=glitz, enables glitz-glx usage. Requires hardware OpenGL support
x11-libs/fltk:noxft - Disables xft; use for non-english characters
x11-libs/fltk:xft - Build with support for XFT font renderer (x11-libs/libXft)
x11-libs/gtkmathview:t1lib - Enable media-libs/t1lib support
x11-libs/libmatchbox:pango - Enable x11-libs/pango support
x11-libs/libmatchbox:xsettings - Enable the use of xsettings for settings management
x11-libs/openmotif:xft - Build OpenMotif with support for XFT font renderer (x11-libs/libXft)
x11-libs/qt:glib - Enable dev-libs/glib eventloop support
x11-libs/qt:immqt - Enable binary incompatible version of immodule for Qt
x11-libs/qt:immqt-bc - Enable binary compatible version of immodule for Qt
x11-libs/qt:qt3support - Enable the Qt3Support libraries for Qt4
x11-libs/qt-assistant:webkit -  Enable x11-libs/qt-webkit support, for more sophisticated online help display using webkit's HTML renderer. 
x11-libs/qt-core:glib - Enable dev-libs/glib eventloop support
x11-libs/qt-core:qt3support - Enable the Qt3Support libraries for Qt4. Note that this does not mean you can compile pure Qt3 programs with Qt4.
x11-libs/qt-gui:glib -  Enable dev-libs/glib eventloop support 
x11-libs/qt-gui:qt3support - Enable the Qt3Support libraries for Qt4. Note that this does not mean you can compile pure Qt3 programs with Qt4. 
x11-libs/qt-opengl:qt3support - Enable the Qt3Support libraries for Qt4
x11-libs/qt-sql:qt3support - Enable the Qt3Support libraries for Qt4
x11-libs/wxGTK:gnome -  Use gnome-base/libgnomeprintui for printing tasks. 
x11-libs/wxGTK:gstreamer -  Enable the wxMediaCtrl class for playing audio and video through gstreamer. 
x11-libs/wxGTK:sdl -  Use Simple Directmedia Layer (media-libs/libsdl) for audio. 
x11-misc/adesklets:ctrlmenu - force CTRL to be pressed to fire context menu
x11-misc/notification-daemon-xfce:xfce - Enable integration in XFCE desktop
x11-misc/openclipart:gzip - Compresses clip art using gzip
x11-misc/vnc2swf:x11vnc - Install script that depends on x11vnc
x11-misc/x11vnc:system-libvncserver - Build x11vnc against the system libvncserver (experimental)
x11-misc/xlockmore:xlockrc - Enables xlockrc for people without PAM
x11-misc/xscreensaver:new-login - Enables New Login button using gdmflexiserver (gnome-base/gdm)
x11-misc/zim:screenshot - Enable screenshot support (using media-gfx/scrot)
x11-misc/zim:trayicon - Enable support for trayicon
x11-plugins/bfm:gkrellm - Enable building of app-admin/gkrellm module
x11-plugins/gkrellm-plugins:audacious - Enable the audacious plugin x11-plugins/gkrellmms
x11-plugins/gkrellmbups:nut - Enable monitoring Network-UPS via sys-power/nut
x11-plugins/purple-plugin_pack:talkfilters - Enable support for app-text/talklfilters
x11-plugins/wmhdplop:gkrellm - Enable building of app-admin/gkrellm module
x11-plugins/wmsysmon:high-ints - Enable support for monitoring 24 interrupts. Useful on SMP machines
x11-terms/aterm:background - Enable background image support via media-libs/libafterimage
x11-terms/aterm:xgetdefault - Enable resources via X instead of aterm small version
x11-terms/eterm:escreen - Enable built-in app-misc/screen support
x11-terms/eterm:etwin - Enable twin support
x11-terms/hanterm:utempter - Records user logins. Useful on multi-user systems
x11-terms/mlterm:scim - Enable scim support
x11-terms/mlterm:uim - Enable uim support
x11-terms/mrxvt:menubar - Enable mrxvt menubar
x11-terms/mrxvt:utempter - REcords user logins. Useful on multi-user systems
x11-terms/rxvt:linuxkeys - Define LINUX_KEYS (changes Home/End key)
x11-terms/rxvt:xgetdefault - Enable resources via X instead of rxvt small version
x11-terms/rxvt-unicode:afterimage - Enable support for media-libs/libafterimage 
x11-terms/rxvt-unicode:iso14755 - Enable ISO-14755 support
x11-terms/rxvt-unicode:wcwidth - Enable wide char width support
x11-terms/rxvt-unicode:xterm-color - Enable xterm 256 color support
x11-terms/xterm:paste64 - Enable support for bracketed paste mode
x11-terms/xterm:toolbar - Enable the xterm toolbar to be built
x11-themes/gentoo-artwork:grub - Install extra sys-boot/grub themes
x11-themes/gentoo-artwork:icons - Install icons
x11-themes/gentoo-artwork:lilo - Install extra sys-boot/lilo themes
x11-themes/gentoo-artwork:pixmaps - Install pixmaps
x11-themes/gtk-engines-qt:gnome - Enable proper theming of buttons in gnome toolbars (as opposed to just plain gtk+ toolbars)
x11-themes/gtk-engines-qtcurve:firefox3 - Install GUI theme tweaks for version 3 of www-client/mozilla-firefox
x11-themes/gtk-engines-qtcurve:mozilla - Install GUI theme tweaks for mozilla based browsers, including version 2 of www-client/mozilla-firefox
x11-themes/qtcurve-qt4:kde - Enable KDE4 support. This adds a QtCurve configuration module to KDE's SystemSettings.
x11-themes/redhat-artwork:audacious - Install media-sound/audacious theme
x11-themes/redhat-artwork:cursors - Install Bluecurve cursors
x11-themes/redhat-artwork:gdm - Install Bluecurve gnome-base/gdm theme
x11-themes/redhat-artwork:icons - Install Bluecurve icons
x11-themes/redhat-artwork:kdm - Install Bluecurve kde-base/kdm theme
x11-themes/redhat-artwork:nautilus - Install Bluecurve gnome-base/nautilus icons
x11-themes/skinenigmang-logos:dxr3 - Install logos for lower osd color depth on dxr3 cards
x11-wm/compiz:annotate - Build the annotate plugin
x11-wm/compiz:fuse - Enables support for the filesystem in userspace plugin through sys-fs/fuse.
x11-wm/compiz:kde4 - Compile the kde4 window decorator and add support for kde-base/kdebase-startkde:4.1.
x11-wm/compiz-fusion:unsupported - Install the x11-plugins/compiz-fusion-plugins-unsupported package.
x11-wm/enlightenment:xrandr - Enable support for the X xrandr extension
x11-wm/fluxbox:disableslit - Disables the fluxbox slit (or dock)
x11-wm/fluxbox:disabletoolbar - Disables the fluxbox toolbar
x11-wm/fluxbox:slit - Enables the fluxbox slit (or dock)
x11-wm/fluxbox:toolbar - Enables the fluxbox toolbar
x11-wm/fvwm:gtk2-perl - Enable GTK2 Perl bindings
x11-wm/fvwm:netpbm - Enable NetPBM support (used by FvwmScript-ScreenDump)
x11-wm/fvwm:rplay - Enable rplay support
x11-wm/fvwm:stroke - Mouse Gesture support
x11-wm/matchbox-desktop:dnotify - Use the linux kernel directory notification feature.
x11-wm/matchbox-panel:dnotify - Use the linux kernel directory notification feature.
x11-wm/matchbox-panel:lowres - Optimize for low resolution screens.
x11-wm/sawfish:pango - Enable pango support
x11-wm/stumpwm:clisp - Use CLISP for the runtime
x11-wm/stumpwm:sbcl - Use SBCL for the runtime
x11-wm/stumpwm-cvs:clisp - Use CLISP for the runtime
x11-wm/stumpwm-cvs:sbcl - Use SBCL for the runtime
x11-wm/vtwm:rplay - Enable rplay support, needed for sound.
x11-wm/windowmaker:modelock - Enable XKB language status lock support. README says: "If you don't know what it is you probably don't need it."
x11-wm/windowmaker:vdesktop - Enable dynamic virtual desktop (conflicts with software that works on the edges of the screen)
xfce-base/thunar:trash-plugin - Build Trash plug-in for panel
xfce-base/xfce-utils:lock - Enable screen locking
xfce-base/xfce4-extras:battery - Meta pulls in xfce-extra/xfce4-battery depend
xfce-base/xfce4-extras:cpufreq - Meta pulls in xfce-extra/xfce4-cpu-freq depend
xfce-base/xfdesktop:file-icons - Build support for application launchers using xfce-base/thunar and libexo
xfce-base/xfdesktop:menu-plugin - Build Menu plug-in for panel
xfce-extra/thunar-thumbnailers:grace - Enable support for sci-visualization/grace thumbnails
xfce-extra/xfce4-mpc:libmpd - Build using media-libs/libmpd backend, instead of native fallback which is preferred