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
|
#*****************************************
#*****************************************
#*****************************************
#*****************************************
#
# Help texts for the various configuration
# options that can be set via the console.
#
# The text item for a configuration item
# with name NAME has the ID name_help.
#
#*****************************************
#*****************************************
#*****************************************
#*****************************************
first_use_help Is this the first time you use \g?
include_help Includes the following file
sinclude_help Includes the following file silently, without error message if it is not found
new_team_allowed_help Is it currently allowed to create a new team?
#********************************************
#********************************************
#
# lost settings
#
#********************************************
#********************************************
keyboard_help Keyboard settings
#********************************************
#********************************************
#
# keyboard settings
#
#********************************************
#********************************************
doublebind_time_help Time in seconds during which no two different keyboard events can trigger the same action
#********************************************
#********************************************
#
# Cycle physics related configuration options
#
#********************************************
#********************************************
cycle_speed_help Basic speed of your cycle if you drive straight and not close to walls
cycle_speed_min_help Minimal speed of your cycle, measured relative to CYCLE_SPEED
cycle_speed_max_help Maximal speed of your cycle, measured relative to CYCLE_SPEED. A value of 0 means no top speed.
cycle_speed_decay_below_help Rate of cycle speed approaching the value of CYCLE_SPEED from below
cycle_speed_decay_above_help Rate of cycle speed approaching the value of CYCLE_SPEED from above
cycle_start_speed_help Initial cycle speed
cycle_sound_speed_help Sound speed divisor
cycle_accel_help Wall acceleration factor
cycle_accel_self_help Multiplicator to CYCLE_ACCEL for your own wall
cycle_accel_team_help Multiplicator to CYCLE_ACCEL for your temmates' walls
cycle_accel_enemy_help Multiplicator to CYCLE_ACCEL for your enemies' walls
cycle_accel_rim_help Multiplicator to CYCLE_ACCEL for the rim walls
cycle_accel_slingshot_help Multiplicator to the total effect of CYCLE_ACCEL, if the cycle is between its own wall and another wall
cycle_accel_tunnel_help Multiplicator to the total effect of CYCLE_ACCEL, if the cycle is between two walls not created by it
cycle_accel_offset_help Minimum numeric wall distance, must be positive
cycle_wall_near_help Maximum accelerating wall distance
cycle_boost_self_help Speed boost when breaking from your own wall
cycle_boost_team_help Speed boost when breaking from a teammate's wall
cycle_boost_enemy_help Speed boost when breaking from an enemy wall
cycle_boost_rim_help Speed boost when breaking from the rim wall
cycle_boostfactor_self_help Factor your speed is multiplied with when breaking from your own wall
cycle_boostfactor_team_help Factor your speed is multiplied with when breaking from a teammate's wall
cycle_boostfactor_enemy_help Factor your speed is multiplied with when breaking from an enemy wall
cycle_boostfactor_rim_help Factor your speed is multiplied with when breaking from the rim wall
cycle_turn_memory_help Number of pending turns a cycle will memorize exactly
cycle_delay_help Minimum time between turns (must be greater than 0)
cycle_delay_bonus_help Extra fudge factor to CYCLE_DELAY applied on the dedicated server only.
cycle_delay_timebased_help Turn delays will be based on the time since the last turn if this is 1 (default) and the distance if this is 0. Intermediate values and values out of these bounds are supported as well.
cycle_turn_speed_factor_help Factor the speed of a lightcycle is multiplied with when turning
cycle_delay_doublebind_bonus_help Factor CYCLE_DELAY is multiplied with for consecutive turns in the same direction
cycle_brake_help Brake intensity
cycle_width_help The width of the cycle collision object. It can only squeeze through tunnels wider than that without taking harm.
cycle_width_side_help Minimum distance of a cycle to a wall on either side before it takes harm.
cycle_width_rubber_min_help If the cycle_width conditions are barely violated, use up this much rubber.If set to 1, the rubber usage rate is the same as if you were sitting in front of a wall.
cycle_width_rubber_max_help If the cycle_width conditions are massively violated, use up this much rubber.If set to 1, the rubber usage rate is the same as if you were sitting in front of a wall.
cycle_rubber_help Niceness factor to allow you drive really close to a wall
cycle_rubber_time_help Timescale rubber is restored on.
cycle_rubber_legacy_help Revert to old, framerate dependant and old-clients-ripping, rubber code if old clients are present. Old means <= 0.2.7.0 here.
cycle_rubber_timebased_help Rubber usage is based on distance travelled if this is 0 (default) and the time passed if this is 1. Intermediate values and values out of these bounds are supported as well.
cycle_rubber_speed_help Logarithmic speed of wall approximation when rubber is in effect (every second, you get closer to the wall by a factor of ~0.4^{this value})
cycle_rubber_mindistance_help The minimal distance rubber code keeps you from the wall in front of you
cycle_rubber_mindistance_gap_help If > 0, CYCLE_RUBBER_MINDISTANCE effectively is never taken to be bigger than this value times the size of any detected gaps the cylce can squeeze through. For "Open" gameplay.
cycle_rubber_mindistance_gap_side_help Gap detection only sees gaps that the cycle may reach in no less than this many seconds.
cycle_rubber_mindistance_ratio_help Additional distance to CYCLE_RUBBER_MINDISTANCE for every length unit of the wall you have in front of you
cycle_rubber_mindistance_reservoir_help Addidional distance if you have an empty rubber meter (gets faded out gradually as you use up all your rubber)
cycle_rubber_mindistance_unprepared_help Additional distance for unprepared grinds; it gets applied when the cycle's last turn was just a fraction of a second ago and faded out preparation times larger than CYCLE_RUBBER_MINDISTANCE_PREPARATION.
cycle_rubber_mindistance_preparation_help Timescale in seconds a cycle's last turn time is compared with to determine the effect of CYCLE_RUBBER_MINDISTANCE_UNPREPARED.
cycle_rubber_mindistance_legacy_help Extra factor for minimal distance to walls enforced by the rubber code, active when peers with the rip bug are connected
cycle_rubber_minadjust_help When adjusting to or 180ing into a wall, allow going closer by at least this amount (relative to the last distance)
cycle_rubber_delay_help During this fraction of the cycle delay time after each turn, rubber efficiency will be multiplied with CYCLE_RUBBER_DELAY_BONUS.
cycle_rubber_delay_bonus_help Factor for CYCLE_RUBBER_DELAY rubber efficiency.
cycle_ping_rubber_help Additional niceness for high ping players
cycle_rubber_wall_shrink_help With finite length trails, the used rubber is multiplied with this value and the result is subtracted from the wall length.
cycle_brake_refill_help Rate at which the brake reservoir refills when you are not braking
cycle_brake_deplete_help Rate at which the brake reservoir depletes when you are braking
cycle_sync_interval_enemy_help Time in seconds between server-client updates of enemy cycles
cycle_sync_interval_self_help Time in seconds between server-client updates of enemy cycles owned by the client itself
cycle_avoid_oldclient_bad_sync_help If set to 1, old clients will not get sync messages in situations that are known to confuse them
cycle_fair_antilag_help If set to 1, this deactivates the anti lag-sliding code when old clients are connected
cycle_time_tolerance_help Maximum time difference of execution of turns on server and client (for clients that send timing information)
cycle_packetloss_tolerance_help Cycle death is prevented as long as the player's failure to turn can be explained by the loss of this many network packets. Enabling this allows cheating.
cycle_sync_ff_help Speed of simulation of the extrapolating sync; decrease for lower CPU load, but higher effective ping
cycle_sync_ff_steps_help Number of extrapolation simulation timesteps each real timestep; increase for better accuracy
topology_police_help The topology police does posteriori checks to determine whether game moves were legal.
topology_police_parallel_help Extra topology police flag to check for walls that are put into the grid datastructure exactly parallel to each other. Requites TOPOLOGY_POLICE to be active.
cycle_smooth_time_help Timescale for smoothing options. Increasing this will make interpolation smoother, but less accurate. Decreasing it will make network synchronization jumpy.
cycle_smooth_min_speed_help Minimum speed of smooth correction relative to cycle speed.
cycle_smooth_threshold_help Only syncs that differ from your position by less than this amount (measured in speed) will be handled smoothly, bigger differences will be applied instantly.
cycle_max_refcount_help Maximum allowed reference count on cycles before they self destruct. This setting is to protect against performance related DOS attacks.
#********************************************
#********************************************
#
# Score rules configuration items
#
#********************************************
#********************************************
enemy_teammate_penalty_help Penalty on the effective time in seconds if the enemy influence detection is from a teammate
enemy_dead_penalty_help Penalty on the effective time in seconds if the enemy influence detection comes from a dead player
enemy_chatbot_penalty_help Penalty in seconds if the victim is in chatbot state and the enemy influence is just the chatbot evading a wall
enemy_currenttime_influence_help If set to 1, not the build time of the encountered wall, but the current time enters the comparison of enemy influences. Arbitrary blending values are allowed.
enemy_suicide_timeout_help If no enemy influence can be found for the last this many seconds, a player's death counts as a suicide.
score_die_help What you get for dying
score_kill_help What you get for killing someone
score_suicide_help What you get for stupidly dying
score_win_help What you get for winning a round
score_deathzone_help What you get for hitting the Death Zone
sp_score_win_help What you get for winning a round in single player mode
sp_walls_stay_up_delay_help Number of seconds the walls stay up after a player died; negative values will keep them up forever.
sp_walls_length_help Length of the cycle walls in meters; negative values will make the walls infinite.
sp_explosion_radius_help Blast radius of the cycle explosions in single player mode
sp_team_balance_on_quit_help Balance teams on player quit in single player mode?
sp_team_balance_with_ais_help Balance teams with AI players in single player mode?
sp_team_max_imbalance_help Maximum allowed team imbalance in single player mode
sp_team_max_players_help Maximum number of players per team in single player mode
sp_team_min_players_help Minimum number of players per team in single player mode
sp_teams_max_help Maximum number of teams in single player mode
sp_teams_min_help Minimum number of teams in single player mode
sp_finish_type_help What happens when the last human is dead in single player mode?
sp_game_type_help Type of game played in single player mode. 0 for freestyle, 1 for last team standing and 2 for humans vs. AIs.
sp_auto_iq_help Automatically adjust AI IQ in single player mode?
sp_auto_ais_help Automatically spawn AI players in single player mode?
sp_ai_iq_help IQ of the AI opponents in single player mode
sp_min_players_help Minimum number of players in single player mode
sp_num_ais_help Number of AI players in single player mode
sp_limit_score_help End the match when a player reaches this score in single player mode
sp_limit_rounds_help End the match after this number of rounds in single player mode
sp_limit_time_help End the match after this number of minutes in single player mode
spawn_wingmen_back_help Determines how much each wingman is placed backwards in a team.
spawn_wingmen_side_help Determines how much each wingman is placed sidewards in a team.
walls_stay_up_delay_help Number of seconds the walls stay up after a player died; negative values will keep them up forever.
walls_length_help Length of the cycle walls in meters; negative values will make the walls infinite.
explosion_radius_help Blast radius of the cycle explosions
team_balance_on_quit_help Balance teams on player quit?
team_balance_with_ais_help Balance teams with AI players?
team_max_imbalance_help Maximum allowed team imbalance
team_max_players_help Maximum number of players per team
team_min_players_help Minimum number of players per team
team_allow_shuffle_up_help If set to 1, players are allowed to change their position in the team as they wish. If 0, they only can drop in rank.
team_center_is_boss_help If set to 1, the center player is the team's boss. If at 0, it's the player who is on that team longest.
teams_max_help Maximum number of teams
teams_min_help Minimum number of teams
finish_type_help What happens when the last human is dead?
game_type_help Type of game played. 0 for freestyle, 1 for last team standing and 2 for humans vs. AIs.
auto_iq_help Automatically adjust AI IQ?
auto_ais_help Automatically spawn AI players?
ai_iq_help IQ of the AI opponents
min_players_help Minimum number of players
num_ais_help Number of AI players
limit_score_help End the match when a player reaches this score
limit_rounds_help End the match after this number of rounds
limit_time_help End the match after this number of minutes
auto_team_help Flag indicating whether players should be put into teams automatically.
allow_team_name_color_help Allow a team to be named after a color
allow_team_name_player_help Allow a team to be named after the leading player
team_name_1_help name of team 1
team_name_2_help name of team 2
team_name_3_help name of team 3
team_name_4_help name of team 4
team_name_5_help name of team 5
team_name_6_help name of team 6
team_name_7_help name of team 7
team_name_8_help name of team 8
team_red_1_help red portion of team 1's color
team_red_2_help red portion of team 2's color
team_red_3_help red portion of team 3's color
team_red_4_help red portion of team 4's color
team_red_5_help red portion of team 5's color
team_red_6_help red portion of team 6's color
team_red_7_help red portion of team 7's color
team_red_8_help red portion of team 8's color
team_green_1_help green portion of team 1's color
team_green_2_help green portion of team 2's color
team_green_3_help green portion of team 3's color
team_green_4_help green portion of team 4's color
team_green_5_help green portion of team 5's color
team_green_6_help green portion of team 6's color
team_green_7_help green portion of team 7's color
team_green_8_help green portion of team 8's color
team_blue_1_help blue portion of team 1's color
team_blue_2_help blue portion of team 2's color
team_blue_3_help blue portion of team 3's color
team_blue_4_help blue portion of team 4's color
team_blue_5_help blue portion of team 5's color
team_blue_6_help blue portion of team 6's color
team_blue_7_help blue portion of team 7's color
team_blue_8_help blue portion of team 8's color
# wall length modification
cycle_dist_wall_shrink_help Distance multiplier in wall length calculation. All values are legal. See settings.cfg for full docs.
cycle_dist_wall_shrink_offset_help Distance offset in wall length calculation. See settings.cfg for full docs.
# respawn relevant settings (no server supports respawning yet, but the client is prepared)
cycle_blink_frequency_help Frequency in Hz an invulnerable cycle blinks with.
cycle_invulnerable_time_help Time in seconds a cycle is invulnerable after a respawn.
cycle_wall_time_help Time in seconds a cycle does not make a wall after a respawn.
cycle_first_spawn_protection_help Set to 1 if the invulnerability and wall delay should already be active on the initial spawn at the beginning of a round.
#********************************************
#********************************************
#
# Game rules configuration items
#
#********************************************
#********************************************
# map file
map_file_help File that contains the map used for playing
map_uri_help DEPRECIATED - use RESOURCE_REPOSITORY_SERVER and MAP_FILE instead
arena_axes_help In how many directions a cycle can turn 4 is the default, 6 is hexatron
resource_repository_client_help URI the client uses to search for map files if they aren't stored locally. Better leave it alone
resource_repository_server_help URI clients and the server use to search for map files if they aren't stored locally
# limits
speed_factor_help Speed modifier for the cycles
sp_speed_factor_help Speed modifier for the cycles
size_factor_help Arena size modifier
sp_size_factor_help Arena size modifier
# single player settings (used by dedicated server only)
sp_ais_help nummer of AI Players in Single-Player-mode
start_new_match_help Initiates a new match
# ladder and highscore rules
ladder_min_bet_help Minimum score you put in the ladder pot
ladder_percent_bet_help Percentage of your score you put in the ladder pot
ladder_tax_help Percentage of the ladder pot the IRS takes
ladder_lose_percent_on_load_help Percentage of your ladder score lost on each load
ladder_lose_min_on_load_help Minimum of you ladder score lost on each load
ladder_gain_extra_help Ping dependent ladder extra score for the winner
real_arena_size_factor_help The currently active arena size. Leave it alone! Change size_factor instead.
real_cycle_speed_factor_help The currently active cycle speed multiplier. Leave it alone! Change speed_factor instead.
sp_win_zone_min_round_time_help Minimum number of seconds the round has to be going on before the instant win zone is activated in single player mode
sp_win_zone_min_last_death_help Minimum number of seconds since the last death before the instant win zone is activated in single player mode
win_zone_min_round_time_help Minimum number of seconds the round has to be going on before the instant win zone is activated
win_zone_min_last_death_help Minimum number of seconds since the last death before the instant win zone is activated
win_zone_expansion_help Expansion speed of the instant win zone
win_zone_initial_size_help Initial size of the instant win zone
win_zone_deaths_help A value of 1 turns it into a death zone.
win_zone_randomness_help Randomness factor of the initial win zone position. 0 fixes it at the arena center, 1 spreads the zone all over it.
game_timeout_help Base timeout for game state synchronisation; gives appoximately the maximum time between rounds.
last_chat_break_time_help Last round time a player in chat mode is able to pause the timer
extra_round_time_help Lenght of an extra pause at the beginning of the round
player_chat_wait_max_help Maximum time in seconds to wait for a single player to stop chatting.
player_chat_wait_fraction_help Maximum fraction of time to wait for a single player to stop chatting.
player_chat_wait_single_help Set to 1 if only one player should get his chat wait time reduced at any given time.
player_chat_wait_teamleader_help Set to 1 if only team leaders, and 0 if all players, should be allowed to pause the timer.
chatter_remove_time_help Time in seconds after which a permanent chatter is removed from the game
idle_remove_time_help Time in seconds after which an inactive player is removed from the game
idle_kick_time_help Time in seconds after which an inactive player is kicked
#********************************************
#********************************************
#
# Player Configuration items
#
#********************************************
#********************************************
player_name_confitem_help Player name
camcenter_help Center internal camera on driving direction
start_cam_help Initial Camera
start_fov_help Initial field of vision
allow_cam_help Allow/forbid the different camera modes
instant_chat_string_help Instant chat available with hotkeys
name_team_after_player_help If set, the team is named after the leading player
fav_num_per_team_player_help The favourite number of players per team for this player
spectator_mode_help Sets spectator mode for this player
auto_incam_help Automatically switch to internal camera in a maze
camwobble_help Lets the internal camera move with your cycle
color_b_help Cycle and wall colour, blue component.
color_g_help Cycle and wall colour, green component.
color_r_help Cycle and wall colour, red component.
#********************************************
#********************************************
#
# Convenience
#
#********************************************
#********************************************
history_size_console_help Number of lines kept in the console history.
history_size_chat_help Number of lines kept in the chat history.
#********************************************
#********************************************
#
# Spam protection
#
#********************************************
#********************************************
ping_flood_time_10_help Minimum time for 10 ping packets from one machine to arrive.
ping_flood_time_20_help Minimum time for 20 ping packets from one machine to arrive.
ping_flood_time_50_help Minimum time for 50 ping packets from one machine to arrive.
ping_flood_time_100_help Minimum time for 100 ping packets from one machine to arrive.
ping_flood_global_help The times PING_FLOOD_TIME_X, multiplied by this value, count for all pings from all machines. Negative values disable global flood protection.
spam_protection_repeat_help Minimum time between identical chat messages.
spam_protection_help Harshness of spam protection; determines min delay between chat messages accepted.
spam_protection_vote_help Extra factor for SPAM_PROTECTION for votes.
spam_protection_chat_help Extra factor for SPAM_PROTECTION for chat messages.
spam_penalty_help Number of seconds to silence a spammer.
spam_maxlen_help Maximal length of chat message.
spam_autokick_help Spam score that causes you to get kicked instantly.
silence_all_help If set to 1, new players will be silenced
enable_chat_help If set to 0, all chat will be surpressed (if reset on the server, messages from logged in players and private/team messages are still shown)
allow_team_change_help If set to 1, all players can change teams. If set to 0, players can only change teams if they've been specifically allowed to by ALLOW_TEAM_CHANGE_PLAYER
# spam kick messages
spam_chat You chatted too much.
spam_teamchage You switched teams too often.
spam_vote_kick_issue You issued too many kick votes.
spam_vote_rejected Too many of your votes got rejected.
#********************************************
#********************************************
#
# Cheat protection
#
#********************************************
#********************************************
allow_enemies_same_ip_help If set to 1, this allows two players that apparently come from the same machine to fight for points with each other.
allow_enemies_same_client_help If set to 1, this allows two players that play on the same client to fight for points with each other.
allow_control_during_chat_help If set to 1, this allows a player to issue cycle and camera control commands during chat (losing the chatbot and the yellow chat pyramid).
allow_imposters_help If set to 1, players with identical names are tolerated. If set to 0, all but one will be renamed.
allow_impostors_help If set to 1, players with identical names are tolerated. If set to 0, all but one will be renamed.
#********************************************
#********************************************
#
# Lag compensation
#
#********************************************
#********************************************
lag_max_speedup_timer_help Maximal speed increase of timer while lag is compensated for.
lag_slow_time_help Timescale the slow lag measurement decays on.
lag_fast_time_help Timescale the fast lag measurement decays on.
lag_slow_weight_help Extra weight lag reports from the server influence the slow lag compensation with.
lag_fast_weight_help Extra weight lag reports from the server influence the fast lag compensation with.
lag_credit_help Maximal seconds of total lag credit.
lag_credit_single_help Maximal seconds of lag credit for a single lag event.
lag_sweet_spot_help Sweet spot, the fill ratio of lag credit the server tries to keep the client at.
lag_credit_time_help Timescale lag credit is restored on.
lag_offset_client_help Extra amount of lag compensation, determined by the client.
lag_offset_server_help Extra amount of lag compensation, determined by the server.
lag_offset_legacy_help Extra amount of lag compensation for clients that don't support automatic compensation, determined by the server.
#********************************************
#********************************************
#
# Banning
#
#********************************************
#********************************************
network_min_ban_help When a client's connection is blocked because he's banned, make him banned for at least this many seconds.
network_autoban_offset_help Autoban players for NETWORK_AUTOBAN_FACTOR * ( kph - NETWORK_AUTOBAN_OFFSET ) minutes when they get kicked; kph is the average number of kicks per hour they get.
network_autoban_factor_help Autoban players for NETWORK_AUTOBAN_FACTOR * ( kph - NETWORK_AUTOBAN_OFFSET ) minutes when they get kicked; kph is the average number of kicks per hour they get.
network_autoban_max_kph_help Maximal value of the kicks per hour; larger values are smoothly clamped.
network_spectator_time_help If set to something bigger than zero, this is the maximal time in seconds a client without players is tolerated.
#********************************************
#********************************************
#
# Voting settings
#
#********************************************
#********************************************
vote_use_server_controlled_kick_help Set to 1 to use the enhanced server controlled vote items for kick votes. Does not work for clients prior to 0.2.8.0_rc1.
voting_timeout_help Votes older than this time out and are rejected.
voting_timeout_per_voter_help Additional value for VOTING_TIMEOUT for every voter present.
allow_voting_help If set to 1, voting will be allowed for players.
allow_voting_spectator_help If set to 1, voting will be allowed for spectators.
min_voters_help Number of voters that need to be online to enable voting.
max_votes_help The maximum number of total votes that can be active at any given moment.
max_votes_per_voter_help The maximum number of votes suggested by each voter that can be active at any given moment.
voting_start_decay_help Number of seconds after that the non-voters start to get ignored.
voting_decay_help One non-voter is ignored everytime this many secons pass.
voting_bias_help Add virtual voters that oppose every change.
voting_privacy_help Controls logging of voting process. 2: nothing gets logged 1: vote submission is logged for the server admin 0: voting is logged for the server admin -1: vote submission is made public -2: everything is made public
voting_spam_issue_help The spam level of issuing a vote.
voting_spam_reject_help The spam level of getting your vote rejected.
voting_kick_time_help The minimum time in seconds between two kick votes against the same player.
voting_maturity_help The minimum time in seconds a player needs to be online with the same name before he can issue votes.
#********************************************
#********************************************
#
# Name Display
#
#********************************************
#********************************************
fadeout_name_delay_help Time the player names are shown. Set to 0 if you don't want to show them at all or -1 if you want to show them always.
show_own_name_help Should your name be displayed above your cycle on your screen?
#********************************************
#********************************************
#
# Recording and playback
#
#********************************************
#********************************************
recording_debuglevel_help Level of additonal information in recording file.
fast_forward_maxstep_help Maximum recording time between rendered frames in fast forward mode
fast_forward_maxstep_real_help Maximum real time between rendered frames in fast forward mode
fast_forward_maxstep_rel_help Maximum fraction of the time left until the end of FF mode between rendered frames
#********************************************
#********************************************
#
# Camera Configuration items
#
#********************************************
#********************************************
camera_forbid_smart_help Forbids the use of the internal camera on all clients
camera_forbid_in_help Forbids the use of the internal camera on all clients
camera_forbid_free_help Forbids the use of the free camera on all clients
camera_forbid_follow_help Forbids the use of the fixed external camera on all clients
camera_forbid_custom_help Forbids the use of the custom camera on all clients
camera_forbid_server_custom_help Forbids the use of the server custom camera
camera_forbid_custom_glance_help Forbids use of special glance camera settings
camera_override_custom_glance_help Overrides custom glance settings with vanues from the server
camera_override_custom_glance_server_custom_help Overrides custom glance settings with vanues from the server only for the server custom camera
camera_follow_start_x_help Start position of the fixed external camera
camera_follow_start_y_help Start position of the fixed external camera
camera_follow_start_z_help Start position of the fixed external camera
camera_smart_start_x_help Start position of the smart camera
camera_smart_start_y_help Start position of the smart camera
camera_smart_start_z_help Start position of the smart camera
camera_smart_glance_custom_help Use custom camera settings when glancing with the smart camera
camera_smart_glance_custom_text Custom Glance
camera_free_start_x_help Start position of the free camera
camera_free_start_y_help Start position of the free camera
camera_free_start_z_help Start position of the free camera
camera_custom_back_help Position of the custom camera: how much is it moved back from the cycle?
camera_custom_rise_help Position of the custom camera: how much is it moved up from the cycle?
camera_custom_back_fromspeed_help This value is multiplied with the current speed and added to CAMERA_CUSTOM_BACK.
camera_custom_rise_fromspeed_help This value is multiplied with the current speed and added to CAMERA_CUSTOM_RISE.
camera_custom_pitch_help Position of the custom camera: how much does it look up/down?
camera_custom_zoom_help Position of the custom camera: how much the camera zooms in your cycle at the beginning of the round (to show the team's formation
camera_custom_turn_speed_help Speed the custom camera turns with
camera_custom_turn_speed_180_help Extra factor to CAMERA_CUSTOM_TURN_SPEED after a quick reverse
camera_in_turn_speed_help Speed the internal camera turns with
camera_server_custom_back_help Position of the custom camera: how much is it moved back from the cycle?
camera_server_custom_rise_help Position of the custom camera: how much is it moved up from the cycle?
camera_server_custom_back_fromspeed_help This value is multiplied with the current speed and added to CAMERA_SERVER_CUSTOM_BACK.
camera_server_custom_rise_fromspeed_help This value is multiplied with the current speed and added to CAMERA_SERVER_CUSTOM_RISE.
camera_server_custom_pitch_help Position of the custom camera: how much does it look up/down?
camera_server_custom_turn_speed_help Speed the server custom camera turns with. Turn values are taken from the clientside settings if this is negative.
camera_server_custom_turn_speed_180_help Extra factor to CAMERA_SERVER_CUSTOM_TURN_SPEED after a quick reverse
camera_glance_back_help Position of the glance camera: how much is it moved back from the cycle?
camera_glance_rise_help Position of the glance camera: how much is it moved up from the cycle?
camera_glance_back_fromspeed_help This value is multiplied with the current speed and added to CAMERA_GLANCE_BACK.
camera_glance_rise_fromspeed_help This value is multiplied with the current speed and added to CAMERA_GLANCE_RISE.
camera_glance_pitch_help Position of the glance camera: how much does it look up/down?
camera_server_glance_back_help Position of the server glance camera: how much is it moved back from the cycle?
camera_server_glance_rise_help Position of the server glance camera: how much is it moved up from the cycle?
camera_server_glance_back_fromspeed_help This value is multiplied with the current speed and added to CAMERA_SERVER_GLANCE_BACK.
camera_server_glance_rise_fromspeed_help This value is multiplied with the current speed and added to CAMERA_SERVER_GLANCE_RISE.
camera_server_glance_pitch_help Position of the server glance camera: how much does it look up/down?
camera_visibility_recovery_speed_help The speed the external visibility targets recovers from wall hits
camera_visibility_wall_distance_help The distance the visibility targets keep from walls
camera_visibility_clip_speed_help Speed with wich the visibility targets is brought into view
camera_visibility_extension_help Distance (measured in seconds, gets multiplied by speed) of the visibility targets from the watched object
camera_visibility_sideskew_help Extra forward component of the sideways visibility targets
camera_visibility_lower_wall_help If set to 1, walls are lowerd when they block the view and the camera is not moved
camera_visibility_lower_wall_smart_help Like CAMERA_VISIBILITY_LOWER_WALL, but special setting for the smart camera
bug_transparency_help Unsupported: make all rim walls semi-transparent by rendering them without occlusion tests
bug_transparency_demand_help Unsupported: use transparency instead of lowering walls
#********************************************
#********************************************
#
# Network Configuration items
#
#********************************************
#********************************************
custom_server_name_help Name of the server to connect to
dedicated_idle_help After running this time (in hours), the dedicated server takes the next chance to quit.
dedicated_fps_help Maximum simulation steps per second the dedicated server will perform
dedicated_fps_idle_factor_help Number of times per frame the server should check whether simulation can be done if no network input is coming
talk_to_master_help Announce this server on the internet?
max_out_rate_help Maximum network output rate
max_in_rate_help Maximum network input rate
ping_charity_help How much ping are you willing to take over from your opponent?
ping_charity_max_help Server option: maximum ping charity value. Set to 0 to avoid instant kills. Active only if all clients are 0.2.8.3 or better.
ping_charity_min_help Server option: minimum ping charity value. Use to enforce fairness. Active only if all clients are 0.2.8.3 or better.
ping_charity_server_help Don't touch: the server says this is the maximal ping compensation.
big_brother_help Did we already send the big brother information?
server_name_help Name of this server
server_options_help Short description of the options on this server
server_ip_help IP the server listens on
server_dns_help If your server is on dynamic IP and you set up a dynamic DNS that always points to it, you can set this variable to the DNS name to help clients remember your server across IP changes.
server_port_help Port this server listens on
client_port_help Port we try to connect to
max_clients_help Maximum number of network clients to accept
max_clients_same_ip_soft_help Maximum number of network clients to accept from the same IP; more logins will get kicked when the server is full
max_clients_same_ip_hard_help Maximum number of network clients to accept from the same IP; more logins will be ignored
max_players_same_ip_help maximum number of players from the same IP (note that each client can legally host up to four players)
url_help HTTP URI assiciated with a server
# settings compatibility
setting_legacy_behavior_breaking_help Default legacy behavior for settings that absolutely break the client and make play impossible. Example of an affected setting: MAP_FILE
setting_legacy_behavior_bumpy_help Default legacy behavior for settings that allow play on old clients in principle, but with severe limitations (cycles bouncing around, player commands not executed on time). Example: CYCLE_DELAY_TIMEBASED
setting_legacy_behavior_annoying_help Default legacy behavior for settings that only cause minor annoyances on old clients, like enemy cycles stopping for .1 seconds after each turn. Example: CYCLE_RUBBER_MINDISTANCE
setting_legacy_behavior_cheating_help Default legacy behavior for settings where the default behavior could be considered cheating if nondefault was set. Example: DOUBLEBIND_TIME
setting_legacy_behavior_visual_help Default legacy behavior for settings that only affect status displays and visuals, not game physics. Example: CYCLE_RUBBER_* (the client displays the rubber meter, but it's not used for anything)
#********************************************
#********************************************
#
# Graphics Configuration items
#
#********************************************
#********************************************
png_screenshot_help Store screenshots as PNG files, not BMP files.
white_sparks_help Draw sparks in white (instead of cycle colors).
keep_window_active_help Keeps rendering active when the program window loses input focus.
# hud
show_brake_help Show the brake meter on the HUD?
show_alive_help Show the number of enemies and friends left on the HUD?
show_fastest_help Show the fastest player on the HUD?
show_hud_help Show the HUD?
show_ping_help Show your ping on the HUD?
show_rubber_help Show the rubber meter on the HUD?
show_score_help Show your single player scores on the HUD?
show_speed_help Show the speed meter on the HUD?
show_time_help Show the current time in the top- right corner?
show_time_24_help Show the time in 24 hour format?
speed_gauge_locx_help Horizontal position of the speed meter
speed_gauge_locy_help Vertical position of the speed meter
speed_gauge_size_help Size of the speed meter
rubber_gauge_locx_help Horizontal position of the rubber meter
rubber_gauge_locy_help Vertical position of the rubber meter
rubber_gauge_size_help Size of the rubber meter
brake_gauge_locx_help Horizontal position of the brake meter
brake_gauge_locy_help Vertical position of the brake meter
brake_gauge_size_help Size of the brake meter
alive_locx_help Horizontal position of the alive headcount display
alive_locy_help Vertical position of the alive headcount display
alive_size_help Size of the alive headcount display
fastest_locx_help Horizontal position of the fastest player display
fastest_locy_help Vertical position of the fastest player display
fastest_size_help Size of the fastest player display
ping_locx_help Horizontal position of the ping display
ping_locy_help Vertical position of the ping display
ping_size_help Size of the ping display
score_locx_help Horizontal position of the score display
score_locy_help Vertical position of the score display
score_size_help Size of the score display
cm_locy_help Vertical position of the center messages
#floor
grid_size_help Distance between gridlines
grid_size_moviepack_help Distance between gridlines when moviepack is active
floor_red_help Floor colour
floor_green_help Floor colour
floor_blue_help Floor colour
rim_wall_stretch_x_help Extension of the rim wall texture in the horizontal direction
rim_wall_stretch_y_help Extension of the rim wall texture in the vertical direction
rim_wall_wrap_y_help Set to 1 if the rim wall texture should repeat in the vertical direction
#moviepack settings
moviepack_floor_red_help Floor colour
moviepack_floor_green_help Floor colour
moviepack_floor_blue_help Floor colour
moviepack_wall_stretch_help The distance of the vertical lines on the moviepack walls
moviepack_rim_wall_stretch_x_help Extension of one square of rim wall texture in the horizontal direction for the moviepack
moviepack_rim_wall_stretch_y_help Extension of the rim wall texture in the vertical direction for the moviepack
#detail settings
swapmode_text Swap Mode:
swapmode_help Determines the commands used to sync graphics and input every frame. The current value implies:
swapmode_fastest_text Fastest
swapmode_fastest_help No sync commands. This is fastest and uses the least CPU, but may cause graphics to severely lag behind input. Use at your own risk.
swapmode_glflush_text Flush
swapmode_glflush_help Calls glFlush() to sync graphics output. Very little overhead and prevents graphics lag. This is the default.
swapmode_glfinish_text Finish
swapmode_glfinish_help Calls glFinish() to sync graphics output. This is guaranteed to prevent graphics lagging behind input, but causes loss of framerate on some systems and full CPU load on others. Use if Flush does not work.
swap_mode_help Determines the commands used to sync graphics and input. 0: do nothing, 1: call glFlush(), 2: call glFinish().
ztrick_help Performance tweak; does not work on most Windows systems
texture_mode_0_help Floor Texture:
texture_mode_1_help Wall Textures:
texture_mode_2_help Object Textures:
texture_mode_3_help Font:
gl_extensions_help OpenGL system information
gl_version_help OpenGL system information
gl_renderer_help OpenGL system information
gl_vendor_help OpenGL system information
line_antialias_help Enable line antialiasing
poly_antialias_help Enable polygon antialiasing
persp_correct_help Enable perspective correction
alpha_blend_help Enable alpha blending
smooth_shading_help Enable smooth shading
text_out_help Enable console text output
console_columns_help Number of characters in each line of console output
console_rows_help Number of lines of console output without user intervention
console_rows_max_help Number of lines of console output when scrolling back
console_decorate_id_help Decorates every line of console output with the client ID
console_decorate_ip_help Decorates every line of console output with the client IP
console_ladder_log_help Sends ladder log output to the console
show_fps_help Enable fps display
floor_mirror_help Floor mirror mode
floor_detail_help Floor detail settings
high_rim_help Draw high rim walls
dither_help Use dithering
upper_sky_help Draw upper sky plane
lower_sky_help Draw lower sky plane
sky_wobble_help Sky animation
infinity_plane_help Use infinite points (Does not work properly on most Windows systems)
lag_o_meter_help Draw Lag-O-Meter in network play
lag_o_meter_scale_help Scale of the Lag-O-Meter. 1.0 is the "correct" value, older clients were hardcoded to .5 due to a bug.
lag_o_meter_threshold_help The Lag-O-Meter will only be drawn if the product of cycle speed and lag is bigger than this value.
lag_o_meter_blend_help Amount the player color should be blended with white to get the color of the Lag-O-Meter. 1 means white, 0 means the color of the player.
lag_o_meter_use_old_help Should we use the old buggy Lag-O-Meter? This functionality will go away soon.
axes_indicator_help Should the Axis Indicator be rendered?
predict_objects_help Predict cycle movement in network play
textures_hi_help Use high colour textures
sparks_help Draw sparks when going too close to a wall
explosion_help Enable explosions?
wrap_menu_help If set, you leave a menu to the top and reenter it at the bottom.
floor_mirror_int_help Intensity of the floor mirror effect
color_strings_help Generate strings that will be rendered with color effects.
filter_color_strings_help Filter color codes from strings coming in over the network.
filter_color_names_help Filter color codes from player names.
filter_name_ends_help Filter whitespace and other junk from beginnings and ends of player names.
filter_name_middle_help Filter excess whitespace and other junk from the middle of player names.
filter_color_server_names_help Filter color codes from server names in the server browser.
#screen mode
custom_screen_height_help Custom screen size
custom_screen_width_help Custom screen size
custom_screen_aspect_help Custom screen aspect ratio ( pixel width/pixel height)
screen_size_desktop Desktop
armagetron_screenmode_help Screen resolution
armagetron_last_screenmode_help Last screen resolution
armagetron_windowsize_help Window size
armagetron_last_windowsize_help Last Window size
fullscreen_help Fullscreen or windowed mode?
last_fullscreen_help Fullscreen or windowed mode, last successful init
check_errors_help Listen to errors claiming a video mode does not exist
last_check_errors_help Listen to errors claiming a video mode does not exist, last successful init
colordepth_help Colour depth to use (0: 16 1: desktop 2: 24)
last_colordepth_help Colour depth, last successful init
zdepth_help z buffer depth to use (0: 16 1: from colour depth 2: 32)
last_zdepth_help z buffer depth, last successful init
use_sdl_help Use SDL to init OpenGL?
last_use_sdl_help Use SDL to init OpenGL, last successful init
failed_attempts_help Number of failed attemts to initialise graphics mode
software_renderer_help Is the OpenGL renderer not hadware accelerated?
#model
use_displaylists_help Use display lists for rendering the cycles?
#********************************************
#********************************************
#
# Sound Configuration items
#
#********************************************
#********************************************
sound_buffer_shift_help Buffer size multiplier
sound_quality_help Sound quality [0=off, 3=high]
sound_sources_help Number of sound sources to be heard at the same time
#********************************************
#********************************************
#
# Viewport Configuration items
#
#********************************************
#********************************************
viewport_conf_help Viewport configuration; decides how many players can play on this computer
viewport_belongs_help Assign this viewport to a player
#********************************************
#********************************************
#
# Misc. Configuration items
#
#********************************************
#********************************************
word_delimiters_help Characters that count as word delimiters when skipping over words in a text input field.
mouse_grab_help Grab the mouse pointer, so it can't leave the window
moviepack_help Use the moviepack if available
armagetron_version_help your version of \g
message_of_day_help Message sent to clients on connection, if supported by the client, it will be displayed fullscreen
title_of_day_help If fullscreen display is supported, this will be the title above message_of_day
message_of_day_timeout_help Time message_of_day is displayed for in fullscreen mode
round_console_message_help Message sent to clients after every round
round_center_message_help Big message sent to clients after every round
password_storage_help Determines where your passwords are stored: 1 means on harddisk (dangerous), 0 in memory and -1 means they are not stored at all.
admin_pass_help Password for the basic in game admin
backward_compatibility_help Maximum number of old protocol versions to support.
new_feature_delay_help Disable features that only came in during the last X protocol versions.
# program control
quit_help Shuts the dedicated server down and quits.
exit_help Shuts the dedicated server down and quits.
# manning and kicking commands
players_help Prints list of currently active players
kill_help Kill a specific player (as warning before a kick)
silence_help Silence a specific player so he can't use public chat any more (/msg and /team still work)
voice_help Reverse of SILENCE
allow_team_change_player_help Allow a specific player to change teams even if ALLOW_TEAM_CHANGE is disabled
disallow_team_change_player_help Reverse of ALLOW_TEAM_CHANGE_PLAYER
kick_help Kicks the specified player from the server.
ban_help Bans the specified player from the server (kicks him first) for a variable time in minutes.
ban_ip_help Bans the spedified IP address from the server for a variable time.
ban_list_help Prints a list of currently banned IPs.
unban_ip_help Revokes the ban of the specified IP address.
# communication
console_message_help Prints a message on the console of all connected clients.
center_message_help Prints a big message on the screen of all connected clients.
fullscreen_message_help Prints a big message all over the screen, interrupting gameplay for a configurable timeout. Use with care.
say_help Dedicated server only: let the server administator say something.
#********************************************
#********************************************
#
# Bugs
#
#********************************************
#********************************************
bug_rip_help Allows the rim wall to be ripped open by a VERY close grind.
bug_tunnel_help Allows players to pass through walls on odd occasions.
bug_color_overflow_help Allows the player's colors to overflow and wrap around for the cycle, allowing different colors for cycle and trail.
#********************************************
#********************************************
#********************************************
#
# Key bindings; every input ITEM item gets two
# strings: the short description string
# appearing in the configuration menus
# (named input_item_text) and the help message
# you see below the input configuration menu
# when you select the input item for a longer
# time (named input_item_help).
#
#********************************************
#********************************************
#********************************************
#********************************************
#generic texts
input_items_unbound Unbound
input_items_global Global Controls
#********************************************
#********************************************
#
# Misc. Configuration items
#
#********************************************
#********************************************
input_console_input_text Console input
input_console_input_help Lets you enter a message for the console system.
input_screenshot_text Screenshot
input_screenshot_help Makes a screenshot and saves it as screenshot_X.bmp in the var directory
input_chat_text Chat
input_chat_help Lets you talk to other players over the network.
input_toggle_spectator_text Toggle Spectator
input_toggle_spectator_help Toggles spectator mode, conveniently taking you out of the game so you can take a call (of nature, possibly) and back into the game when you're done.
input_score_text Score
input_score_help Shows you the score table.
input_toggle_fullscreen_text Toggle fullscreen
input_toggle_fullscreen_help Toggles windowed and fullscreen mode
input_toggle_mousegrab_text Toggle mousegrab
input_toggle_mousegrab_help Frees the mouse pointer or contstrains it to the program window
input_reload_textures_text Reload textures
input_reload_textures_help Reloads all textures. Useful for content creators.
input_ingame_menu_text Ingame menu
input_ingame_menu_help Triggers the ingame menu. ESC is hardcoded to this function so you don't get trapped in the game :)
input_pause_game_text Pause game
input_pause_game_help Stops the game timer or resumes it.
#********************************************
#********************************************
#
# console scrolling items
#
#********************************************
#********************************************
input_mess_up_text Scroll up
input_mess_up_help Scrolls the messages up a page.
input_mess_down_text Scroll down
input_mess_down_help Scrolls the messages down a page.
#********************************************
#********************************************
#
# cycle control keys
#
#********************************************
#********************************************
input_cycle_brake_text Brake
input_cycle_brake_help decreases your speed in critical situations
input_cycle_brake_toggle_text Toggle Brake
input_cycle_brake_toggle_help turns your brake on and off permanently without you needing to hold down a key
input_cycle_turn_right_text Turn right
input_cycle_turn_right_help Makes a 90 degrees turn to the right
input_cycle_turn_left_text Turn left
input_cycle_turn_left_help Makes a 90 degrees turn to the left
#********************************************
#********************************************
#
# camera control keys
#
#********************************************
#********************************************
input_move_back_text Move back
input_move_back_help Moves the camera backward if the camera position is not fixed.
input_move_forward_text Move forward
input_move_forward_help Moves the camera forward if the camera position is not fixed.
input_move_down_text Move down
input_move_down_help Moves the camera down or turns it down if the camera position is fixed.
input_move_up_text Move up
input_move_up_help Moves the camera up or turns it up if the camera position is fixed.
input_move_right_text Move right
input_move_right_help Moves the camera to the right or turns it right if the camera position is fixed.
input_move_left_text Move left
input_move_left_help Moves the camera to the left or turns it left if the camera position is fixed.
input_zoom_out_text Zoom out
input_zoom_out_help Shows more of the scene, but with less details.
input_zoom_in_text Zoom in
input_zoom_in_help Reduces the field of vision and reveals more details on faraway objects.
input_glance_back_text Glance back
input_glance_back_help Turns the camera temporarily backwards.
input_glance_right_text Glance right
input_glance_right_help Turns the camera temporarily to the right.
input_glance_left_text Glance left
input_glance_left_help Turns the camera temporarily to the left.
input_bank_down_text Look down
input_bank_down_help Turns the camera down or moves it up if the camera direction is fixed.
input_bank_up_text Look up
input_bank_up_help Turns the camera up or moves it down if the camera direction is fixed.
input_look_right_text Look right
input_look_right_help Turns the camera to the right or moves it left if the camera direction is fixed.
input_look_left_text Look left
input_look_left_help Turns the camera to the left or moves it right if the camera direction is fixed.
input_switch_view_text Switch view
input_switch_view_help Switches the camera perspective. Available views: Smart external camera (default) and dumb external camera (both fixed to look at your cycle), free floating and internal camera (position fixed at your cycle ).
#********************************************
#********************************************
#
# instant chat keys
#
#********************************************
#********************************************
input_instant_chat_text Instant Chat \1
input_instant_chat_help Issues a special instant chat macro
#********************************************
#********************************************
#********************************************
#********************************************
#
# Menu texts (titles, menuitems and
# selection items) and their corresponding
# help texts (the texts that appear when
# you don't press up and down in the menu
# for a while)
#
#********************************************
#********************************************
#********************************************
#********************************************
#********************************************
#********************************************
#
# main menu
#
#********************************************
#********************************************
main_menu_text \g v\1
game_menu_text Game
game_menu_main_help Game configuration and launch.
player_mainmenu_text Player Setup
player_mainmenu_help Select player names and control methods.
system_settings_menu_text System Setup
system_settings_menu_help Configure sound, graphics and overall appearence of \g
main_menu_about_text About
main_menu_about_help Displays information about the version of \g, the location of its config files, sites to visit and the project admins.
main_menu_exit_text Exit Game
main_menu_exit_help Goodbye!
#ingame menu
ingame_menu_text In-Game Menu
game_menu_ingame_text Change Game
game_menu_ingame_help Game configuration
ingame_menu_exit_text Return to Game
ingame_menu_exit_help Return to the game grid!
game_menu_shutdown_text End the Server
game_menu_shutdown_help End the server process and returns to the main menu.
game_menu_exit_text Leave Grid
game_menu_exit_help End the current game and return to the game menu.
game_menu_disconnect_text Disconnect
game_menu_disconnect_help Disconnects from the server and returns to the main menu.
#********************************************
#********************************************
#
# Version Info screen
#
#********************************************
#********************************************
version_info_title About this installation of \g
version_info_version Version of \g: \1
version_info_misc_stuff \n0xff8888Official website:0xRESETT http://armagetronad.net/\n0xff8888Official forums:0xRESETT http://forums.armagetronad.net/\n0xff8888Wiki (strategies, tournaments, ...):0xRESETT http://wiki.armagetronad.net/\n0xff8888Project admins:0xRESETT z-man, Tank Program (guru3), Lucifer
path_info_user_cfg Location of user.cfg:
path_info_config Configuration directories:
path_info_resource Resource directories (maps):
path_info_data Data directories (textures, moviepack, ...):
path_info_screenshot Screenshot directories:
path_info_var Var directories:
#********************************************
#********************************************
#
# game menu
#
#********************************************
#********************************************
game_menu_start_text Local Game
game_menu_start_help Enter the game grid! Only players configured on this computer will play.
network_menu_text Network Game
network_menu_help This joins or creates a network multiplayer game.
game_settings_menu_text Game Setup
game_settings_menu_help Choose game mode and number of opponents
game_menu_reset_text Start New Match
game_menu_reset_help After the end of the current round, a new match is started and all scores are set back to 0.
#game settings
game_menu_finish_text Finish Mode:
game_menu_finish_help What happens if all human players are dead?
game_menu_finish_expr_text Express Reset
game_menu_finish_expr_help Fastest possible game restart.
game_menu_finish_stop_text Reset
game_menu_finish_stop_help Abort the game after some seconds.
game_menu_finish_fast_text Fast Finish
game_menu_finish_fast_help Let the game continue regularily until there is a winner, but in fast forward mode.
game_menu_finish_normal_text Normal Finish
game_menu_finish_normal_help Let the game continue regularily until there is a winner. Boooring.
game_menu_mode_text Game Mode:
game_menu_mode_help Select the rules you want to play by:
game_menu_mode_free_text Freestyle
game_menu_mode_free_help No rules, no winner. The game stops when all human players are dead.
game_menu_mode_lms_text Last Man Standing
game_menu_mode_lms_help The last human alive wins. If all human players die, the computer wins.
game_menu_mode_team_text Humans vs. AI
game_menu_mode_team_help All humans form a team, the computer players the other. The humans start from the same position in the arena. If all the players from one team are deleted, the other team wins.
game_menu_autoai_text Auto AI:
game_menu_autoai_help Automatically determine the number of AI opponents you are going to face next based on our current success.
game_menu_autoiq_text Auto IQ:
game_menu_autoiq_help Automatically determine the IQ of the AI opponents you are going to face next based on our current success.
game_menu_ais_text AI Players:
game_menu_ais_help Lets you select the number of computer controlled players("Artificial Intelligence") in the game.
game_menu_iq_text AI IQ:
game_menu_iq_help Lets you select the average intelligence of the computer controlled players("Artificial Intelligence") in the game.
game_menu_minplayers_text Min Players:
game_menu_minplayers_help Selects the minimum nuber of players that will be on the game grid. If not enough humans are present, the empty positions will be filled by AIs.
game_menu_speed_text Speed:
game_menu_speed_help Speed modifier. Negative values slow the game down, positive values speed it up. An increase of two in this value will double the speed. Reasonable values lie between -2 and +4.
game_menu_size_text Arena Size:
game_menu_size_help Size modifier. Negative values make the arena smaller, positive make it larger. An increase of two in this value will double the size. Reasonable values lie between -6 and +2.
game_menu_balance_quit_text Balance on Quit:
game_menu_balance_quit_help Balance the teams as soon as someone quits a team?
game_menu_balance_ais_text Balance with AIs:
game_menu_balance_ais_help Make teams equally strong by adding AIs to the weaker team?
game_menu_imb_perm_text Max. permanent imbalance:
game_menu_imb_perm_help Maximum difference in team strengths that is tolerated permanetly; may be violated for short periods of time
game_menu_imb_text Max. temporary imbalance:
game_menu_imb_help Maximum difference in team strengths that is tolerated
game_menu_max_players_text Max. players per team:
game_menu_max_players_help Maximum number of players on a team
game_menu_min_players_text Min. players per team:
game_menu_min_players_help Minimum number of players on a team ( missing positions will be filled by AIs)
game_menu_max_teams_text Max. teams:
game_menu_max_teams_help Maximum number of teams
game_menu_min_teams_text Min. teams:
game_menu_min_teams_help Minimum number of teams
game_menu_wallstayup_text Wall Delay:
game_menu_wallstayup_help Time the walls stay up after a player got killed
game_menu_wallstayup_infinite_text infinite
game_menu_wallstayup_infinite_help Walls stay up forever
game_menu_wallstayup_immediate_text immediate
game_menu_wallstayup_immediate_help Walls disapear immediately
game_menu_wallstayup_halfsecond_text 1/2s
game_menu_wallstayup_halfsecond_help Walls dissapear after half a second
game_menu_wallstayup_second_text 1s
game_menu_wallstayup_second_help Walls dissapear after one second
game_menu_wallstayup_2second_text 2s
game_menu_wallstayup_2second_help Walls dissapear after two seconds
game_menu_wallstayup_4second_text 4s
game_menu_wallstayup_4second_help Walls dissapear after 4 seconds
game_menu_wallstayup_8second_text 8s
game_menu_wallstayup_8second_help Walls dissapear after 8 seconds
game_menu_wallstayup_16second_text 16s
game_menu_wallstayup_16second_help Walls dissapear after 16 seconds
game_menu_wallstayup_32second_text 32s
game_menu_wallstayup_32second_help Walls dissapear after 32 seconds
game_menu_wallslength_text Wall Length:
game_menu_wallslength_help Length of the cycle walls in meters
game_menu_wallslength_infinite_text infinite
game_menu_wallslength_infinite_help Walls have infinite length
game_menu_wallslength_25meter_text 25m
game_menu_wallslength_25meter_help Walls are 25 meters long
game_menu_wallslength_50meter_text 50m
game_menu_wallslength_50meter_help Walls are 50 meters long
game_menu_wallslength_100meter_text 100m
game_menu_wallslength_100meter_help Walls are 100 meters long
game_menu_wallslength_200meter_text 200m
game_menu_wallslength_200meter_help Walls are 200 meters long
game_menu_wallslength_300meter_text 300m
game_menu_wallslength_300meter_help Walls are 300 meters long
game_menu_wallslength_400meter_text 400m
game_menu_wallslength_400meter_help Walls are 400 meters long
game_menu_wallslength_600meter_text 600m
game_menu_wallslength_600meter_help Walls are 600 meters long
game_menu_wallslength_800meter_text 800m
game_menu_wallslength_800meter_help Walls are 800 meters long
game_menu_wallslength_1200meter_text 1200m
game_menu_wallslength_1200meter_help Walls are 1200 meters long
game_menu_wallslength_1600meter_text 1600m
game_menu_wallslength_1600meter_help Walls are 1600 meters long
game_menu_wallslength_2400meter_text 2400m
game_menu_wallslength_2400meter_help Walls are 2400 meters long
game_menu_exrad_text Blast Radius:
game_menu_exrad_help Destructive radius of the cycle explosions; walls will get destroyed inside this radius
game_menu_exrad_0_text none
game_menu_exrad_0_help no destruction
game_menu_exrad_2meters_text 2m
game_menu_exrad_2meters_help Blast radius is 2 meters
game_menu_exrad_4meters_text 4m
game_menu_exrad_4meters_help Blast radius is 4 meters
game_menu_exrad_8meters_text 8m
game_menu_exrad_8meters_help Blast radius is 8 meters
game_menu_exrad_16meters_text 16m
game_menu_exrad_16meters_help Blast radius is 16 meters
game_menu_exrad_32meters_text 32m
game_menu_exrad_32meters_help Blast radius is 32 meters
game_menu_exrad_64meters_text 64m
game_menu_exrad_64meters_help Blast radius is 64 meters
game_menu_exrad_128meters_text 128m
game_menu_exrad_128meters_help Blast radius is 128 meters
game_menu_wz_mr_text Win Zone Min Round Time
game_menu_wz_mr_help Minimum number of seconds the round has to be going on before the instant win zone is activated
game_menu_wz_ld_text Win Zone Min Last Death
game_menu_wz_ld_help Minimum number of seconds since the last death before the instant win zone is activated
#********************************************
#********************************************
#
# network menus
#
#********************************************
#********************************************
#network game menu
network_menu_lan_text LAN Game
network_menu_lan_help Connect to a server on your local network or start a server.
network_menu_internet_text Internet Game
network_menu_internet_help Connect to an internet server or start one.
network_opts_text Network Setup
network_opts_help Configures your network preferences.
#network options
network_opts_pingchar_text Ping Charity:
network_opts_pingchar_help The maximum ping (in ms) you are willing to take over from the other players. \g will reduce their ping and increase yours, until you have equal ping or the maximum transfer set by this menuitem is hit.
network_opts_lagometer_text Lag-O-Meter:
network_opts_lagometer_help In a network game, the place where the other players may already be now (but you have not yet noticed because of the network delay) is indicated as a geometrical shape. Useful for internet play.
network_opts_axesindicator_text Axes Indicator:
network_opts_axesindicator_help The axes indicator is meant to show the directions the cycle can turn to as lines going out from the cycle. Good on servers with changing configs so you know what to expect before you turn.
network_opts_predict_text Prediction:
network_opts_predict_help In a network game, this extrapolates the cycles' movement. Leaving it disabled makes the graphics smoother, enabling it gives yo a better image of the actual situation. I leave it disabled; the Lag-O-Meter is a good substitute for prediction. This is always disabled in server mode.
network_opts_inrate_text Input Rate:
network_opts_inrate_help The maximum number of kilobytes your network can receive per second. 1 for 9.6k modems (only limited play possible), 3 for 28.8k modems (usualy no problems)...7 for 56k modems, 8 for ISDN, more for cable modems, (A)DSL and LAN.
network_opts_outrate_text Output Rate:
network_opts_outrate_help The maximum number of kilobytes your network can send per second. Set it to two or three if you do not wish to act as a server; more bandwidth is never used. Of course, it does not hurt to set it higher if you have a bigger pipe.
network_opts_deletepw_text Delete Passwords
network_opts_deletepw_help This function will delete all stored passwords.
network_opts_deletepw_complete Passwords deleted.
network_opts_minport_text Minimum Port:
network_opts_minport_help The lowest network port that is scanned when looking for a LAN server.
network_opts_maxport_text Maximum Port:
network_opts_maxport_help The highest network port that is scanned when looking for a LAN server.
network_opts_master_text Talk to Master:
network_opts_master_help Do you want to announce it to the internet master server if you run a server? If you enable this and you are connected to the net, expect some visitors to drop in.
#network custom join menu
network_custjoin_text Custom Connect
network_custjoin_help Lets you enter a server to connect to manually.
network_custjoin_port_text Server Port:
network_custjoin_port_help The network port the server listens on; must match the corresponding option set on the server you wish to join.
network_custjoin_name_text Server Name:
network_custjoin_name_help The name or IP adress of the server you wish to join
network_custjoin_connect_text Connect To Server
network_custjoin_connect_help Enter the game grid!
#network host menu
network_host_text Host Network Game
network_host_help Start a server.
network_host_name_text Server Name:
network_host_name_help The name of this server that should appear on the server browser. Choose it as you please; a network game will work with any name.
network_host_port_text Server Port:
network_host_port_help The network port this server will listen on.
network_host_host_text Host Network Game
network_host_host_help Enter the game grid! Other players are allowed to join you via the "Connect to Server"-menuitem.
bookmarks_menu Server Bookmarks
bookmarks_menu_help Add, edit, and connect to your server bookmarks.
bookmarks_menu_edit Edit Bookmarks
bookmarks_menu_edit_help Edit and add server bookmarks.
bookmarks_menu_edit_slot Edit \1
bookmarks_menu_address Address
bookmarks_menu_address_help The address of the server to connect to.
bookmarks_menu_name Name
bookmarks_menu_name_help The name of the server. This is used only for display, not functional purposes.
bookmarks_menu_connect Connect to \1
#********************************************
#********************************************
#
# "Misc Stuff" menu
#
#********************************************
#********************************************
misc_menu_text Misc Stuff
misc_menu_help Diverse items that had no place elsewere, i.e. global keys.
misc_global_key_text Global Keyboard Configuration
misc_global_key_help Some keyboard settings independent of the current player.
misc_menuwrap_text Menu Wrap:
misc_menuwrap_help What happens if you are at the top of the menu and press up?
misc_textout_text Text Output:
misc_textout_help Toggles the display of text messages (chat, status info...) on the screen. Forced on for network games.
misc_moviepack_text Moviepack:
misc_moviepack_help If this is enabled and the moviepack is installed, \g will display more movie-like graphics.
#*************************************
#*************************************
#
# language menu
#
#*************************************
#*************************************
language_first_help The language \g will use
language_second_help Fallback language if the first language is not available
language_menu_title Language Settings
language_menu_help Choose the language used for all onscreen texts
language_menu_item_fist First Language:
language_menu_item_first_help \g will display most text messages in this language. Use Cursor Left/Right to choose.
language_menu_item_second Second Language:
language_menu_item_second_help If the fist language is not available for one text item, it will be displayed in the second language (or in english as final fallback). Use Cursor Left/Right to choose.
#*************************************
#*************************************
#
# police menu
#
#*************************************
#*************************************
player_police_text Player Police
player_police_help Allows you to silence other players or issue a kick vote
player_police_silence_text Silence Menu
player_police_silence_help Allows you to silence spamming players locally
silence_player_help If activated, all chat messages from this player will be omitted.
silence_player_text Silence \1
player_police_kick_text Kick Menu
player_police_kick_help Allows to issue a kick vote for a player
kick_player_details_text If accepted, \1 will be removed from the server.
kick_player_text Kick \1
kick_player_help Pressing enter or space on this menu item will issue a kick vote on that player.
#*************************************
#*************************************
#
# vote menu
#
#*************************************
#*************************************
voting_menu_text Vote
voting_menu_help Vote on pending issues
vote_approve Approve
vote_approve_help By selecting this, you indicate that you approve the vote.
vote_dont_mind Don't mind
vote_dont_mind_help By leaving this selected, you delay the casting of your vote.
vote_reject Reject
vote_reject_help By selecting this, you reject the vote.
vote_details_help This menu entry determines your vote. Details: \1
vote_submitter_text This vote was submitted by \1.
#*************************************
#*************************************
#
# player menus
#
#*************************************
#*************************************
#player menu
player_menu_text Player \1 Settings
player_menu_help Cycle and camera controls for player \1
viewport_menu_title Viewports
viewport_menu_help Would you like a singe player game or split the screen to allow multiplayer games?
viewport_conf_text Viewports:
viewport_conf_name_0 Single Player
viewport_conf_name_1 Horizontal Split
viewport_conf_name_2 Vertical Split
viewport_conf_name_3 Three Players, Version a
viewport_conf_name_4 Three Players, Version b
viewport_conf_name_5 Four Player Mayhem!
viewport_belongs_text Viewport \1 belongs to player \2 (\3)
viewport_assign_text Assign Viewports to Players
viewport_assign_help Which player's game is seen on which part of the screen?
#player setup
player_name_text Name:
player_name_help The ... in "Winner: ... ". Use cursor <left>/<right>, delete, backspace and all the other keys.
player_input_text Input Configuration
player_input_help Setup keyboard and mouse controls for this player.
input_for_player Input for Player \1: \2
player_camera_input_text Camera Input Configuration
player_camera_input_help Setup keyboard and mouse controls for this player's camera.
camera_controls \1's Camera Controls
player_camera_text Camera Setup
player_camera_help Set up your camera preferences.
player_chat_text Instant Chat Setup
player_chat_chat Instant Chat \1:
player_chat_chat_help Sets the instant chat macros that can be said with one keystroke.
player_blue_text Blue:
player_blue_help Lets you choose the blue component of your colour.
player_green_text Green:
player_green_help Lets you choose the green component of your colour.
player_red_text Red:
player_red_help Lets you choose the red component of your colour.
player_spectator_text Spectator Mode:
player_spectator_help In spectator mode, you do not control a cycle; you just watch the game as if you were already dead. The other players will see you on the score table and you can chat with them, but you won't be spawned at the beginng of a round.
player_name_team_text Name Team after Player:
player_name_team_help You can set your prefered method for naming your team here: On indicates you want the team to be named after its most senior player, Off means you want a simple colour label.
player_num_per_team_text Players per Team:
player_num_per_team_help Set your favourite number of players per team here. When you join a game and the smallest team has less players than specified here, you'll join that team. Otherwise, you will create a new team. Only the default behaviour is governed by this setting; you can switch teams later.
#camera prefs menu
player_camera_initial_text Initial Camera:
player_camera_initial_help Choose your favourite camera perspective here.
player_camera_initial_int_text Internal
player_camera_initial_int_help The view from inside your vehicle.
player_camera_initial_smrt_text Smart
player_camera_initial_smrt_help The smart chasecam that tries to give you a good perspective on the action.
player_camera_initial_ext_text External
player_camera_initial_ext_help A fixed external perspective.
player_camera_initial_free_text Free
player_camera_initial_free_help A free floating camera.
player_camera_initial_cust_text Custom
player_camera_initial_cust_help A configurable camera fixed relative to the cycle.
player_camera_initial_scust_text Server Custom
player_camera_initial_scust_help A configurable camera fixed relative to the cycle, position determined by server administrator.
player_camera_fov_text Initial FOV:
player_camera_fov_help Choose your favourite FOV (Field of vision).
player_camera_incam_text Allow Incam:
player_camera_incam_help When pressing the camera switch button, this enables switching into the internal camera perspective.
player_camera_free_text Allow Free Cam:
player_camera_free_help When pressing the camera switch button, this enables switching into the free camera mode.
player_camera_fixed_text Allow Fixed Cam:
player_camera_fixed_help When pressing the camera switch button, this enables switching into the fixed external perspective.
player_camera_smartcam_text Allow Smartcam:
player_camera_smartcam_help When pressing the camera switch button, this enables switching into the smart camera mode (an external camera that tries to guess what perspective on your cycle is useful).
player_camera_custom_text Allow Custom:
player_camera_custom_help When pressing the camera switch button, this enables switching into the custom perspective. (Configurable in settings.cfg)
player_camera_server_custom_text Allow Server Custom:
player_camera_server_custom_help When pressing the camera switch button, this enables switching into the server defined custom custom perspective. (Configurable in settings.cfg on the server)
player_camera_center_int_text Center Int. Camera:
player_camera_center_int_help On: every time you make a turn, the internal camera will face in the direction you turned to. Good for keyboard play.\nOff: you alone control the direction you look in; it is independent of the direction you are driving. Your choice if you use Quake-style mouselook.
player_camera_wobble_text Int. Camera Movement:
player_camera_wobble_help On: the internal camera moves and rocks with the cycle; you can get seasick from it... \nOff: the internal camera stays fixed at the position you steered your cycle to.
player_camera_autoin_text Auto Incam:
player_camera_autoin_help On: the smartcam switches to internal camera if you are in a tunnel. \nOff: the smartcam moves to a top view if you are in a tunnel.
# team menu
team_menu_title Team Menu
team_menu_help Let the players change their teams or created new teams
team_menu_player_title Choose team for \1
team_menu_player_help Let this player make team related decicions
team_menu_join join \1
team_menu_join_help Let the current player join the specified team
team_menu_create create new team/join any
team_menu_create_help Creates a new team and lets the current player join it, or, if that is not possible, joins any team.
team_owned_by \1's team
team_ai AI team
team_empty Empty team
team_name_blue Team blue
team_name_gold Team gold
team_name_red Team red
team_name_green Team green
team_name_violet Team violet
team_name_ugly Team ugly
team_name_white Team white
team_name_black Team black
#********************************************
#********************************************
#
# sound menu
#
#********************************************
#********************************************
sound_menu_text Sound Settings
sound_menu_help Sound quality settings.
sound_menu_sources_text Sound Sources:
sound_menu_sources_help Gives the approximate number of sound sources to be mixed; setting it too low will result in important sound sources (your own engine) to be constantly turned on and off, too high values eat away too much CPU power. Six seems to be a good value for low-power CPU's.
sound_menu_quality_text Sound Quality:
sound_menu_quality_help Selects the quality of the sound; currently, only 16 bit stereo modes are available.
sound_menu_quality_off_text Off
sound_menu_quality_off_help Disables sound output completely.
sound_menu_quality_low_text Low
sound_menu_quality_low_help Sound output is 16 bit 11025 Hz stereo.
sound_menu_quality_medium_text Medium
sound_menu_quality_medium_help Sound output is 16 bit 22050 Hz stereo.
sound_menu_quality_high_text High
sound_menu_quality_high_help Sound output is 16 bit 44100 Hz stereo.
sound_menu_buffer_text Buffer Length:
sound_menu_buffer_help Selects the size of the sound buffer.
sound_menu_buffer_vsmall_text Very Small
sound_menu_buffer_vsmall_help Latency of about 0.02s, but very high probability of artefacts.
sound_menu_buffer_small_text Small
sound_menu_buffer_small_help Latency below 0.04s, but high probability of artefacts.
sound_menu_buffer_med_text Normal
sound_menu_buffer_med_help Latency of about 0.1s, and may still produce artefacts.
sound_menu_buffer_high_text High
sound_menu_buffer_high_help Latency of about 0.2s, probably no artifacts.
sound_menu_buffer_vhigh_text Very High
sound_menu_buffer_vhigh_help Latency of about 0.4s.
#********************************************
#********************************************
#
# graphics menus
#
#********************************************
#********************************************
#display menu
display_settings_menu Display Settings
display_settings_menu_help Toggles features of your graphic system.
screen_mode_menu Screen Mode
screen_mode_menu_help Screen resolution and stuff.
preferences_menu Preferences
preferences_menu_help Options that depend more on your personal preferences than on performance issues.
hud_menu HUD Options
hud_menu_help Modify HUD (heads up display) options.
detail_settings_menu Detail Settings
detail_settings_menu_help Allows you to adjust the graphical detail to your system's performance.
performance_tweaks_menu Performance Tweaks
performance_tweaks_menu_help Settings that may improve game performace, but do not work on all systems.
graphics_load_defaults_text Load Defaults
graphics_load_defaults_help This will reset all this options to the ones that suit your system best. (In the opinion of this stupid program...)
#feature menuitem
feature_disabled_text Off
feature_disabled_help Feature is currently disabled.
feature_default_text System Default
feature_default_help Your system decides what to do with it.
feature_enabled_text On
feature_enabled_help Feature is currently activated.
#texture menuitem
texture_menuitem_help Selects the texture mapping mode; note how it affects the menu background. The curent state is:
texture_off_text Off
texture_off_help No textures at all
texture_nearest_text Nearest
texture_nearest_help Fastest but ugliest: no filtering or detail level selection is performed. Not recommended.
texture_bilinear_text Bilinear
texture_bilinear_help Still ugly: textures are filtered, but still no detail level is selected. Not recommended.
texture_mipmap_nearest_text Mipmap Nearest
texture_mipmap_nearest_help No filtering, but detail level (MipMap) selection. If you use software rendering and want to see textures, use this mode.
texture_mipmap_bilinear_text Mipmap Bilinear
texture_mipmap_bilinear_help Filtering and detail level selection. Not perfect, but usable on older 3D-accelerators.
texture_mipmap_trilinear_text Mipmap Trilinear
texture_mipmap_trilinear_help Filtering and interpolation between detail levels. Looks smoothest and is as fast as "Mipmap Bilinear" on most newer 3D-cards. Some renderers ignore this feature.
#screen mode menu
screen_resolution_text Screen Resolution:
screen_resolution_help Selects the screen resolution. Changes will be be applied the next time you start \g or when you select "Apply Changes" below.
window_size_text Window Size:
window_size_help Selects the window size. Changes will be be applied the next time you start \g or when you select "Apply Changes" below.
screen_custom_text Custom
screen_custom_help Set the variables CUSTOM_SCREEN_WIDTH and CUSTOM_SCREEN_HEIGHT in artr.cfg (Windows) or ~/.ArmageTronrc (Linux) to adjust you custom screen size.
screen_fullscreen_text Fullscreen:
screen_fullscreen_help This toggles fullscreen and window mode. As with resolution changes. You have to exit and re-enter \g or select "Apply Changes" for this to have an effect.
screen_colordepth_text Colour Depth:
screen_colordepth_help Choose the colour depth you want \g to run at. You have to exit and reenter \g or select "Apply Changes" for this to have an effect.
screen_colordepth_16_text 16 Bit
screen_colordepth_16_help Generally considered low quality; but \g does not use many blending effects, so it looks quite OK.
screen_colordepth_desk_text Default
screen_colordepth_desk_help Your system's default colour depth; usually the same you have on your desktop.
screen_colordepth_32_text 32 Bit
screen_colordepth_32_help High quality.
screen_zdepth_text Z Buffer Depth:
screen_zdepth_help Depth of the z buffer; determines the quality of depth sorting. You have to exit and reenter \g or select "Apply Changes" for this to have an effect.
screen_zdepth_16_text 16 Bit
screen_zdepth_16_help Not recommended, as it will not work most of the time.
screen_zdepth_desk_text Default
screen_zdepth_desk_help Take z buffer depth from colour depth; this is the most compatible option.
screen_zdepth_32_text 32 Bit
screen_zdepth_32_help Force 32 bit z-buffer. If it works, it will improve the quality in 16 bit colour depth.
screen_check_errors_text Check Errors:
screen_check_errors_help Should we listen to the warnings about non-existent video modes during initialisation? Usually, you should leave this option alone.
screen_use_sdl_text Use SDL OpenGL:
screen_use_sdl_help Toggles use of the clean OpenGL initialisation routines; if disabled, \g will use the dirty method that was neccesary with SDL 1.0.
screen_grab_mouse_text Grab Mouse:
screen_grab_mouse_help If activated, the mouse pointer is centered after every move; thus, it is unable to leave the window. This option is only useful when you play \g in a window.
screen_apply_changes_text Apply Changes
screen_apply_changes_help Tries to enable the settings in this menu without exiting \g. Use at your own risk.
screen_keep_window_active_text Keep Window Active
screen_keep_window_active_help This toggles if \g should stay active when window mode is selected and \g loses focus.
#detail menu
detail_floor_mirror_text Floor Mirror:
detail_floor_mirror_help Which objects should have reflections on the floor?
detail_floor_mirror_off_text Off
detail_floor_mirror_off_help None
detail_floor_mirror_obj_text Objects only
detail_floor_mirror_obj_help All moving objects
detail_floor_mirror_ow_text Objects and Walls
detail_floor_mirror_ow_help Everything that is important in the game
detail_floor_mirror_ev_text Everything!
detail_floor_mirror_ev_help (Currently no difference to "Objects and Walls".)
detail_dither_text Dithering:
detail_dither_help If the colour depth of your current graphic mode does not directly allow the colour that is to be drawn, it is simulated by mixing other colours. Turning it of will improve software rendering performance on some systems; in low resolution modes, turning it off will even improve the visual quality (IMHO).
detail_floor_text Floor Detail:
detail_floor_help Armagetron Advanced has several ways to draw the floor and the grid; the better looking ones will cost you some FPS (Frames Per Second).
detail_floor_no_text No Floor
detail_floor_no_help Draw nothing at all. Fastest possibility.
detail_floor_grid_text Just Grid
detail_floor_grid_help Only a grid of lines is drawn. This option is your choice if you use software rendering.
detail_floor_tex_text Textured Plane
detail_floor_tex_help An infinite plane is drawn, with the texture of the grid painted on it. Recomended for all 3D-card owners. Problem: looking at the horizon, the grid will lose its sharpness too fast.
detail_floor_2tex_text Dual Texture Plane
detail_floor_2tex_help Just as in "Textured Plane", the floor is an infinite textured plane. But here, the two groups of lines are drawn in two separate rendering steps, resulting in a much sharper image.
detail_polyantialias_text Polygon Antial.:
detail_polyantialias_help Shall the contours of objects be smoothed to avoid ugly pixel stairs? Not implemented on most systems.
detail_lineantialias_text Line Antialiasing:
detail_lineantialias_help Should lines be smoothed to avoid pixel stairs?
detail_alpha_text Alpha Blending:
detail_alpha_help Alpha blending is used to display half-transparent objects such as explosions and the walls rising behind the cycles. It does not cost extra with most 3D-cards, but slows software rendering down quite a bit.
detail_smooth_text Smooth Shading:
detail_smooth_help Makes edges appear "round" by adding a colour gradient to the surfaces. Even software rendering is not slowed down by activating this.
detail_persp_text Persp. Correction:
detail_persp_help Most renderers ignore this feature; if really turned off, the wall and floor textures will be displayed horribly deformed. I really don't know why I let you choose this... :)
detail_text_truecolor_text TrueColour Textures:
detail_text_truecolor_help Stores the textures with 32 bit colour depth instead of the default of 16 bit.
#preferences menu
pref_sparks_text Sparks:
pref_sparks_help Glowing sparks fly from your vehicle whenever you nearly crash.
pref_explosion_text Explosion:
pref_explosion_help Toggles the explosion animation when a cycle crashes.
pref_skymove_text Sky Movement:
pref_skymove_help Toggles the animation of the lower sky plane.
pref_lowersky_text Lower Sky:
pref_lowersky_help Toggles the display of the lower sky plane, a plasma cloud. Turning both sky planes on hurts performance.
pref_uppersky_text Upper Sky:
pref_uppersky_help Toggles the display of the upper sky, a solid plane similar to the floor. Turning both sky planes on hurts performance.
pref_highrim_text High Rim:
pref_highrim_help If enabled, the rim walls will have infinite height. If not, they will be about as high as player walls.
pref_headlight_text Show Headlight:
pref_headlight_help Render a headlight in front of each cycle. Requires support by your video card.
pref_showhud_text Show HUD
pref_showhud_help If enabled, a heads up display will be shown while playing in single user mode.
pref_showfastest_text Show Fastest
pref_showfastest_help Shows the fastest player so far on the grid in a game (Needs Show HUD = On to work).
pref_showscore_text Show Score
pref_showscore_help Shows your score and the top score in the HUD (Needs Show HUD = On to work).
pref_showenemies_text Show Enemies
pref_showenemies_help Shows how many players are still alive (Needs Show HUD = On to work).
pref_showtime_text Show Time:
pref_showtime_help Show the current time of day on the HUD.
pref_show24hour_text Show 24 Hour Clock:
pref_show24hour_help Shows the clock as a 24 hour clock, if enabled. Set this to 'off' to show the clock as a 12 hour clock.
pref_showping_text Show Ping
pref_showping_help Shows your ping in the HUD (Needs Show HUD = On to work).
pref_showbrake_text Show Brake Meter
pref_showbrake_help Shows your brake depletion state in a meter in the HUD (Needs Show HUD = On to work).
pref_showspeed_text Show Speed Meter
pref_showspeed_help Shows your speed in a metter in the HUD (Needs Show HUD = On to work).
pref_showrubber_text Show Rubber Meter
pref_showrubber_help Shows the status of your rubber in a meter in the HUD (Needs Show HUD = On to work).
misc_fps_text Show FPS:
misc_fps_help Toggles the display of the current FPS (frames per secon) rate in the upper right corner (Needs Show HUD = On to work).
#tweaks menu
tweaks_displaylists_text Display Lists:
tweaks_displaylists_help Display lists are a feature of OpenGL for rendering the same thing many times; it is normally used for the cycles. Some implementations are broken however; if you do no see the cycles, you should disable this feature.
tweaks_ztrick_text ZTrick:
tweaks_ztrick_help A speedup that probably only works on old 3dfx cards: instead of clearing the screen after each frame, we just draw the backgroud (floor and rim walls).
tweaks_infinity_text Infinity:
tweaks_infinity_help Some planes (grid, sky...) have an infinite extension; if this feature is enabled, they are really drawn as infinite planes. Some OpenGL renderers do not seem to like this (all Windows versions I have seen...); disable it if the floor or sky textures are screwed up.
#********************************************
#********************************************
#
# generic menu texts
#
#********************************************
#********************************************
#menu texts: generic
menuitem_exit_text Exit Menu
menuitem_exit_help Exits this menu and returns to the previous level
menuitem_accept Accept
menuitem_accept_help Accepts the settings in this menu and continues.
input_item_help To change, press ENTER or SPACE, then press the key/mousebutton you want to assign to this control. Moving the mouse also works.
input_press_any_key Press any key!
menuitem_toggle_on On
menuitem_toggle_off Off
#********************************************
#********************************************
#********************************************
#********************************************
#
# Game messages printed on the console
#
#********************************************
#********************************************
#********************************************
#********************************************
#********************************************
#********************************************
#
# Greeting message printed on first start
#
#********************************************
#********************************************
welcome_message_heading Welcome to \g!
welcome_message_intro Default Settings have been loaded according to your configuration\n\n
welcome_message_vendor GL Vendor :
welcome_message_renderer GL Renderer :
welcome_message_version GL Version :
welcome_message_finish \nHave fun!\n
#\n\nThis Game is supported from KGN (Krawall Gaming Network, www.krawall.de).
#********************************************
#********************************************
#
# Network compatibility warnings
#
#********************************************
#********************************************
setting_legacy_clientblock Setting \1 (Group: \2) deviates from its default value; clients older than \3 will not be allowed in.\n
setting_legacy_revert Setting \1 (Group: \2) deviates from its default value; it will revert to it when clients older than \3 connect.\n
setting_legacy_ignore Setting \1 (Group: \2) deviates from its default value; clients older than \3 may experience problems.\n
setting_legacy_change_blocked Setting \1 (Group: \2) can't be changed currently; clients older than \3 are connected.\n
#********************************************
#********************************************
#
# leaque/highscore messages
#
#********************************************
#********************************************
league_message_rose \1 rose to place \3 on the \4 because of \2.
league_message_dropped \1 dropped to place \3 on the \4 because of \2.
league_message_greet_intro You are
league_message_greet_sep ,
league_message_greet_lastsep and
league_message_greet number \1 of \2 on the \3
league_message_greet_new not on the \3
won_rounds_description won multiplayer rounds list
won_matches_description won multiplayer matches list
highscore_description single player highscores
highscore_message_entered \1 entered the \2 list with \3 points
highscore_message_improved \1 improved its personal highscore in the \2 to \3
highscore_message_move_top and moved to the top!
highscore_message_move_pos and moved to position \4.
highscore_message_stay_top and stayed at the top.
highscore_message_stay_pos but stayed at position \4.
ladder_description ladder
ladder_message_entered \1 entered the \2 list with \3 points
ladder_message_gained \1 gained \5 points on the \2
ladder_message_lost \1 lost \5 points on the \2
ladder_message_move_top and moved to the top!
ladder_message_move_pos and moved to position \4.
ladder_message_stay_top and stayed at the top.
ladder_message_stay_pos but stayed at position \4.
online_activity_nobody Nobody online.
online_activity_onespec One user online in spectator mode.
online_activity_manyspec \1 users online in spectator mode.
online_activity_napping Nobody there. Taking a nap...
#********************************************
#********************************************
#
# messages describing the current gamestate
#
#********************************************
#********************************************
gamestate_deleting_objects Deleting objects...\n
gamestate_deleting_grid Deleting grid...\n
gamestate_creating_grid Creating grid...\n
gamestate_done done!\n
gamestate_timeout_intro \n\nTimeout! Reason:\n
gamestate_timeout_message User \1 does not know about netobject \2 ( \3 ).\n
gamestate_reset_center Reset
gamestate_reset_console Resetting scores and starting new match after this round.\n
gamestate_resetnow_center New Match
gamestate_resetnow_console Resetting scores...\n
gamestate_resetnow_log New Match\n
gamestate_newround_console Go (round \1 of \2 )!\n
gamestate_newround_goldengoal Go (extra round; whoever gains the lead wins)!\n
gamestate_newround_log New Round\n
gamestate_chat_wait Waiting up to \2 seconds for \1 to finish chatting.\n
gamestate_wait_players Waiting for real players...\n
gamestate_wait_players_con Waiting for real players (only spectators online)...\n
gamestate_tensecond_warn Ten seconds left!\n
gamestate_30seconds_warn 30 seconds left!\n
gamestate_minute_warn One minute left!\n
gamestate_2minutes_warn Two minutes left!\n
gamestate_5minutes_warn Five minutes left!\n
gamestate_10minutes_warn Ten minutes left!\n
gamestate_champ_center Match Winner: \1
gamestate_champ_console Overall Winner: \1
gamestate_champ_scorehit with \1 points.\n
gamestate_champ_timehit after the timelimit of \1 minutes was hit.\n
gamestate_champ_default after \1 rounds.\n
gamestate_champ_finalscores Final Scores:\n
gamestate_winner_winner Winner:
gamestate_winner_ai AI.
gamestate_winner_humans Humans.
instant_win_activated Instant win zone activated! Enter it to win the round.\n
instant_death_activated Death zone activated! Avoid it!\n
player_win_instant \1 was awarded \2 points for hitting the instant win zone.\n
player_win_conquest \1 was awarded \2 points for conquering the enemy base.\n
player_win_conquest_specific \1 was awarded \2 points for conquering \3's base.\n
player_kill_collapse \1 was eradicated by its collapsing zone.\n
player_win_survive \1 was awarded \2 points for holding the base.\n
zone_collapse_harmless \1's zone collapses harmlessly for lack of enemy contacts.\n
#********************************************
#********************************************
#
# messages about player activity
#
#********************************************
#********************************************
player_teamleave_disallowed Sorry, does not work with automatic team assignment.\n
player_teamchanges_disallowed Sorry, the administrator disabled team changes.\n
player_pingcharity_changed Ping charity changed from \1 to \2.\n
spam_protection_repeat SPAM PROTECTION: you already said: \1\n
spam_protection SPAM PROTECTION: you are silenced for the next \1 seconds.\n
spam_protection_silenceall SPAM PROTECTION: public chat is disabled.\n
spam_protection_silenced SPAM PROTECTION: you have been silenced by the server administrator.\n
spam_protection_silenced_default SPAM PROTECTION: you have to be given voice in order to chat publically.\n
player_silenced \10xff7777 has been silenced.\n
player_voiced \10x77ff77 has been given his voice back.\n
player_allowed_teamchange \10x77ff77 has been allowed to change his team.\n
player_disallowed_teamchange \10xff7777 cannot change teams anymore.\n
vote_spam_protection VOTE SPAM PROTECTION: you are disallowed from issuing votes for the next \1 seconds.\n
chat_title_text Say:
player_entered_game \1 0x7fff7fentered the game.\n
player_entered_spectator \1 0x7fff7fentered as spectator.\n
player_left_spectator 0xff7f7fSpectator \1 0xff7f7fleft.\n
player_left_game \1 was discarded with \2 points.\n
player_leaving_game \1 0xff7f7fleft the game.\n
player_renamed \2 renamed to \1.\n
player_rename_rejected \1 0xffffffis not allowed to rename to \2 0xffffffright now to avoid confusion with kick votes.\n
player_welcome \n\nWelcome \1! This server is running version \2.\n
player_win_default \1 got \2 points for a very strange reason.\n
player_lose_default \1 lost \2 points for a very strange reason.\n
player_lose_suicide \1 committed suicide and lost \2 points.\n
player_free_suicide \1 committed suicide.\n
player_win_frag \1 core dumped \3 for \2 points.\n
player_free_frag \1 core dumped \2.\n
player_teamkill \1 core dumped teammate \2! Boo! No points for that!\n
player_win_frag_ai \1 got \2 points for core dumping an AI player.\n
player_lose_frag \1 lost \2 points since it caused a general protection fault.\n
player_lose_rim \1 lost \2 points for trying to escape from the game grid.\n
player_win_survivor \1 was awarded \2 points for being last active team.\n
player_joins_team \1 wants to play for \2 on the next respawn.\n
player_joins_team_wish \1 still wants to play for \2, but isn't currently allowed to.\n
player_joins_team_noex \1 wants to play for a team that ceased to exist, ignoring request.\n
player_leave_team_wish \1 wants to leave \2 on the next respawn.\n
player_leave_game_wish \1 does not want to play next round.\n
player_joins_team_start \1 0x7fff7fplays for \2.\n
#player_joins_team_now \1 0x7fff7fnow plays for \2.\n
player_changes_team \1 0x7f7fffswitches from \3 to \2.\n
player_leaves_team \1 0xff7f7fleft \2.\n
player_creates_team \1 founded \2.\n
player_nocreate_team \1 cannot currently create a new team.\n
player_nojoin_team \1 cannot currently join \2.\n
player_not_on_team You are not on a team.\n
player_topologypolice Order from Topology Police: \1
team_shuffle \1 gets shuffled from rank \2 to \3.\n
player_noshuffleup You are not allowed to shuffle up.\n
player_noshuffle Your shuffling wish has no effect.\n
msg_toomanymatches 0xff0000Too many matches found for the search term \1. Be more specific.\n
msg_nomatch 0xff0000No matches were found that contained \1.\n
player_toggle_spectator_on \1 switches to spectator mode and will stop playing the next round.\n
player_toggle_spectator_off \1 leaves spectator mode and enters the game again.\n
#camera messages
camera_watching_ai Watching AI Player\n
camera_watching_player Watching \1\n
#score table
team_scoretable_name Team:
team_scoretable_score Score:
player_scoretable_name Player:
player_scoretable_team Member of Team:
player_scoretable_score Score:
player_scoretable_ping Ping:
player_scoretable_alive Alive:
player_scoretable_alive_yes Yes
player_scoretable_alive_no No
player_scoretable_pingcharity Ping Charity:
player_scoretable_nobody Nobody there.\n
player_scoretable_inactive Disconnected
#********************************************
#********************************************
#
# network messages
#
#********************************************
#********************************************
fullscreen_message_title Server Message
network_message_timeout_title Server does not answer
network_message_timeout_inter The server you wanted to connect to did not answer for ten seconds.\nIt is probably down or unreachable, or you mistyped its name in the "custom connect" menu.
network_message_denied_title Login denied
network_message_denied_inter The server you wanted to connect to denied your login attempt.\nThat usually means it is full.
network_message_denied_inter2 The server you wanted to connect to denied your login attempt.
network_message_lateto_title Timeout
network_message_lateto_inter Connection to the server was initially successful; however, synchronising the gamestate failed.\nJust try again!
network_message_lostconn_title Connection lost
network_message_lostconn_inter The network connection to the server was lost. This may be due to a real network failure (Ethernet-cable plugged out, modem lost link, ...) or because of a server crash (That would be bad, so please send a bug report if it happens.)
network_message_abortconn_title Connection terminated
network_message_abortconn_inter The server terminated our connection.
network_master_timeout_retry One of the master servers did not answer. Trying next one...\n
network_master_timeout_title Master servers do not answer
network_master_timeout_inter The master servers could not be reached and the server list could not be updated. You'll browse the old list for now.\n\nThe most likely reason for this is a problem with your network. Please check\n- that you have a working internet connection: point your web browser to www.armagetronad.net to test.\n- that your firewall, if you have one, does not block our traffic. To test whether this is your problem, disable your firewall and try again. If it then works, you should reenable the firewall, but allow Armagetron traffic specifically: Armagetron uses UDP and usually ports 4533 to 4540. Personal firewalls also have the possibility to block connections based on program names; make sure that armagetronad(.exe) is unblocked.\nIf you don't control parts of the network connection, say because you're at a public WLAN hotspot or in a company or school network, chances are the owner of the network purposefully blocks UDP traffic. You'll need to talk to the owner, then.\nA last possible, but unlikely, cause is that the master server infrastructure is currently down completely. Visit the forums at forums.armagetronad.net or the IRC channel #armagetron on irc.freenode.net to see if anyone else has this problem currently.
network_master_denied_title Master login denied
network_master_denied_inter The master server denied your login attempt. That usually means it is full. Try again later.
testing_version_expired_title Version Expired
testing_version_expired You are running a public test version or an unsupported CVS build. The server you tried to connect to is running a much newer version and that combination is only supported for major releases. An update is probably available for you on www.armagetronad.net or beta.armagetronad.net.
network_master_upgrage Upgrade needed
network_master_downgrage Server is outdated
network_master_incompatible Server is incompatible
network_master_full Full
network_master_serverinfo Version: \1\nURI : \2\nOptions: \3\n
network_master_players Players:
network_master_players_empty Empty
network_master_options Options:\n
network_connecting_to_server Connecting to \1...\n
network_connecting_gamestate Waiting for gamestate...\n
network_syncing_gamestate Received! Syncing gamestate...\n
network_warn_unknowndescriptor \n\n\nGot unknown nMessage with descriptor id \1 \n\nYOU SHOULD PROBABLY UPGRADE ARMAGETRON ADVANCED!!!!\n
network_error Network error.\n
network_error_timeout User \1 timed out.\n
network_error_shortmessage User \1's message was too short. Killing him.\n
network_error_overflow User \1 is unable to keep up with the network traffic.\n
network_killuser Killing user \1, ping \2.\n
network_statistics1 Time: \1 seconds\n
network_statistics2 Sent: \2 bytes in \3 packets (\4 bytes/s)\n
network_statistics3 Received: \5 bytes in \6 packets (\7 bytes/s)\n
network_login_denial Got login denial...\n
network_server_login Received login from \1 via socket \2.\n
network_server_login_success New user: \1\n
network_toomanyservers \n\n\nWarning: too many servers open on this computer.\nLeaving the port range that is scanned by clients with default settings.\n\n\n
network_browser_unidentified Reveived unidentifiable server information from \1 over socket \2.\n
network_logout_process Logging out...\n
network_logout_done Done!\n
network_logout_server received logout from \1.\n
network_login_process Login information sent. Waiting for reply...\n
network_login_failed Login failed.\n
network_login_failed_full Login failed: Server is full.\n
network_login_failed_timeout Login failed: Timeout.\n
network_login_success Login Succeeded. User Nr. \1 \n
network_login_sync Syncing with server...\n
network_login_relabeling Relabeling NetObjects...\n
network_login_sync2 Syncing again...\n
network_login_done Done!\n
network_kill_log User \1 kicked, reason given to him: \2\n
network_kill_preface Reason given by server:
network_kill_maxidgrabber It ran out of IDs; your client was the one occupying most of them for himself. The reason for this can be a bug.
network_kill_maxiduser It ran out of IDs; your client was the one occupying most of them.
network_kill_cheater It assumed you are cheating. If that is untrue, it is a bug you should report.
network_kill_error An error occured while processing messages from your client. This usually indicates a client or server bug.
network_kill_timeout You timed out.
network_kill_logout You logged out regularily.
network_kill_incompatible You are running a version incompatible with the server.
network_kill_full The server is full.
network_kill_shutdown The server was shut down.
network_kill_overflow There was a network overflow.
network_kill_too_many_players Too many players were logged in from your connection.
network_kill_kick You have been kicked by the server administrator; please stay away.
network_kill_idle You have been kicked automatically for being idle.
network_kill_banned You are banned for at least \1 minutes. \2
#network_kill_banned You are banned. Please stay away. The more often you retry to connect, the longer your ban stays.
network_kill_unknown No reason was given.
network_kill_spamkick You have been auto-kicked for spamming.
voted_kill_kick You have been kicked by an angry mob of players; please stay away.
network_kill_spectator You have been sitting in spectator mode for too long.
network_kick_notfound Player \1 not found. Remember that the matching is case sensitive.\n
network_ban_kph Kicks per hour of IP \1 are now \2.\n
network_ban Players from IP \1 are banned for \2 minutes. Reason: \3\n
network_noban Players from IP \1 are no longer banned.\n
network_ban_kick This is an autoban from being kicked too often.
network_ban_noreason None given.
#*************************************
#*************************************
#
# vote messages
#
#*************************************
#*************************************
vote_accepted Poll "\1" has been accepted.\n
vote_rejected Poll "\1" has been rejected.\n
vote_timeout Poll "\1" timed out.\n
vote_new New poll: "\1". Enter the main menu vote on it.\n
vote_redundant Poll rejected, same suggestion was made already.\n
vote_maturity Poll rejected, you're not old enough to issue votes, wait \1 seconds.\n
vote_overflow Poll rejected, too many pending polls.\n
vote_disabled Poll rejected, disabled by server admin.\n
vote_disabled_spectator Poll/Vote rejected, disabled for spectators by server admin.\n
vote_toofew Poll rejected, too few possible voters online.\n
vote_submitted Poll "\2" submitted by \1.\n
vote_vote_for \1 voted for Poll "\2".\n
vote_vote_against \1 voted against Poll "\2".\n
#********************************************
#********************************************
#
# the server browser menu
# and master server messages
#
#********************************************
#********************************************
network_master_unknown Unknown Server
network_master_polling Polling...
network_master_unreachable Unreachable
network_master_noserver Sorry, no server found :-(
network_master_servername Server Name
network_master_score Score
network_master_users Users
network_master_ping Ping
network_master_browserhelp Press "Enter" to connect to this server, "p" to refresh a single server, "r" to refresh the whole list, "+/-" to set the score bias for this server, "cursor left/right" to change the sorting key, or "b" to add the server to your bookmarks.
network_master_connecting Connecting to \1...\n
network_master_send Sending my server info...\n
network_master_reqlist Requesting server list...\n
network_master_status Receiving server \1...\n
network_master_finish Received \1 servers.\n
network_master_start Host Game
network_master_host_inet_help This will start a network game on your computer and announce it on the internet.
network_master_host_lan_help This will start a network game that is only visible from your LAN.
#********************************************
#********************************************
#
# Resource messages
#
#********************************************
#********************************************
resource_not_cached Resource \1 not found in cache. Downloading it, please be patient...\n
resource_downloading Downloading \1 ...\n
resource_fetcherror_404 ERROR: Return value 404 : File not found.\n
resource_fetcherror ERROR: Return value \1 != 200.\n
resource_no_filename ERROR: NULL or empty filename.\n
resource_abs_path ERROR: Absolute filename, the server is trying to overwrite system files.\n
resource_no_writepath ERROR: Cannot determine path to write resource to.\n
resource_no_write ERROR: Cannot open \1 for writing.\n
#********************************************
#********************************************
#
# Directory messages
#
#********************************************
#********************************************
directory_path_nonwritable Could not create path to "\1". Check your user's rights.
directory_path_null ERROR: User given path is NULL or empty.\n
directory_path_absolute ERROR: User given path "\1" is an absolute path. You're not allowed to access files outside of the configured file hierarchies.\n
directory_path_relative ERROR: User given path "\1" is a relative path. You're not allowed to access files outside of the configured file hierarchies.\n
directory_path_hidden ERROR: User given path "\1" contains a hidden component.\n
#********************************************
#********************************************
#
# map messages
#
#********************************************
#********************************************
# title of map error message
map_file_load_failure_title Map load failure
# printed when a map can't be loaded, and the user can do something about it
map_file_load_failure_self The map \1 could not be loaded or parsed; please check your configuration and the log below.\n
# printed when a map can't be loaded, and the failure is the server admin's fault
map_file_load_failure_server The map \1 could not be loaded.\nThe server you tried to connect to may have a broken configuration; you should inform the server administrator of this error.\n
# worst case: default map could not load, either
map_file_load_failure_default \nFallback to default map did not work either. Please send a bug report, this is unusual.\n
# resource at the wrong place
resource_file_wrong_place_title Incorrect File Path
resource_file_wrong_place The resource file loaded from "\1" wants to be at "\2". Possible resolutions:\na) If you are not the author of the resource, you should move it to the right place given above and adapt the reference pointing to it.\nb) If you are the author and want the file to stay where it is, you can modify its <Resource> tag so it wants to be where you put it. Consult the documentation on how to do that.\n
#********************************************
#********************************************
#
# Texture messages
#
#********************************************
#********************************************
# texture not found error message
texture_error_filenotfound The texture file \1 could not be loaded.\n
texture_error_filenotfound_title Texture not found.
#********************************************
#********************************************
#
# Sound messages
#
#********************************************
#********************************************
sound_error_no16bit Sorry. We need 16 bit stereo output (I'm too lazy to support other formats. Maybe if you ask really nice?).\n
sound_error_initfailed Sound initialisation failed.\n
sound_firstinit Trying to start sound. Just restart \g in case of crash.\n
sound_inited Sound initialised: 16 bit stereo at \1 Hz, buffer size \2 samples.\n
sound_disabling Disabling sound...\n
sound_disabling_done Done!\n
sound_error_filenotfound Sound file \1 not found. Have you called \g from the right directory?
sound_error_unsupported Sound file \1 has unsupported format. Sorry!
#********************************************
#********************************************
#
# Configuration messages
#
#********************************************
#********************************************
config_include_not_found Configuration file "\1" to be included not found.\n
config_command_unknown Command \1 unknown.\n
config_command_other You probably want:\n
config_command_more There are more commands containing your search string that were left out to avoid flooding your terminal.\n
config_file_write_error Could not write configuratrion file!\n
config_value_changed \1 changed from \2 to \3.\n
config_error_read Input error reading \1: invalid format.\n
config_message_info \1 is currently set to \2.\n
nconfig_errror_protected No way. Only the server can change \1.\n
nconfig_error_unknown Got conf message for unknown setting \1.\n\nYOU PROBABLY SHOULD UPGRADE ARMAGETRON ADVANCED!!!\n
nconfig_error_nonet Got conf message for setting \1 which is not network aware.\n\nYOU PROBABLY SHOULD UPGRADE ARMAGETRON ADVANCED!!!\n
nconfig_error_ignoreold Ignoring old conf message for setting \1.\n
nconfig_value_changed \1 changed from \2 to \3 on server order.\n
#*************************************
#*************************************
#
# Login messages
#
#*************************************
#*************************************
#login texts
login_password_title Password
login_password_help Enter your Krawall-Password here. If you don't have one yet, get it at www.krawall.de (only available for players in Germany and neighbouring countries.). Pressing Enter here will log you in.
login_cancel Cancel Login
login_cancel_help This will abort the login procedure.
login_username Username
login_username_help Enter your Krawall-Username here. If you don't have one yet, get it at www.krawall.de (only available for players in Germany and neighbouring countries.)
login_storepw_text Store Passwords:
login_storepw_help Determines the password security policy.
login_storepw_dont_text Not at all
login_storepw_dont_help Paranoid: Throw the password away immediately after use.
login_storepw_mem_text In memory
login_storepw_mem_help Password will be remembered for this session of \g.
login_storepw_disk_text On disk
login_storepw_disk_help Lazy: store the password on the harddisk so you won't have to retype it ever again. Although the password is stored in encrypted form, this is pretty unsafe.
password_help Password setting
login_request_failed Login failed. Try again!
login_request_first Login required on this server.
login_request_namechange Name changed. Login required.
login_request_master Master server requires Login.
# items that should not be translated
include english_base_notranslate.txt
# Room for lost settings in translation files:
|