| 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
 | <?php
// h-source, a web software to build a community of people that want to share their hardware information.
// Copyright (C) 2010  Antonio Gallo (h-source-copyright.txt)
//
// This file is part of h-source
//
// h-source is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
// 
// h-source is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.
// 
// You should have received a copy of the GNU General Public License
// along with h-source.  If not, see <http://www.gnu.org/licenses/>.
if (!defined('EG')) die('Direct access not allowed!');
class Lang
{
	public static $allowed = array('en','es','fr','it','de','gr','pt');
	public static $current = 'en';
	
	public static $complete = array(
		'en'	=>	'gb.png,English',
		'es'	=>	'es.png,Español',
		'fr'	=>	'fr.png,Français',
		'it'	=>	'it.png,Italiano',
		'de'	=>	'de.png,Deutsch',
		'gr'	=>	'gr.png,Ελληνικά',
		'pt'	=>	'pt.png,Português',
	);
	//$pos=0: icon, $pos=1:lang name
	public static function getLangInfo($langCode,$pos)
	{
		if (array_key_exists($langCode,self::$complete))
		{
			$all = explode(',',self::$complete[$langCode]);
			return $all[$pos];
		}
		return $langCode;
	}
	public static function getLabel($langCode)
	{
		return self::getLangInfo($langCode,1);
	}
	public static function getIcon($langCode)
	{
		return self::getLangInfo($langCode,0);
	}
	public static $i18n = array(
		'it'	=>	array
			(
				/*0001*/"Search one device in the archive"	=>	"Cerca un dispositivo nell'archivio",
				/*0002*/"hardware type"		=>	"tipo di hardware",
				/*0003*/"the model name contains"	=>	"il nome del modello contiene",
				/*0004*/"List of issues"	=>	"Lista di questioni",
				/*0005*/"TITLE"				=>	"TITOLO",
				/*0006*/"TOPIC"				=>	"ARGOMENTO",
				/*0007*/"OPENED BY"			=>	"APERTO DA",
				/*0008*/"DATE"				=>	"DATA",
				/*0009*/"REPLIES"			=>	"MESSAGGI",
				/*0010*/"PRIORITY"			=>	"PRIORITÀ",
				/*0011*/"STATUS"			=>	"STATO",
				/*0012*/"You have to"		=>	"Devi eseguire il",
				/*0013*/"in order to submit an issue"	=>	"per poter aprire una nuova questione",
				/*0014*/"in order to add a message"	=> "per poter inviare un messaggio",
				/*0015*/"Description"		=>	"Descrizione",
				/*0016*/"Messages"			=>	"Messaggi",
				/*0017*/"this message has been deleted"	=>	"questo messaggio è stato cancellato",
				/*0018*/"in order to submit a message to this issue"	=>	"per aggiungere un messaggio a questa questione",
				/*0019*/"model name"		=>	"nome del modello",
				/*0020*/"model type"		=>	"tipo di device",
				/*0021*/"year of commercialization"	=>	"anno di commercializzazione",
				/*0022*/"Results of the search"		=>	"Risultati della ricerca",
				/*0023*/"page list"					=>	"pagine",
				/*0024*/"No devices found"			=>	"Non è stato trovato alcun device",
				/*0025*/"vendor"					=>	"marca",
				/*0026*/"compatibility"				=>	"compatibilità",
				/*0027*/"year"						=>	"anno",
				/*0028*/"subtype"					=>	"sottotipo",
				/*0029*/"sort by"					=>	"ordina per",
				/*0030*/"interface"					=>	"interfaccia",
				/*0031*/"does it work?"				=>	"funziona?",
				/*0032*/"preview of the message"	=>	"anteprima del messaggio",
				/*0033*/"preview of the new issue message"	=>	"anteprima del testo della questione",
				/*0034*/"Add a message to this issue"	=>	"Aggiungi un messaggio a questa questione",
				/*0035*/"Add a new issue"			=>	"Aggiungi una nuova questione",
				/*0036*/"MESSAGE"					=>	"MESSAGGIO",
				/*0037*/"there are no messages"		=>	"non ci sono messaggi",
				/*0038*/"No notebooks found"		=>	"Non è stato trovato alcun notebook",
				/*0039*/"subtype (notebook, netbook, tablet)"	=>	"sottotipo (notebook, netbook, tablet)",
				/*0040*/"compatibility with free software"	=>	"compatibilità con il software libero",
				/*0041*/"view the other specifications"	=>	"guarda le altre specifiche",
				/*0042*/"model"						=>	"modello",
				/*0043*/"model id"					=>	"id del modello",
				/*0044*/"tested on"					=>	"testato con",
				/*0045*/"tested with the following kernel libre"	=>	"testato con il seguente kernel libre",
				/*0046*/"video card model"			=>	"modello di scheda video",
				/*0047*/"wifi model"				=>	"modello di scheda wifi",
				/*0048*/"GNU/Linux distribution used for the test"	=>	"distribuzione GNU/Linux usata per il test",
				/*0049*/"does the video card work?"	=>	"funziona la scheda video?",
				/*0050*/"does the wifi card work?"	=>	"funziona la scheda wifi?",
				/*0051*/"Description: (write here all the useful information)"	=>	"Descrizione (scrivi sotto tutte le informazioni utili)",
				/*0052*/"discover all the wiki tags"	=>	"scopri tutti i tag della wiki",
				/*0053*/"Fields marked with <b>*</b> are mandatory"	=>	"I campi marcati con <b>*</b> sono obbligatori",
				/*0054*/"No printers found"			=>	"Non è stata trovata alcuna stampante",
				/*0055*/"interface"					=>	"interfaccia",
				/*0056*/"VendorID:ProductID code of the device" => "codice VendorID:ProductID del prodotto",
				/*0057*/"free driver used"			=>	"driver liberi usati",
				/*0058*/"set not-specified if not sure"	=>	"seleziona not-specified se non sei sicuro/a",
				/*0059*/"see the help page or leave blank if you are not sure"	=>	"guarda nella pagina di help o lascia vuoto se non sei sicuro/a",
				/*0060*/"No scanners found"			=>	"Non sono è stato trovato alcuno scanner",
				/*0061*/"No video cards found"		=>	"Non è stata trovata alcuna scheda grafica",
				/*0062*/"how does it work with free software?"	=>	"come funziona con il software libero?",
				/*0063*/"No wifi cards found"		=>	"Non è stata trovata alcuna scheda wifi",
				/*0064*/"does it work with free software?"	=>	"funziona con il software libero?",
				/*0065*/"differences in the entry"		=>	"differenze nel campo",
				/*0066*/"No 3G cards found"			=>	"Non è stata trovata alcuna scheda 3G",
				/*0067*/"Please specify in the below description entry the Internet Service Provider (ISP) and the country where the service is provided"	=>	"Per favore specifica nel sottostante campo descrizione l'Internet Service Provider (ISP) e il Paese dove il servizio viene fornito",
				/*0068*/"webcam model"	=>	"modello di webcam",
				/*0069*/"does it have a free BIOS?"	=>	"ha il BIOS libero?",
				/*0070*/"does the webcam work?"	=>	"funziona la webcam?",
				/*0071*/"Current revision"	=>	"Revisione corrente",
				/*0072*/"Hello"	=>	"Ciao",
				/*0073*/"Your"	=>	"il ",
				/*0074*/"control panel"	=>	"pannello di controllo",
				/*0075*/"create new account"	=>	"crea un account",
				/*0076*/"request new password"	=> "richiedi nuova password",
				/*0077*/"website statistics"	=>	"statistiche del sito",
				/*0078*/"hardware in the database"	=>	"hardware nel database",
				/*0079*/"users logged"	=>	"utenti loggati",
				/*0080*/"Watch your public profile"	=>	"Guarda il tuo profilo pubblico",
				/*0081*/"Edit your profile"	=>	"Modifica il tuo profilo",
				/*0082*/"Change your e-mail address"	=>	"Cambia il tuo indirizzo e-mail",
				/*0083*/"Change your password"	=>	"Cambia la tua password",
				/*0084*/"Delete your account"	=>	"Chiudi il tuo account",
				/*0085*/"choose the username"	=>	"scegli lo username",
				/*0086*/"characters allowed"	=>	"caratteri ammessi",
				/*0087*/"your e-mail address"	=>	"il tuo indirizzo e-mail",
				/*0088*/"necessary to confirm the registration"	=>	"necessario per confermare la registrazione",
				/*0089*/"choose the password"	=>	"scegli la password",
				/*0090*/"confirm the password"	=>	"conferma la password",
				/*0091*/"write the code above"	=>	"scrivi il codice mostrato sopra",
				/*0092*/"write your username"	=>	"scrivi il tuo username",
				/*0093*/"Actions carried out by moderators"	=>	"Azioni compiute dai moderatori",
				/*0094*/"meet"	=>	"conosci",
				/*0095*/"Public profile of"	=>	"Profilo pubblico di",
				/*0096*/"See all the contributions of"	=>	"Guarda tutti i contributi di ",
				/*0097*/"My website"	=>	"Il mio sito personale",
				/*0098*/"My real name"	=>	"Il mio vero nome",
				/*0099*/"My e-mail address"	=>	"Il mio indirizzo e-mail",
				/*0100*/"I'm from"	=>	"Vengo da",
				/*0101*/"Birthdate"	=>	"Sono nato il",
				/*0102*/"My favourite distribution"	=>	"La mia distribuzione favorita",
				/*0103*/"Free software projects I'm working on"	=>	"Progetti di software libero con i quali collaboro",
				/*0104*/"My description"	=>	"La mia descrizione",
				/*0105*/"contributions"	=>	"contributi",
				/*0106*/"contributions of"	=>	"contributi di",
				/*0107*/"No sound cards found"	=>	"Non è stata trovata alcuna scheda audio",
				/*0108*/"LAST UPDATE"	=>	"ULTIMA MODIFICA",
				/*0109*/"search by"	=>	"cerca per",
				/*0110*/"analyze the output of the lspci command"	=>	"analizza l'output del comando lscpi",
				/*0111*/"paste the output of the lspci command"	=>	"incolla l'output del comand lspci",
				/*0112*/"works, but without 3D acceleration"	=>	"funziona, ma senza accelerazione 3D",
				/*0113*/"the text submitted by you does not seem to be the lspci -vmmnn output. Please check the text and try again"	=>	"il testo che hai inviato non sembra l'output del comando lspci -vmmnn. Per favore ricontrolla il testo e riprova",
				/*0114*/"Search form"	=>	"Form della ricerca",
				/*0115*/"write here the output of lspci -vmmnn"	=>	"scrivi qui l'output del comando lspci -vmmnn",
				/*0116*/"The following devices has been found in the database"	=>	"I seguenti device sono stati trovati nel database",
				/*0117*/"yes"	=>	"sì",
				/*0118*/"no"	=>	"no",
				/*0119*/"The following devices has not been found in the database"	=>	"I seguenti device non sono stati trovati nel database",
				/*0120*/"can you please insert them?"	=>	"puoi gentilmente inserirli?",
				/*0121*/"No webcams found"	=>	"Non è stata trovata alcuna webcam",
				/*0122*/"Download the xml file of all the database"	=>	"Scarica il file xml di tutto il database",
				/*0123*/"Download the xml file of all the <b>notebooks</b> in the database"	=>	"Scarica il file xml di tutti i <b>notebook</b> presenti nel database",
				/*0124*/"Download the xml file of all the <b>wifi cards</b> in the database"	=>	"Scarica il file xml di tutte le <b>schede wifi</b> presenti nel database",
				/*0125*/"Download the xml file of all the <b>video cards</b> in the database"	=>	"Scarica il file xml di tutte le <b>schede video</b> presenti nel database",
				/*0126*/"Download the xml file of all the <b>printers</b> in the database"	=>	"Scarica il file xml di tutte le <b>stampanti</b> presenti nel database",
				/*0127*/"Download the xml file of all the <b>3G cards</b> in the database"	=>	"Scarica il file xml di tutte le <b>schede 3G</b> presenti nel database",
				/*0128*/"Download the xml file of all the <b>sound cards</b> in the database"	=>	"Scarica il file xml di tutte le <b>schede audio</b> presenti nel database",
				/*0129*/"Download the xml file of all the <b>webcams</b> in the database"	=>	"Scarica il file xml di tutte le <b>webcam</b> presenti nel database",
				/*0130*/"You can download all the h-node database in one unique xml file in order to parse its contents by means of some proper script (for example a Python or Perl or PHP script)"	=>	"Puoi scaricare l'intero database di h-node in un unico file xml per analizzarne i contenuti utilizzando uno script appropriato (ad esempio uno script Python o Perl o PHP)",
				/*0131*/"Download the h-node hardware database in xml format"	=>	"Scarica il database dell'hardware di h-node in formato xml",
				/*0132*/"Database modifications"	=>	"Modifiche al database",
				/*0133*/"List of the database modifications carried out by users"	=>	"Lista delle modifiche apportate al database dagli utenti",
				/*0134*/"the model"	=>	"il modello",
				/*0135*/"has been inserted by" =>	"è stato inserito da",
				/*0136*/"has been updated by" =>	"è stato modificato da",
				/*0137*/"at"	=>	"alle ore",
				/*0138*/"last modifications"	=>	"ultime modifiche",
				/*0139*/"watch all modifications"	=>	"guarda tutte le modifiche",
				/*0140*/"the title"	=>	"il titolo",
				/*0141*/"the text of the wiki page"	=>	"il testo della pagina",
				/*0142*/"the wiki page has not been found"	=>	"la pagina della wiki non è stata trovata",
				/*0143*/"Page not-found"	=>	"Pagina non trovata",
				/*0144*/"Insert"	=>	"Inserisci",
				/*0145*/"Update"	=>	"Modifica",
				/*0146*/"History"	=>	"History",
				/*0147*/"Revision"	=>	"Revisione",
				/*0148*/"Differences"	=>	"Differenze",
				/*0149*/"Insert a new wiki page"	=>	"Inserisci una nuova pagina nella wiki",
				/*0150*/"Edit the wiki page"	=>	"Modifica la pagina della wiki",
				/*0151*/"Make current"	=>	"Rendi revisione corrente",
				/*0152*/"I want to make this revision the current revision"	=>	"Voglio che questa revisione diventi quella corrente",
				/*0153*/"Confirm"	=>	"Conferma",
				/*0154*/"Make this revision the current revision of the page"	=>	"Rendi questa revisione la revisione corrente della pagina",
				/*0155*/"This wiki page has been deleted"	=>	"Questa pagina della wiki è stata cancellata",
				/*0156*/"Talk"	=>	"Discussione",
				/*0157*/"Talk page of the wiki page"	=>	"Pagina di discussione della pagina della wiki",
				/*0158*/"a page with the same title already exists"	=>	"esiste già una pagina con questo titolo",
				/*0159*/"title is too long"	=>	"il titolo è troppo lungo",
				/*0160*/"the page text is too long"	=>	"il testo della pagina è troppo lungo",
				/*0161*/"History of the wiki page"	=>	"History della pagina della wiki",
				/*0162*/"Would you like to insert it?"	=>	"Vuoi inserirla?",
				/*0163*/"Wiki modifications"	=>	"Modifiche alla Wiki",
				/*0164*/"List of the wiki modifications carried out by users"	=>	"Lista delle modifiche apportate alla Wiki dagli utenti",
				/*0165*/"list of pages"	=>	"lista delle pagine",
				/*0166*/"List of wiki pages"	=>	"Lista delle pagine della wiki",
				/*0167*/"This wiki page has been blocked"	=>	"Questa pagina della wiki è stata bloccata",
				/*0168*/"unblock the wiki page"	=>	"sblocca la pagina",
				/*0169*/"block the wiki page"	=>	"blocca la pagina",
				/*0170*/"show the wiki page"	=>	"mostra la pagina della wiki",
				/*0171*/"hide the wiki page"	=>	"nascondi la pagina della wiki",
				/*0172*/"list of deleted pages"	=>	"lista delle pagine cancellate",
				/*0173*/"restore the wiki page"	=>	"ripristina la pagina",
				/*0174*/"delete the wiki page"	=>	"cancella la pagina",
				/*0175*/"list of blocked pages"	=>	"lista delle pagine bloccate",
				/*0176*/"special pages"	=>	"pagine speciali",
				/*0177*/"Actions carried out by administrators"	=>	"Azioni compiute dagli amministratori",
				/*0178*/"No bluetooth devices found"	=>	"Non è stato trovato alcun dispositivo bluetooth",
				/*0179*/"learn how to find it" =>	"scopri come individuarlo",
				/*0180*/"Download the xml file of all the <b>bluetooth devices</b> in the database" => "Scarica il file xml di tutti i <b>dispositivi bluetooth</b> presenti nel database",
				/*0181*/"License information"	=>	"Informazioni sulla licenza",
				/*0182*/"No acquisition card found"	=>	"Non è stata trovata alcuna scheda d'acquisizione",
				/*0183*/"No fingerprint readers found"	=>	"Non è stato trovato alcun lettore di impronte digitali",
				/*0184*/"Download the xml file of all the <b>acquisition cards</b> in the database"	=>	"Scarica il file xml di tutte le <b>schede di acquisizione</b> presenti nel database",
				/*0185*/"Download the xml file of all the <b>fingerprint readers</b> in the database"	=>	"Scarica il file xml di tutti i <b>lettori di impronte digitali</b> presenti nel database",
				/*0186*/"architecture"	=>	"architettura",
				/*0187*/"Add here the device name as written on the device itself or on the device box. Add it only if it is different from the <i>model name</i> already inserted inside the above entry. Add the new name in such a way that there is one name per row."	=>	"Aggiungi qui il nome del dispositivo così com'è scritto sul dispositivo stesso o sulla confezione. Aggiungi tale nome solo se è diverso dal <i>nome del modello</i> già inserito nel campo precedente. Aggiungi il nuovo nome in modo che ci sia un nome per riga.",
				/*0188*/"Write here the model name obtained by the lspci or lsusb command."	=>	"Scrivi qui il nome del modello ottenuto dal comando lspci o dal comando lsusb.",
				/*0189*/"This is the name of the chipset of your device."	=>	"Questo è il nome del chipset del tuo dispositivo.",
				/*0190*/"possible other names of the device"	=>	"eventuali altri nomi del dispositivo",
				/*0191*/"Description entry preview"	=>	"Anteprima del campo descrizione",
				/*0192*/"Page preview"	=>	"Anteprima della pagina",
				/*0193*/"This device page has been hidden"	=>	"La pagina di questo dispositivo è stata nascosta",
				/*0194*/"restore the device page"	=>	"ripristina la pagina",
				/*0195*/"hide the device page"	=>	"nascondi la pagina",
				/*0196*/"Download the xml file of all the <b>scanners</b> in the database" =>	"Scarica il file xml di tutti gli <b>scanner</b> presenti nel database",
				/*0197*/"Special pages for administrators"	=>	"Pagine speciali per gli amministratori",
				/*0198*/"Special pages for moderators"	=>	"Pagine speciali per i moderatori",
				/*0199*/"see the page"	=>	"guarda la pagina",
				/*0200*/"hidden device pages"	=>	"pagine nascoste di dispositivi",
				/*0201*/"panel"	=>	"pannello",
				/*0202*/"List of hidden device pages"	=>	"Lista di pagine nascoste di dispositivi",
				/*0203*/"approve the device page"	=>	"approva la pagina del dispositivo",
				/*0204*/"This device page has not been approved yet"	=>	"La pagina del dispositivo non è ancora stata approvata",
				/*0205*/"Device pages that have to be approved"	=>	"Pagine di dispositivi da approvare",
				/*0206*/"The device page has to be approved by an administrator of the website"	=>	"La pagina del dispositivo deve essere approvata da un amministratore del sito",
				/*0207*/"permanently delete the device page"	=>	"cancella definitivamente la pagina",
				/*0208*/"This page has been permanently deleted by an administrator of the website"	=>	"Questa pagina è stata definitivamente cancellata da un amministratore del sito",
				/*0209*/"No ethernet devices found"	=>	"Non è stata trovata alcuna scheda ethernet",
				/*0210*/"free BIOS"	=>	"BIOS libero?",
				/*0211*/"You are not a registered user or you have not logged in. Your contribution won't be published until an administrator approves it. If you want your contributions to be automatically published please log in or create an account."	=>	"Noi sei un utente registrato oppure non hai eseguito il login. Il tuo contributo non verrà pubblicato finché un amministratore non l'avrà approvato. Se desideri che il tuo contributo sia automaticamente pubblicato per favore esegui il login oppure crea un account.",
				/*0212*/"has been inserted by an anonymous user, it has to be approved by an administrator in order to be published"	=>	"è stato inserito da un utente anonimo, deve essere approvato da un amministratore per essere pubblicato",
				/*0213*/"you can also subscribe to the feed in order to receive the new modifications that need a moderation"	=>	"puoi anche iscriverti al feed per ricevere le nuove modifiche che richiedono una moderazione",
				/*0214*/"you need javascript enabled in order to correctly use the language's tabs (see below)"	=>	"deve abilitare Javascript per usare correttamente le schede della lingua (vedi sotto)",
				/*0215*/"yes"	=>	"sì",
				/*0216*/"works with 3D acceleration"	=>	"funziona con accelerazione 3D",
				/*0217*/"works, but without 3D acceleration"	=>	"funziona, ma senza accelerazione 3D",
				/*0218*/"it does not work"	=>	"non funziona",
				/*0219*/"Notebooks, netbooks, tablet PC"	=>	"Notebooks, netbooks, tablet PC",
				/*0220*/"Wifi cards"	=>	"Schede wifi",
				/*0221*/"Video cards"	=>	"Schede video",
				/*0222*/"Printers and multifunction"	=>	"Stampanti e multifunzione",
				/*0223*/"Scanners"	=>	"Scanner",
				/*0224*/"3G cards"	=>	"Schede 3G",
				/*0225*/"Sound cards"	=>	"Schede audio",
				/*0226*/"Webcams"	=>	"Webcam",
				/*0227*/"Bluetooth devices"	=>	"Dispositivi bluetooth",
				/*0228*/"TV/Video/FM acquisition cards"	=>	"Schede di acquisizione TV/Video/FM",
				/*0229*/"Fingerprint readers"	=>	"Lettori di impronte digitali",
				/*0230*/"Ethernet cards"	=>	"Schede ethernet",
				/*0231*/"Hardware"	=>	"Hardware",
				/*0232*/"Issues"	=>	"Questioni",
				/*0233*/"Search"	=>	"Cerca",
				/*0234*/"News"	=>	"Notizie",
				/*0235*/"Download"	=>	"Scarica",
				/*0236*/"Help"	=>	"Aiuto",
				/*0237*/"List of"	=>	"Lista di",
				/*0238*/"talk messages"	=>	"messaggi",
				/*0239*/"History"	=>	"Revisioni",
				/*0240*/"Revision"	=>	"Revisione",
				/*0241*/"This is an old revision of this page, as edited by"	=>	"Questa è una vecchia revisione della pagina, così come è stata modificata da",
				/*0242*/"It may differ significantly from the"	=>	"Può differire significativamente dalla",
				/*0243*/"Differences between the revision of"	=>	"Differenze tra la revisione del",
				/*0244*/"created by"	=>	"creata da",
				/*0245*/"and the revision of"	=>	"e la revisione del",
				/*0246*/"<b>Notice</b>: the text in <del>red</del> has been deleted from the previous revision, the text in <ins>green</ins> has been added in this revision and the text in <span class='gray_text_notice'>gray</span> has not been changed."	=>	"<b>Nota</b>: il testo in <del>rosso</del> è stato cancellato dalla revisione precedente, il testo in <ins>verde</ins> è stato aggiunto in questa revisione e il testo in <span class='gray_text_notice'>grigio</span> non è stato cambiato",
				/*0247*/"Insert"	=>	"Inserisci",
				/*0248*/"Edit"	=>	"Modifica",
				/*0249*/"Talk page"	=>	"Pagina di discussione",
				/*0250*/"Download the xml file of all the <b>ethernet cards</b> in the database"	=>	"Scarica il file xml di tutte le <b>schede ethernet</b> presenti nel database",
				/*0251*/"No SD card readers found"	=>	"Non è stato trovato alcun lettore di schede SD",
				/*0252*/"SD card readers"	=>	"Lettori di schede SD",
				/*0253*/"Download the xml file of all the <b>SD card readers</b> in the database"	=>	"Scarica il file xml di tutti i <b>lettori di schede SD</b> presenti nel database",
				/*0254*/"There are no devices in the database with the vendorid:productid code specified by you."	=>	"Non ci sono dispositivi nel database con il codice vendorid:productid da te specificato",
				/*0255*/"Would you like to add it to the database?"	=>	"Vorresti inserirlo nel database?",
				/*0256*/"can free operating systems be installed?"	=>	"possono essere installati sistemi operativi liberi?",
				/*0257*/"This issue has been deleted"	=>	"Questa questione è stata cancellata",
				/*0258*/"hidden for those who are not moderators"	=>	"Nascosto per coloro che non sono moderatori",
				/*0259*/"This issue is hidden for all the users that are not moderators"	=>	"Questa questione è nascosta per tutti gli utenti non moderatori",
				/*0260*/"hide the issue"	=>	"nascondi la questione",
				/*0261*/"show the issue"	=>	"mostra la questione",
				/*0262*/"open the issue again"	=>	"apri nuovamente la questione",
				/*0263*/"close the issue"	=>	"chiudi la questione",
				/*0264*/"This issue is closed"	=>	"Questa questione è stata chiusa",
				/*0265*/"This issue is opened"	=>	"Questa questione è aperta",
				/*0266*/"does it adopt any techniques to track users?"	=>	"adotta qualche tecnica per tracciare gli utenti?",
				/*0267*/"Actions carried out by users"	=>	"Azioni compiute dagli utenti",
				/*0268*/"No modems found"	=>	"Non è stato trovato alcun modem",
				/*0269*/"Download the xml file of all the <b>modems</b> in the database"	=>	"Scarica il file xml di tutti i <b>modem</b> presenti nel database",
				/*0270*/"Modems and ADSL cards"	=>	"Modem e schede ADSL",
				/*0271*/"Table of contents"	=>	"Indice dei contenuti",
				/*0272*/"by"	=>	"creato da",
				/*0273*/"Add a message"	=>	"Aggiungi un messaggio",
				/*0274*/"Save"	=>	"Salva",
				/*0275*/"Revision of the wiki page"	=>	"Revisione della pagina della wiki",
				/*0276*/"Preview"	=>	"Anteprima",
				/*0277*/"January"	=>	"gennaio",
				/*0278*/"February"	=>	"febbraio",
				/*0279*/"March"	=>	"marzo",
				/*0280*/"April"	=>	"aprile",
				/*0281*/"May"	=>	"maggio",
				/*0282*/"June"	=>	"giugno",
				/*0283*/"July"	=>	"luglio",
				/*0284*/"August"	=>	"agosto",
				/*0285*/"September"	=>	"settembre",
				/*0286*/"October"	=>	"ottobre",
				/*0287*/"November"	=>	"novembre",
				/*0288*/"December"	=>	"dicembre",
				/*0289*/"not-specified"	=>	"non specificato",
				/*0290*/"last-inserted"	=>	"ultimo inserito",
				/*0291*/"last inserted"	=>	"ultimo inserito",
				/*0292*/"alphabetically"	=>	"alfabeticamente",
				/*0293*/"alphabetically-desc"	=>	"alfabeticamente decresc",
				/*0294*/"alphabetically desc"	=>	"alfabeticamente decresc",
				/*0295*/"undef"	=>	"tutti",
				/*0296*/"All"	=>	"Tutti",
				/*0297*/"inkjet"	=>	"getto d'inchiostro",
				/*0298*/"A-Full" 			=>	"A-Piena",
				/*0299*/"B-Partial"			=>	"B-Parziale",
				/*0300*/"C-None"			=>	"C-Nessuna",
				/*0301*/"A-platinum" 		=>	"A-platino",
				/*0302*/"B-gold"			=>	"B-oro",
				/*0303*/"C-silver"			=>	"C-argento",
				/*0304*/"D-bronze"			=>	"D-bronzo",
				/*0305*/"E-garbage"			=>	"E-spazzatura",
				/*0306*/"not specified how it works"	=>	"non è stato specificato come funziona",
				/*0307*/"there is no wifi card"	=>	"la scheda wifi non è presente",
				/*0308*/"there is no webcam"	=>	"la webcam non è presente",
				/*0309*/"it works"	=>	"funziona",
				/*0310*/"does_not_work"	=>	"non funziona",
				/*0311*/"works_without_3D"	=>	"funziona senza 3D",
				/*0312*/"works_with_3D"	=>	"funziona con 3D",
				/*0313*/"list of languages"	=>	"elenco delle lingue",
				/*0314*/"Choose the language"	=>	"Scegli la lingua",
				/*0315*/"back"	=>	"indietro",
				/*0316*/"next"	=>	"successivi",
				/*0317*/"previous"	=>	"precedenti",
				/*0318*/"type"	=>	"tipo",
				/*0319*/"contact us"	=>	"contattaci",
				/*0320*/"credits"	=>	"crediti",
				/*0321*/"desktop version"	=>	"versione desktop",
				/*0322*/"RAID adapters"	=>	"Adattatori RAID",
				/*0323*/"No RAID adapter found"	=>	"Nessun adattatore RAID è stato trovato",
				/*0324*/"Download the xml file of all the <b>RAID adapters</b> in the database"	=>	"Scarica il file xml di tutti gli <b>adattatori RAID</b> presenti nel database",
				/*0325*/"No PCMCIA Controller found"	=>	"Nessun controller PCMCIA è stato trovato",
				/*0326*/"PCMCIA Controllers"	=>	"Controller PCMCIA",
				/*0327*/"Download the xml file of all the <b>PCMCIA Controllers</b> in the database"	=>	"Scarica il file xml di tutti i <b>Controller PCMCIA</b> presenti nel database",
				/*0328*/"notebook"	=>	"notebook",
				/*0329*/"netbook"	=>	"netbook",
				/*0330*/"motherboard"	=>	"scheda madre",
				/*0331*/"tablet"	=>	"tablet",
				/*0332*/"netbooks"	=>	"netbook",
				/*0333*/"Notebooks"	=>	"Notebook",
				/*0334*/"tablet PC"	=>	"PC tablet",
				/*0335*/"motherboards"	=>	"schede madri",
				/*0336*/"Write a comma-separated list of kernel versions"	=>	"Scrivi una lista di kernel separati da virgole",
				/*0337*/"Example"	=>	"Esempio",
				/*0338*/"free boot firmware?"	=>	"firmware per boot libero?",
				/*0339*/"can be installed"	=>	"può essere installato",
				/*0340*/"does it have a free boot firmware (BIOS,UEFI,...) ?"	=>	"ha un firmware per il boot (BIOS, UEFI,..) libero?",
				/*0341*/"Hello,\n\nyou have registered an account at"=>"Ciao,\n\nhai richiesto l'attivazione di un account al sito",
				/*0342*/"with the following data:\nusername: " => "con i seguenti dati:\nusername: ",
				/*0343*/"in order to confirm the registration of the new account please follow the link below"	=>	"per confermare la registrazione per favore segui il link sottostante",
				/*0344*/"If you don't want to confirm the account registration\nthen wait one hour and your username and e-mail will be deleted from the database"	=>	"Se non vuoi confermare la registrazione dell'account\naspetta un ora e il tuo username e la tua e-mail verranno cancellati dal nostro database",
				/*0345*/"If you received this e-mail for error, please simply disregard this message"	=>	"Se hai ricevuto questa e-mail per errore, per favore cancellala",
				/*0346*/"account registration"	=>	"registrazione account",
				/*0347*/"Host Controllers"	=>	"Host Controller",
				/*0348*/"No Host Controller found"	=>	"Non è stato trovato alcun host controller",
				/*0349*/"Download the xml file of all the <b>Host Controllers</b> in the database"	=>	"Scarica il file xml di tutti gli <b>Host Controller</b> presenti nel database",
				/*0350*/"PCMCIA Controller" => "Controller PCMCIA",
				/*0351*/"USB Controller" 	=> "Controller USB",
				/*0352*/"Firewire Controller" => "Controller Firewire",
				/*0353*/"HECI Controller" => "Controller HECI",
				/*0354*/"device type"	=>	"tipo di dispositivo",
				/*0355*/"Thanks for your contribution!"	=>	"Grazie per il tuo contributo!",
				/*0356*/"does the device prevent installing wifi cards not-approved by the vendor?"	=> "il dispositivo impedisce l'installazione di schede wifi non approvate dal rivenditore/distributore?",
				/*0357*/"see the details inside the description entry"	=>	"guarda i dettagli all'interno del campo descrizione",
				/*0358*/"Thanks for helping the h-node project and the free software movement!"	=>	"Grazie per aver aiutato il progetto h-node e il movimento del software libero!",
				/*0359*/"You have just inserted a new notebook into the database. Can you please insert its devices separately too? Thanks!"	=>	"Hai appena inserito un nuovo portatile. Potresti gentilmente inserire separatamente anche i suoi dispositivi?",
				/*0360*/"insert"	=>	"inserisci",
				/*0361*/"List of allowed fully free distributions"	=>	"Lista delle distribuzioni completamente libere ammesse",
				/*0362*/"Insert a new distro"	=>	"Inserisci una nuova distribuzione",
				/*0363*/"DISTRO-CODE"	=>	"CODICE DISTRIBUZIONE",
			),
		'es'	=>	array
			(
				/*0001*/"Search one device in the archive"	=>	"Busque un dispositivo en el archivo",
				/*0002*/"hardware type"		=>	"tipo de hardware",
				/*0003*/"the model name contains"	=>	"el nombre del modelo contiene",
				/*0004*/"List of issues"	=>	"Lista de incidencias",
				/*0005*/"TITLE"				=>	"TITULO",
				/*0006*/"TOPIC"				=>	"ARGUMENTO",
				/*0007*/"OPENED BY"			=>	"ABIERTO POR",
				/*0008*/"DATE"				=>	"FECHA",
				/*0009*/"REPLIES"			=>	"RESPUESTAS",
				/*0010*/"PRIORITY"			=>	"PRIORIDAD",
				/*0011*/"STATUS"			=>	"ESTADO",
				/*0012*/"You have to"		=>	"Tiene que",
				/*0013*/"in order to submit an issue"	=>	"para poder agregar una incidencia",
				/*0014*/"in order to add a message"	=> "para poder agregar un mensaje",
				/*0015*/"Description"		=>	"Descripción",
				/*0016*/"Messages"			=>	"Mensajes",
				/*0017*/"this message has been deleted"	=>	"este mensaje ha sido borrado",
				/*0018*/"in order to submit a message to this issue"	=>	"para poder agregar un mensaje a esta incidencia",
				/*0019*/"model name"		=>	"nombre del modelo",
				/*0020*/"model type"		=>	"tipo de modelo",
				/*0021*/"year of commercialization"	=>	"año de comercialización",
				/*0022*/"Results of the search"		=>	"Resultado de la búsqueda",
				/*0023*/"page list"					=>	"página",
				/*0024*/"No devices found"			=>	"No se encontró ningún dispositivo",
				/*0025*/"vendor"					=>	"fabricante", 
				/*0026*/"compatibility"				=>	"compatibilidad",
				/*0027*/"year"						=>	"año",
				/*0028*/"subtype"					=>	"subtipo",
				/*0029*/"sort by"					=>	"ordenar por",
				/*0030*/"interface"					=>	"interfaz",
				/*0031*/"does it work?"				=>	"¿funciona?",
				/*0032*/"preview of the message"	=>	"vista previa del mensaje",
				/*0033*/"preview of the new issue message"	=>	"vista previa del mensaje de la incidencia",
				/*0034*/"Add a message to this issue"	=>	"Agregue un mensaje a esta incidencia",
				/*0035*/"Add a new issue"			=>	"Agregue una nueva incidencia",
				/*0036*/"MESSAGE"					=>	"MENSAJE",
				/*0037*/"there are no messages"		=>	"no hay mensajes",
				/*0038*/"No notebooks found"		=>	"No se encontró ningún computador portátil",
				/*0039*/"subtype (notebook, netbook, tablet)"	=>	"subtipo (portátil, subportátil, tablet)",
				/*0040*/"compatibility with free software"	=>	"compatibilidad con software libre",
				/*0041*/"view the other specifications"	=>	"ver otras especificaciones",
				/*0042*/"model"						=>	"modelo",
				/*0043*/"model id"					=>	"id del modelo",
				/*0044*/"tested on"					=>	"probado con",
				/*0045*/"tested with the following kernel libre"	=>	"probado con el siguiente kernel libre",
				/*0046*/"video card model"			=>	"modelo de tarjeta de video",
				/*0047*/"wifi model"				=>	"modelo de tarjeta de red inalámbrica",
				/*0048*/"GNU/Linux distribution used for the test"	=>	"distribución GNU/Linux usada para la prueba",
				/*0049*/"does the video card work?"	=>	"¿funciona la tarjeta de video?",
				/*0050*/"does the wifi card work?"	=>	"¿funciona la tarjeta de red inalámbrica?",
				/*0051*/"Description: (write here all the useful information)"	=>	"Descripción (escriba aquí toda la información útil)",
				/*0052*/"discover all the wiki tags"	=>	"mostrar todas las etiquetas del wiki",
				/*0053*/"Fields marked with <b>*</b> are mandatory"	=>	"Campos marcados con <b>*</b> son obligatorios",
				/*0054*/"No printers found"			=>	"No se encontró ninguna impresora",
				/*0055*/"interface"					=>	"interfaz",
				/*0056*/"VendorID:ProductID code of the device" => "código VendorID:ProductID del dispositivo",
				/*0057*/"free driver used"			=>	"driver libre usado",
				/*0058*/"set not-specified if not sure"	=>	"seleccione not-specified si no esta seguro/a",
				/*0059*/"see the help page or leave blank if you are not sure"	=>	"vea la página de ayuda o deje vacío si no esta seguro/a",
				/*0060*/"No scanners found"			=>	"No se encontró ningún escáner",
				/*0061*/"No video cards found"		=>	"No se encontró ninguna tarjeta de video",
				/*0062*/"how does it work with free software?"	=>	"¿como funciona con software libre?",
				/*0063*/"No wifi cards found"		=>	"No se encontró ninguna tarjeta de red inalámbrica",
				/*0064*/"does it work with free software?"	=>	"¿funciona con software libre?",
				/*0065*/"differences in the entry"		=>	"diferencias en el campo",
				/*0066*/"No 3G cards found"			=>	"No se encontró ninguna tarjeta 3G",
				/*0067*/"Please specify in the below description entry the Internet Service Provider (ISP) and the country where the service is provided"	=>	"Por favor especifique en el campo de descripción inferior el Proveedor de Internet (ISP) y el país donde se provee el servicio",
				/*0068*/"webcam model"	=>	"modelo de cámara web",
				/*0069*/"does it have a free BIOS?"	=>	"¿tiene BIOS libre?",
				/*0070*/"does the webcam work?"	=>	"¿funciona la cámara web?",
				/*0071*/"Current revision"	=>	"Revisión actual",
				/*0072*/"Hello"	=>	"Hola",
				/*0073*/"Your"	=>	"Su",
				/*0074*/"control panel"	=>	"panel de control",
				/*0075*/"create new account"	=>	"crear una cuenta",
				/*0076*/"request new password"	=> "solicitar nueva contraseña",
				/*0077*/"website statistics"	=>	"estadísticas del sito",
				/*0078*/"hardware in the database"	=>	"hardware en la base de datos",
				/*0079*/"users logged"	=>	"usuarios en línea",
				/*0080*/"Watch your public profile"	=>	"Ver su perfil público",
				/*0081*/"Edit your profile"	=>	"Editar su perfil",
				/*0082*/"Change your e-mail address"	=>	"Cambiar su dirección de correo electrónico",
				/*0083*/"Change your password"	=>	"Cambiar su contraseña",
				/*0084*/"Delete your account"	=>	"Borrar su cuenta",
				/*0085*/"choose the username"	=>	"elija su nombre de usuario",
				/*0086*/"characters allowed"	=>	"caracteres permitidos",
				/*0087*/"your e-mail address"	=>	"su dirección de correo electrónico",
				/*0088*/"necessary to confirm the registration"	=>	"necesario para confirmar el registro",
				/*0089*/"choose the password"	=>	"elija la contraseña",
				/*0090*/"confirm the password"	=>	"confirme la contraseña",
				/*0091*/"write the code above"	=>	"escriba el código mostrado en la parte superior",
				/*0092*/"write your username"	=>	"escriba su nombre de usuario",
				/*0093*/"Actions carried out by moderators"	=>	"Acciones efectuadas por los moderadores",
				/*0094*/"meet"	=>	"conoce a",
				/*0095*/"Public profile of"	=>	"Perfil público de",
				/*0096*/"See all the contributions of"	=>	"Ver todas las contribuciones de",
				/*0097*/"My website"	=>	"Mi sitio web",
				/*0098*/"My real name"	=>	"Mi nombre real",
				/*0099*/"My e-mail address"	=>	"Mi dirección de correo electrónico",
				/*0100*/"I'm from"	=>	"Soy de",
				/*0101*/"Birthdate"	=>	"Fecha de nacimiento",
				/*0102*/"My favourite distribution"	=>	"Mi distribución favorita",
				/*0103*/"Free software projects I'm working on"	=>	"Proyectos de Software Libre en los que colaboro",
				/*0104*/"My description"	=>	"Mi descripción",
				/*0105*/"contributions"	=>	"contribuciones",
				/*0106*/"contributions of"	=>	"contribuciones de",
				/*0107*/"No sound cards found"	=>	"No se encontró ninguna tarjeta de audio",
				/*0108*/"LAST UPDATE"	=>	"ÚLTIMA MODIFICACIÓN",
				/*0109*/"search by"	=>	"buscar por",
				/*0110*/"analyze the output of the lspci command"	=>	"analice la salida de la orden lscpi",
				/*0111*/"paste the output of the lspci command"	=>	"pegue la salida de la orden lspci",
				/*0112*/"works, but without 3D acceleration"	=>	"funciona, pero sin aceleración 3D",
				/*0113*/"the text submitted by you does not seem to be the lspci -vmmnn output. Please check the text and try again"	=>	"el texto insertado no parece ser la salida de la orden lspci -vmmnn. Por favor revise el texto e intente nuevamente",
				/*0114*/"Search form"	=>	"Formulario de búsqueda",
				/*0115*/"write here the output of lspci -vmmnn"	=>	"escriba aquí la salida de la orden lspci -vmmnn",
				/*0116*/"The following devices has been found in the database"	=>	"Los siguientes dispositivos han sido encontrados en la base de datos",
				/*0117*/"yes"	=>	"si",
				/*0118*/"no"	=>	"no",
				/*0119*/"The following devices has not been found in the database"	=>	"Los siguientes dispositivos no han sido encontrados en la base de datos",
				/*0120*/"can you please insert them?"	=>	"¿podría insertarlos?",
				/*0121*/"No webcams found"	=>	"No se encontró ninguna cámara web",
				/*0122*/"Download the xml file of all the database"	=>	"Descargue el archivo xml de toda la base de datos",
				/*0123*/"Download the xml file of all the <b>notebooks</b> in the database"	=>	"Descargue el archivo xml de todos los <b>computadores portátiles</b> presentes en la base de datos",
				/*0124*/"Download the xml file of all the <b>wifi cards</b> in the database"	=>	"Descargue el archivo xml de todas las <b>tarjetas de red inalámbrica</b> presentes en la base de datos",
				/*0125*/"Download the xml file of all the <b>video cards</b> in the database"	=>	"Descargue el archivo xml de todas las <b>tarjetas de video</b> presentes en la base de datos",
				/*0126*/"Download the xml file of all the <b>printers</b> in the database"	=>	"Descargue el archivo xml de todas las <b>impresoras</b> presentes en la base de datos",
				/*0127*/"Download the xml file of all the <b>3G cards</b> in the database"	=>	"Descargue el archivo xml de todas las <b>tarjetas 3G</b> presentes en la base de datos",
				/*0128*/"Download the xml file of all the <b>sound cards</b> in the database"	=>	"Descargue el archivo xml de todas las <b>tarjetas de audio</b> presentes en la base de datos",
				/*0129*/"Download the xml file of all the <b>webcams</b> in the database"	=>	"Descargue el archivo xml de todas las <b>cámaras web</b> presentes en la base de datos",
				/*0130*/"You can download all the h-node database in one unique xml file in order to parse its contents by means of some proper script (for example a Python or Perl or PHP script)"	=>	"Puede descargar toda la base de datos de h-node en un archivo xml único para poder analizar su contenido por medio de otro script apropiado (por ejemplo un script en Python, Perl o PHP)",
				/*0131*/"Download the h-node hardware database in xml format"	=>	"Descargue la base de datos de h-node en formato xml",
				/*0132*/"Database modifications"	=>	"Modificaciones a la base de datos",
				/*0133*/"List of the database modifications carried out by users"	=>	"Lista de modificaciones realizada por los usuarios",
				/*0134*/"the model"	=>	"el modelo",
				/*0135*/"has been inserted by" =>	"ha sido agregado por",
				/*0136*/"has been updated by" =>	"ha sido modificado por",
				/*0137*/"at"	=>	"en",
				/*0138*/"last modifications"	=>	"últimas modificaciones",
				/*0139*/"watch all modifications"	=>	"ver todas las modificaciones",
				/*0140*/"the title"	=>	"el titulo",
				/*0141*/"the text of the wiki page"	=>	"el texto de la página",
				/*0142*/"the wiki page has not been found"	=>	"la página del wiki no ha sido encontrada",
				/*0143*/"Page not-found"	=>	"Página no encontrada",
				/*0144*/"Insert"	=>	"Agregar",
				/*0145*/"Update"	=>	"Actualizar",
				/*0146*/"History"	=>	"Historial",
				/*0147*/"Revision"	=>	"Revisión",
				/*0148*/"Differences"	=>	"Diferencias",
				/*0149*/"Insert a new wiki page"	=>	"Agregar una página nueva al wiki",
				/*0150*/"Edit the wiki page"	=>	"Editar la página del wiki",
				/*0151*/"Make current"	=>	"Hacer revisión actual",
				/*0152*/"I want to make this revision the current revision"	=>	"Quiero hacer ésta revisión la revisión actual",
				/*0153*/"Confirm"	=>	"Confirmar",
				/*0154*/"Make this revision the current revision of the page"	=>	"Hacer esta revisión la revisión actual de la página",
				/*0155*/"This wiki page has been deleted"	=>	"Ésta página del wiki ha sido borrada",
				/*0156*/"Talk"	=>	"Discusión",
				/*0157*/"Talk page of the wiki page"	=>	"Página de discusión de la página del wiki",
				/*0158*/"a page with the same title already exists"	=>	"una página con el mismo titulo ya existe",
				/*0159*/"title is too long"	=>	"el titulo es demasiado largo",
				/*0160*/"the page text is too long"	=>	"el texto de la página es demasiado largo",
				/*0161*/"History of the wiki page"	=>	"Historial de la página del wiki",
				/*0162*/"Would you like to insert it?"	=>	"¿Le gustaría agregarlo?",
				/*0163*/"Wiki modifications"	=>	"Modificaciones al wiki",
				/*0164*/"List of the wiki modifications carried out by users"	=>	"Lista de modificaciones aportadas al wiki por los usuarios",
				/*0165*/"list of pages"	=>	"lista de páginas",
				/*0166*/"List of wiki pages"	=>	"Lista de las páginas del wiki",
				/*0167*/"This wiki page has been blocked"	=>	"Ésta página del wiki ha sido bloqueada",
				/*0168*/"unblock the wiki page"	=>	"desbloquear la página",
				/*0169*/"block the wiki page"	=>	"bloquear la página",
				/*0170*/"show the wiki page"	=>	"mostrar la página del wiki",
				/*0171*/"hide the wiki page"	=>	"esconder la página del wiki",
				/*0172*/"list of deleted pages"	=>	"lista de las páginas borradas",
				/*0173*/"restore the wiki page"	=>	"restaurar la página",
				/*0174*/"delete the wiki page"	=>	"borrar la página",
				/*0175*/"list of blocked pages"	=>	"lista de las páginas bloqueadas",
				/*0176*/"special pages"	=>	"páginas especiales",
				/*0177*/"Actions carried out by administrators"	=>	"Acciones realizadas por administradores",
				/*0178*/"No bluetooth devices found"	=>	"No se encontró ningún dispositivo bluetooth",
				/*0179*/"learn how to find it" =>	"aprenda como encontrarlo",
				/*0180*/"Download the xml file of all the <b>bluetooth devices</b> in the database" => "Descargue el archivo xml de todas los <b>dispositivos bluetooth</b> presentes en la base de datos",
				/*0181*/"License information"	=>	"Información de licencia",
				/*0182*/"No acquisition card found"	=>	"No se encontró ninguna tarjeta de adquisición",
				/*0183*/"No fingerprint readers found"	=>	"No se encontró ningún lector de huellas digitales",
				/*0184*/"Download the xml file of all the <b>acquisition cards</b> in the database"	=>	"Descargue el archivo xml de todas las <b>tarjetas de adquisición</b> presentes en la base de datos",
				/*0185*/"Download the xml file of all the <b>fingerprint readers</b> in the database"	=>	"Descargue el archivo xml de todas los <b>lectores de huellas digitales</b> presentes en la base de datos",
				/*0186*/"architecture"	=>	"arquitectura",
				/*0187*/"Add here the device name as written on the device itself or on the device box. Add it only if it is different from the <i>model name</i> already inserted inside the above entry. Add the new name in such a way that there is one name per row."	=>	"Inserte aquí el nombre del dispositivo como esta escrito en el dispositivo o la caja del dispositivo. Inserte solo y si es diferente del  <i>model name</i> que ya se encuentra dentro de la entrada superior. Inserte de manera que exista un nombre diferente en cada linea",
				/*0188*/"Write here the model name obtained by the lspci or lsusb command."	=>	"Escriba aquí el nombre del modelo obtenido por la orden lspci o lsusb.",
				/*0189*/"This is the name of the chipset of your device."	=>	"Este es el nombre del chipset de tu dispositivo.",
				/*0190*/"possible other names of the device"	=>	"otros posibles nombres del dispositivo",
				/*0191*/"Description entry preview"	=>	"Vista previa de la descripción",
				/*0192*/"Page preview"	=>	"Vista previa",
				/*0193*/"This device page has been hidden"	=>	"La página del dispositivo ha sido escondida",
				/*0194*/"restore the device page"	=>	"restaure la página del dispositivo",
				/*0195*/"hide the device page"	=>	"esconda la página del dispositivo",
				/*0196*/"Download the xml file of all the <b>scanners</b> in the database" =>	"Descargue el archivo xml de todos los <b>escáneres</b> presentes en la base de datos",
				/*0197*/"Special pages for administrators"	=>	"Páginas especiales para administradores",
				/*0198*/"Special pages for moderators"	=>	"Páginas especiales para moderadores",
				/*0199*/"see the page"	=>	"ver la página",
				/*0200*/"hidden device pages"	=>	"página escondida del dispositivo",
				/*0201*/"panel"	=>	"panel",
				/*0202*/"List of hidden device pages"	=>	"Lista de páginas de dispositivos escondidos",
				/*0203*/"approve the device page"	=>	"apruebe la página del dispositivo",
				/*0204*/"This device page has not been approved yet"	=>	"Esta página del dispositivo aun no ha sido aprobada",
				/*0205*/"Device pages that have to be approved"	=>	"Páginas de dispositivos para ser aprobadas",
				/*0206*/"The device page has to be approved by an administrator of the website"	=>	"La página del dispositivo tiene que ser aprobada por un administrador del sito",
				/*0207*/"permanently delete the device page"	=>	"eliminar la página del dispositivo permanentemente",
				/*0208*/"This page has been permanently deleted by an administrator of the website"	=>	"Esta página ha sido permanentemente eliminada por un administrador del sitio",
				/*0209*/"No ethernet devices found"	=>	"No se encontró ningún dispositivo ethernet",
				/*0210*/"free BIOS"	=>	"¿BIOS libre?",
				/*0211*/"You are not a registered user or you have not logged in. Your contribution won't be published until an administrator approves it. If you want your contributions to be automatically published please log in or create an account."	=>	"No es un usuario registrado o no ha iniciado sesión. Su contribución no será publicada hasta que un administrador la apruebe. Si quiere que sus contribuciones sean publicadas automáticamente por favor inicie sesión o cree una cuenta.",
				/*0212*/"has been inserted by an anonymous user, it has to be approved by an administrator in order to be published"	=>	"ha sido agregado por un usuario anónimo, tiene que ser aprobado por un administrador para ser publicado",
				/*0213*/"you can also subscribe to the feed in order to receive the new modifications that need a moderation"	=>	"puede también suscribirse al feed para recibir las nuevas modificaciones que necesitan moderación",
				/*0214*/"you need javascript enabled in order to correctly use the language's tabs (see below)"	=>	"necesita javascript habilitado para poder usar correctamente las pestañas de idioma (vea debajo)",
				/*0215*/"yes"	=>	"si",
				/*0216*/"works with 3D acceleration"	=>	"funciona con aceleración 3D",
				/*0217*/"works, but without 3D acceleration"	=>	"funciona, pero sin aceleración 3D",
				/*0218*/"it does not work"	=>	"no funciona",
				/*0219*/"Notebooks, netbooks, tablet PC"	=>	"Computadores portátiles, subportátiles, tablet PC",
				/*0220*/"Wifi cards"	=>	"Tarjetas de red inalámbrica",
				/*0221*/"Video cards"	=>	"Tarjetas de video",
				/*0222*/"Printers and multifunction"	=>	"Impresoras y multifuncionales",
				/*0223*/"Scanners"	=>	"Escáners",
				/*0224*/"3G cards"	=>	"Tarjetas 3G",
				/*0225*/"Sound cards"	=>	"Tarjetas de audio",
				/*0226*/"Webcams"	=>	"Cámaras web",
				/*0227*/"Bluetooth devices"	=>	"Dispositivos bluetooth",
				/*0228*/"TV/Video/FM acquisition cards"	=>	"Tarjetas de adquisición TV/Video/FM",
				/*0229*/"Fingerprint readers"	=>	"Lectores de huellas digitales",
				/*0230*/"Ethernet cards"	=>	"Tarjetas de ethernet",
				/*0231*/"Hardware"	=>	"Hardware",
				/*0232*/"Issues"	=>	"Incidencias",
				/*0233*/"Search"	=>	"Búsqueda",
				/*0234*/"News"	=>	"Noticias",
				/*0235*/"Download"	=>	"Descarga",
				/*0236*/"Help"	=>	"Ayuda",
				/*0237*/"List of"	=>	"Lista de",
				/*0238*/"talk messages"	=>	"mensajes",
				/*0239*/"History"	=>	"Historial",
				/*0240*/"Revision"	=>	"Revisión",
				/*0241*/"This is an old revision of this page, as edited by"	=>	"Esta es una revisión anterior de esta página, editada por",
				/*0242*/"It may differ significantly from the"	=>	"Puede diferir significantemente de la",
				/*0243*/"Differences between the revision of"	=>	"Diferencias entre las revisiones de",
				/*0244*/"created by"	=>	"creado por",
				/*0245*/"and the revision of"	=>	"y la revisión de",
				/*0246*/"<b>Notice</b>: the text in <del>red</del> has been deleted from the previous revision, the text in <ins>green</ins> has been added in this revision and the text in <span class='gray_text_notice'>gray</span> has not been changed."	=>	"<b>Nota</b>: el texto en <del>rojo</del> ha sido borrado  de la revisión anterior, el texto en <ins>verde</ins> ha sido agregado en esta revisión y el texto en <span class='gray_text_notice'>gris</span> no ha sido cambiado",
				/*0247*/"Insert"	=>	"Insertar",
				/*0248*/"Edit"	=>	"Editar",
				/*0249*/"Talk page"	=>	"Página de discusión",
				/*0250*/"Download the xml file of all the <b>ethernet cards</b> in the database"	=>	"Descargue el archivo xml de todas las <b>tarjetas de ethernet</b> presentes en la base de datos",
				/*0251*/"No SD card readers found"	=>	"No se encontró ningún lector de tarjetas SD",
				/*0252*/"SD card readers"	=>	"Lectores de tarjetas SD",
				/*0253*/"Download the xml file of all the <b>SD card readers</b> in the database"	=>	"Descargue el archivo xml de todos los <b>lectores de tarjetas SD</b> presentes en la base de datos",
				/*0254*/"There are no devices in the database with the vendorid:productid code specified by you."	=>	"No hay dispositivos en la base de datos con el código vendorid:productid que ha especificado",
				/*0255*/"Would you like to add it to the database?"	=>	"¿Le gustaría agregarlo a la base de datos?",
				/*0256*/"can free operating systems be installed?"	=>	"¿puede ser instalado un sistema libre?",
				/*0257*/"This issue has been deleted"	=>	"Esta incidencia ha sido eliminada",
				/*0258*/"hidden for those who are not moderators"	=>	"Oculta para aquellos que no son moderadores",
				/*0259*/"This issue is hidden for all the users that are not moderators"	=>	"Esta incidencia está oculta para todos los usuarios que no son moderadores",
				/*0260*/"hide the issue"	=>	"esconder la incidencia",
				/*0261*/"show the issue"	=>	"mostrar la incidencia",
				/*0262*/"open the issue again"	=>	"abrir nuevamente la incidencia",
				/*0263*/"close the issue"	=>	"cerrar la incidencia",
				/*0264*/"This issue is closed"	=>	"Esta incidencia está cerrada",
				/*0265*/"This issue is opened"	=>	"Esta incidencia está abierta",
				/*0266*/"does it adopt any techniques to track users?"	=>	"¿adopta alguna técnica para rastrear a los usuarios?",
				/*0267*/"Actions carried out by users"	=>	"Acciones realizadas por usuarios",
				/*0268*/"No modems found"	=>	"No se encontró ningún modem",
				/*0269*/"Download the xml file of all the <b>modems</b> in the database"	=>	"Descargue el archivo xml de todos los <b>modems</b> presentes en la base de datos",
				/*0270*/"Modems and ADSL cards"	=>	"Modems y tarjetas ADSL",
				/*0271*/"Table of contents"	=>	"Tabla de contenido",
				/*0272*/"by"	=>	"creado por",
				/*0273*/"Add a message"	=>	"Agregar un mensaje",
				/*0274*/"Save"	=>	"Guardar",
				/*0275*/"Revision of the wiki page"	=>	"Revisión de la página del wiki",
				/*0276*/"Preview"	=>	"Vista previa",
				/*0277*/"January"	=>	"Enero",
				/*0278*/"February"	=>	"Febrero",
				/*0279*/"March"	=>	"Marzo",
				/*0280*/"April"	=>	"Abril",
				/*0281*/"May"	=>	"Mayo",
				/*0282*/"June"	=>	"Junio",
				/*0283*/"July"	=>	"Julio",
				/*0284*/"August"	=>	"Agosto",
				/*0285*/"September"	=>	"Septiembre",
				/*0286*/"October"	=>	"Octubre",
				/*0287*/"November"	=>	"Noviembre",
				/*0288*/"December"	=>	"Diciembre",
				/*0289*/"not-specified"	=>	"no especificado",
				/*0290*/"last-inserted"	=>	"último insertado",
				/*0291*/"last inserted"	=>	"último insertado",
				/*0292*/"alphabetically"	=>	"alfabéticamente",
				/*0293*/"alphabetically-desc"	=>	"alfabéticamente descendiente",
				/*0294*/"alphabetically desc"	=>	"alfabéticamente descendiente",
				/*0295*/"undef"	=>	"sin definir",
				/*0296*/"All"	=>	"Todo",
				/*0297*/"inkjet"	=>	"inyección de tinta",
				/*0298*/"A-Full" 			=>	"A-Completa",
				/*0299*/"B-Partial"			=>	"B-Parcial",
				/*0300*/"C-None"			=>	"C-Ninguna",
				/*0301*/"A-platinum" 		=>	"A-platino",
				/*0302*/"B-gold"			=>	"B-oro",
				/*0303*/"C-silver"			=>	"C-plata",
				/*0304*/"D-bronze"			=>	"D-bronce",
				/*0305*/"E-garbage"			=>	"E-basura",
				/*0306*/"not specified how it works"	=>	"sin especificar como funciona",
				/*0307*/"there is no wifi card"	=>	"no hay tarjeta de red inalámbrica presente",
				/*0308*/"there is no webcam"	=>	"no hay cámara web presente",
				/*0309*/"it works"	=>	"funciona",
				/*0310*/"does_not_work"	=>	"no funciona",
				/*0311*/"works_without_3D"	=>	"funciona sin 3D",
				/*0312*/"works_with_3D"	=>	"funciona con 3D",
				/*0313*/"list of languages"	=>	"lista de idiomas",
				/*0314*/"Choose the language"	=>	"Seleccione un idioma",
				/*0315*/"back"	=>	"regresar",
				/*0316*/"next"	=>	"siguiente",
				/*0317*/"previous"	=>	"anterior",
				/*0318*/"type"	=>	"tipo",
				/*0319*/"contact us"	=>	"contacto",
				/*0320*/"credits"	=>	"créditos",
				/*0321*/"desktop version"	=>	"versión de escritorio",
				/*0322*/"RAID adapters"	=>	"Adaptador RAID",
				/*0323*/"No RAID adapter found"	=>	"No se encontró ningún adaptador RAID",
				/*0324*/"Download the xml file of all the <b>RAID adapters</b> in the database"	=>	"Descargue el archivo xml de todos los <b>adaptadores RAID</b> presentes en la base de datos",
				/*0325*/"No PCMCIA Controller found"	=>	"No se encontró ningún controlador PCMCIA",
				/*0326*/"PCMCIA Controllers"	=>	"Controlador PCMCIA",
				/*0327*/"Download the xml file of all the <b>PCMCIA Controllers</b> in the database"	=>	"Descargue el archivo xml de todos los <b>controladores PCMCIA</b> presentes en la base de datos",
				/*0328*/"notebook"	=>	"computadores portátiles",
				/*0329*/"netbook"	=>	"netbook",
				/*0330*/"motherboard"	=>	"tarjeta madre",
				/*0331*/"tablet"	=>	"tablet",
				/*0332*/"netbooks"	=>	"netbook",
				/*0333*/"Notebooks"	=>	"Computador portátil",
				/*0334*/"tablet PC"	=>	"PC tablet",
				/*0335*/"motherboards"	=>	"tarjetas madre",
				/*0336*/"Write a comma-separated list of kernel versions"	=>	"Escriba una lista de núcleos separada por comas",
				/*0337*/"Example"	=>	"Ejemplo",
				/*0338*/"free boot firmware?"	=>	"¿firmware boot libre?",
				/*0339*/"can be installed"	=>	"puede ser instalado",
				/*0340*/"does it have a free boot firmware (BIOS,UEFI,...) ?"	=>	"¿tiene un firmware boot (BIOS, UEFI,..) libre?",
				/*0341*/"Hello,\n\nyou have registered an account at"=>"Hola,\n\nha registrado una cuenta en el sitio",
				/*0342*/"with the following data:\nusername: " => "con la siguiente información:\nusername: ",
				/*0343*/"in order to confirm the registration of the new account please follow the link below"	=>	"para poder confirmar el registro de la nueva cuenta por favor siga el siguiente enlace",
				/*0344*/"If you don't want to confirm the account registration\nthen wait one hour and your username and e-mail will be deleted from the database"	=>	"Si no quiere confirmar el registro de la cuenta\nentonces espere una hora, su usuario y correo electrónico serán borrados de la base de datos",
				/*0345*/"If you received this e-mail for error, please simply disregard this message"	=>	"Si recibió este correo electrónico por error, por favor haga caso omiso del mensaje",
				/*0346*/"account registration"	=>	"registro de cuenta",
				/*0347*/"Host Controllers"	=>	"Controlador de Host",
				/*0348*/"No Host Controller found"	=>	"No se encontró ningún controlador de host",
				/*0349*/"Download the xml file of all the <b>Host Controllers</b> in the database"	=>	"Descargue el archivo xml de todos los <b>controladores de host</b> presentes en la base de datos",
				/*0350*/"PCMCIA Controller" => "Controlador PCMCIA",
				/*0351*/"USB Controller" 	=> "Controlador USB",
				/*0352*/"Firewire Controller" => "Controlador Firewire",
				/*0353*/"HECI Controller" => "Controlador HECI",
				/*0354*/"device type"	=>	"tipo de dispositivo",
				/*0355*/"Thanks for your contribution!"	=>	"¡Gracias por su contribución!",
				/*0356*/"does the device prevent installing wifi cards not-approved by the vendor?"	=> "¿el dispositivo evita la instalación de tarjetas inalámbricas no aprobadas por el distribuidor?",
				/*0357*/"see the details inside the description entry"	=>	"vea los detalles dentro del campo de descripción",
				/*0358*/"Thanks for helping the h-node project and the free software movement!"	=>	"¡Gracias por ayudar al proyecto h-node y al movimiento de software libre!",
				/*0359*/"You have just inserted a new notebook into the database. Can you please insert its devices separately too? Thanks!"	=>	"Ha agregado un nuevo computador portátil dentro de la base de datos. ¿Podría agregar los dispositivos por separado también? ¡Gracias!",
				/*0360*/"insert"	=>	"insertar",
				/*0361*/"List of allowed fully free distributions"	=>	"Lista de distribuciones completamente libres permitidas",
				/*0362*/"Insert a new distro"	=>	"Inserte una nueva distribución",
				/*0363*/"DISTRO-CODE"	=>	"CÓDIGO DE DISTRIBUCIÓN",
				/*0364*/"Login form:"	=>	"Inicio de sesión:",
				/*0365*/"username"	=>	"usuario",
				/*0366*/"password"	=>	"contraseña",
				/*0367*/"login"	=>	"entrar",
				/*0367*/"JavaScript license information"	=>	"información de licencia JavaScript",
			),
		'fr'	=>	array
			(
				/*0001*/"Search one device in the archive"	=>	"Chercher un périphérique dans les archives",
				/*0002*/"hardware type"		=>	"type de matériel",
				/*0003*/"the model name contains"	=>	"le nom du modèle contient",
				/*0004*/"List of issues"	=>	"Liste des problèmes",
				/*0005*/"TITLE"				=>	"TITRE",
				/*0006*/"TOPIC"				=>	"SUJET",
				/*0007*/"OPENED BY"			=>	"OUVERT PAR",
				/*0008*/"DATE"				=>	"DATE",
				/*0009*/"REPLIES"			=>	"REPONSES",
				/*0010*/"PRIORITY"			=>	"PRIORITE",
				/*0011*/"STATUS"			=>	"STATUS",
				/*0012*/"You have to"		=>	"Vous devez",
				/*0013*/"in order to submit an issue"	=>	"pour pouvoir soumettre un problème",
				/*0014*/"in order to add a message"	=> "pour pouvoir envoyer un message",
				/*0015*/"Description"		=>	"Description",
				/*0016*/"Messages"			=>	"Messages",
				/*0017*/"this message has been deleted"	=>	"ce message a été supprimé",
				/*0018*/"in order to submit a message to this issue"	=>	"pour pouvoir envoyer un message concernant ce problème",
				/*0019*/"model name"		=>	"nom de modèle",
				/*0020*/"model type"		=>	"type de modèle",
				/*0021*/"year of commercialization"	=>	"année de commercialisation",
				/*0022*/"Results of the search"		=>	"Resultat de la recherche",
				/*0023*/"page list"					=>	"liste de page",
				/*0024*/"No devices found"			=>	"Aucun périphérique trouvé",
				/*0025*/"vendor"					=>	"vendeur",
				/*0026*/"compatibility"				=>	"compatibilitée",
				/*0027*/"year"						=>	"année",
				/*0028*/"subtype"					=>	"sous-type",
				/*0029*/"sort by"					=>	"afficher par",
				/*0030*/"interface"					=>	"interface",
				/*0031*/"does it work?"				=>	"cela fonctionne-t-il ?",
				/*0032*/"preview of the message"	=>	"prévisualisation du message",
				/*0033*/"preview of the new issue message"	=>	"prévisualisation du message du nouveau problème",
				/*0034*/"Add a message to this issue"	=>	"Ajouter un message à ce problème",
				/*0035*/"Add a new issue"			=>	"Ajouter un nouveau problème",
				/*0036*/"MESSAGE"					=>	"MESSAGE",
				/*0037*/"there are no messages"		=>	"Il n'y a pas de messages",
				/*0038*/"No notebooks found"		=>	"Aucun notebook trouvé",
				/*0039*/"subtype (notebook, netbook, tablet)"	=>	"sous-type (notebook, netbook, tablet)",
				/*0040*/"compatibility with free software"	=>	"compatibilitée avec le logiciel libre",
				/*0041*/"view the other specifications"	=>	"voir les autres spécifications",
				/*0042*/"model"						=>	"modèle",
				/*0043*/"model id"					=>	"ID du modèle",
				/*0044*/"tested on"					=>	"testé sur",
				/*0045*/"tested with the following kernel libre"	=>	"testé avec le kernel libre suivant",
				/*0046*/"video card model"			=>	"modèle de carte vidéo",
				/*0047*/"wifi model"				=>	"modèle de carte wifi",
				/*0048*/"GNU/Linux distribution used for the test"	=>	"Distribution GNU/Linux utilisée pour le test",
				/*0049*/"does the video card work?"	=>	"La carte graphique fonctionne-t-elle ?",
				/*0050*/"does the wifi card work?"	=>	"La carte wifi fonctionne-t-elle ?",
				/*0051*/"Description: (write here all the useful information)"	=>	"Description (écrivez ici toutes les informations utiles)",
				/*0052*/"discover all the wiki tags"	=>	"voir tous les tags wiki",
				/*0053*/"Fields marked with <b>*</b> are mandatory"	=>	"Les champs marqués avec <b>*</b> sont obligatoires",
				/*0054*/"No printers found"			=>	"Aucun imprimante trouvée",
				/*0055*/"interface"					=>	"interface",
				/*0056*/"VendorID:ProductID code of the device" => "VendorID:ProductID du périphérique",
				/*0057*/"free driver used"			=>	"pilote libre utilisé",
				/*0058*/"set not-specified if not sure"	=>	"définir comme non-spécifié en cas de doute",
				/*0059*/"see the help page or leave blank if you are not sure"	=>	"voir la page d'aide ou laisser blanc si vous n'êtes pas sur(e)",
				/*0060*/"No scanners found"			=>	"Aucun scanneur trouvé",
				/*0061*/"No video cards found"		=>	"Aucun carte graphique trouvée",
				/*0062*/"how does it work with free software?"	=>	"A quel point cela fonctionne-t-il avec du logiciel libre ?",
				/*0063*/"No wifi cards found"		=>	"Aucune carte wifi trouvée",
				/*0064*/"does it work with free software?"	=>	"cela fonctionne-t-il avec le logiciel libre ?",
				/*0065*/"differences in the entry"		=>	"differences dans l'entrée",
				/*0066*/"No 3G cards found"			=>	"Aucune carte 3G trouvée",
				/*0067*/"Please specify in the below description entry the Internet Service Provider (ISP) and the country where the service is provided"	=>	"Merci de préciser dans cette description le fournisseur d'accès et le pays dans lequel le service est fourni",
				/*0068*/"webcam model"	=>	"modèle de webcam",
				/*0069*/"does it have a free BIOS?"	=>	"a-t-il un BIOS libre ?",
				/*0070*/"does the webcam work?"	=>	"la webcam fonctionne t'elle ?",
				/*0071*/"Current revision"	=>	"Révision actuelle",
				/*0072*/"Hello"	=>	"Bonjour",
				/*0073*/"Your"	=>	"Votre",
				/*0074*/"control panel"	=>	"panneau de contrôle",
				/*0075*/"create new account"	=>	"créer un compte",
				/*0076*/"request new password"	=> "demander un nouveau mot de passe",
				/*0077*/"website statistics"	=>	"statistiques du site",
				/*0078*/"hardware in the database"	=>	"hardware dans la base de données",
				/*0079*/"users logged"	=>	"utilisateurs connectés",
				/*0080*/"Watch your public profile"	=>	"Voir votre profil public",
				/*0081*/"Edit your profile"	=>	"Éditer votre profil",
				/*0082*/"Change your e-mail address"	=>	"Changer votre adresse e-mail",
				/*0083*/"Change your password"	=>	"Changer votre mot de passe",
				/*0084*/"Delete your account"	=>	"Supprimer votre compte",
				/*0085*/"choose the username"	=>	"choisissez le nom d'utilisateur",
				/*0086*/"characters allowed"	=>	"caractères autorisés",
				/*0087*/"your e-mail address"	=>	"votre adresse e-mail",
				/*0088*/"necessary to confirm the registration"	=>	"nécessaire pour confirmer la création",
				/*0089*/"choose the password"	=>	"choisissez le mot de passe",
				/*0090*/"confirm the password"	=>	"confirmez le mot de passe",
				/*0091*/"write the code above"	=>	"écrivez le code ci-dessous",
				/*0092*/"write your username"	=>	"écrivez votre nom d'utilisateur",
				/*0093*/"Actions carried out by moderators"	=>	"Actions gérées par les modérateurs",
				/*0094*/"meet"	=>	"rencontrer",
				/*0095*/"Public profile of"	=>	"Profil public de",
				/*0096*/"See all the contributions of"	=>	"Voir toute les distributions de",
				/*0097*/"My website"	=>	"Mon site web",
				/*0098*/"My real name"	=>	"Mon vrai nom",
				/*0099*/"My e-mail address"	=>	"Mon adresse e-mail",
				/*0100*/"I'm from"	=>	"Je viens de",
				/*0101*/"Birthdate"	=>	"Date de naissance",
				/*0102*/"My favourite distribution"	=>	"Ma distribution favorite",
				/*0103*/"Free software projects I'm working on"	=>	"Les projets de logiciel libre sur lesquels je travaille",
				/*0104*/"My description"	=>	"Ma description",
				/*0105*/"contributions"	=>	"contributions",
				/*0106*/"contributions of"	=>	"contributions de",
				/*0107*/"No sound cards found"	=>	"Aucune carte son trouvée",
				/*0108*/"LAST UPDATE"	=>	"DERNIERE MISE A JOUR",
				/*0109*/"search by"	=>	"cherchez par",
				/*0110*/"analyze the output of the lspci command"	=>	"analisez le retour de la commande lspci",
				/*0111*/"paste the output of the lspci command"	=>	"copiez le retour de la commande lspci",
				/*0112*/"works, but without 3D acceleration"	=>	"fonctionne, mais sans accélération 3D",
				/*0113*/"the text submitted by you does not seem to be the lspci -vmmnn output. Please check the text and try again"	=>	"le texte que vous avez soumis n'a pas l'air d'être le résultat de la commande lspci -vmmnn, merci de vérifier",
				/*0114*/"Search form"	=>	"Formulaire de recherche",
				/*0115*/"write here the output of lspci -vmmnn"	=>	"écrivez ici le retour de la commande lspci -vmmnn",
				/*0116*/"The following devices has been found in the database"	=>	"Ces périphériques ont été trouvés dans la base de données",
				/*0117*/"yes"	=>	"oui",
				/*0118*/"no"	=>	"non",
				/*0119*/"The following devices has not been found in the database"	=>	"Ces périphériques n'ont pas été trouvés dans la base de données",
				/*0120*/"can you please insert them?"	=>	"pouvez vous les insérer ?",
				/*0121*/"No webcams found"	=>	"Aucune webcam trouvée",
				/*0122*/"Download the xml file of all the database"	=>	"Téléchargez le fichier XML de la base de données complètes",
				/*0123*/"Download the xml file of all the <b>notebooks</b> in the database"	=>	"Téléchargez le fichier XML de tout les <b>notebooks</b> dans la base de données",
				/*0124*/"Download the xml file of all the <b>wifi cards</b> in the database"	=>	"Téléchargez le fichier XML de toute les <b>cartes wifi</b> dans la base de données",
				/*0125*/"Download the xml file of all the <b>video cards</b> in the database"	=>	"Téléchargez le fichier XML de toute les <b>cartes graphiques</b> dans la base de données",
				/*0126*/"Download the xml file of all the <b>printers</b> in the database"	=>	"Téléchargez le fichier XML de toute les <b>imprimantes</b> dans la base de données",
				/*0127*/"Download the xml file of all the <b>3G cards</b> in the database"	=>	"Téléchargez le fichier XML de toute les <b>cartes 3G</b> dans la base de données",
				/*0128*/"Download the xml file of all the <b>sound cards</b> in the database"	=>	"Téléchargez le fichier XML de toutes les <b>cartes son</b> dans la base de données",
				/*0129*/"Download the xml file of all the <b>webcams</b> in the database"	=>	"Téléchargez le fichier XML de toutes les <b>webcams</b> dans la base de données",
				/*0130*/"You can download all the h-node database in one unique xml file in order to parse its contents by means of some proper script (for example a Python or Perl or PHP script)"	=>	"Vous pouvez téléchargez toute la base de donnée de h-node en un seul fichier XML pour pouvoir ensuite l'exploiter avec des scripts (par exemple un script Python, Perl ou PHP)",
				/*0131*/"Download the h-node hardware database in xml format"	=>	"Téléchargez la base de données matérielle de h-node au format XML",
				/*0132*/"Database modifications"	=>	"Modification de la base de données",
				/*0133*/"List of the database modifications carried out by users"	=>	"Liste des modifications faites à la base de données par les utilisateurs",
				/*0134*/"the model"	=>	"le modèle",
				/*0135*/"has been inserted by" =>	"a été inséré par",
				/*0136*/"has been updated by" =>	"a été mis à jour par",
				/*0137*/"at"	=>	"à",
				/*0138*/"last modifications"	=>	"dernières modifications",
				/*0139*/"watch all modifications"	=>	"voir toutes les modifications",
				/*0140*/"the title"	=>	"le titre",
				/*0141*/"the text of the wiki page"	=>	"le texte de la page du wiki",
				/*0142*/"the wiki page has not been found"	=>	"la page du wiki n'a pas été trouvée",
				/*0143*/"Page not-found"	=>	"Page introuvable",
				/*0144*/"Insert"	=>	"Insérer",
				/*0145*/"Update"	=>	"Mettre à jour",
				/*0146*/"History"	=>	"Historique",
				/*0147*/"Revision"	=>	"Révisions",
				/*0148*/"Differences"	=>	"Différences",
				/*0149*/"Insert a new wiki page"	=>	"Insérer une nouvelle page wiki",
				/*0150*/"Edit the wiki page"	=>	"Editer la page wiki",
				/*0151*/"Make current"	=>	"Rendre actuel",
				/*0152*/"I want to make this revision the current revision"	=>	"Je veux faire de cette révision la révision actuelle",
				/*0153*/"Confirm"	=>	"Confirmer",
				/*0154*/"Make this revision the current revision of the page"	=>	"Je veux faire de cette révision la révision actuelle de cette page",
				/*0155*/"This wiki page has been deleted"	=>	"La page wiki a été supprimée",
				/*0156*/"Talk"	=>	"Discussion",
				/*0157*/"Talk page of the wiki page"	=>	"Page de discussion de la page de wiki",
				/*0158*/"a page with the same title already exists"	=>	"une page avec le même titre existe déja",
				/*0159*/"title is too long"	=>	"le titre est trop long",
				/*0160*/"the page text is too long"	=>	"le texte de la page est trop long",
				/*0161*/"History of the wiki page"	=>	"Historique de la page wiki",
				/*0162*/"Would you like to insert it?"	=>	"Voulez-vous l'insérer ?",
				/*0163*/"Wiki modifications"	=>	"Modifications du wiki",
				/*0164*/"List of the wiki modifications carried out by users"	=>	"Liste des modification faites au wiki par les utilisateurs",
				/*0165*/"list of pages"	=>	"list des pages",
				/*0166*/"List of wiki pages"	=>	"Liste des pages du wiki",
				/*0167*/"This wiki page has been blocked"	=>	"La page wiki a été bloquée",
				/*0168*/"unblock the wiki page"	=>	"débloquer la page wiki",
				/*0169*/"block the wiki page"	=>	"bloquer la page wiki",
				/*0170*/"show the wiki page"	=>	"montrer la page wiki",
				/*0171*/"hide the wiki page"	=>	"cacher la page wiki",
				/*0172*/"list of deleted pages"	=>	"liste des pages supprimées",
				/*0173*/"restore the wiki page"	=>	"restaurer la page wiki",
				/*0174*/"delete the wiki page"	=>	"supprimer la page wiki",
				/*0175*/"list of blocked pages"	=>	"liste de pages bloquées",
				/*0176*/"special pages"	=>	"pages spéciales",
				/*0177*/"Actions carried out by administrators"	=>	"Actions faites par les administrateurs",
				/*0178*/"No bluetooth devices found"	=>	"Aucun périphérique bluetooth trouvé",
				/*0179*/"learn how to find it" =>	"apprenez à le trouver",
				/*0180*/"Download the xml file of all the <b>bluetooth devices</b> in the database" => "Téléchargez le fichier xml de tous les <b>périphériques bluetooth</b> dans la base de données",
				/*0181*/"License information"	=>	"Information de license",
				/*0182*/"No acquisition card found"	=>	"Aucune carte d'acquisition trouvée",
				/*0183*/"No fingerprint readers found"	=>	"Aucun lecteur d'empreintes digitales trouvé",
				/*0184*/"Download the xml file of all the <b>acquisition cards</b> in the database"	=>	"Téléchargez le fichier xml de toutes les <b>cartes d'acquisition</b> dans la base de données",
				/*0185*/"Download the xml file of all the <b>fingerprint readers</b> in the database"	=>	"Téléchargez le fichier xml de tous les <b>lecteurs d'empreintes digitales</b> dans la base de données",
				/*0186*/"architecture"	=>	"architecture",
				/*0187*/"Add here the device name as written on the device itself or on the device box. Add it only if it is different from the <i>model name</i> already inserted inside the above entry. Add the new name in such a way that there is one name per row."	=>	"Insérez ici le nom du périphérique tel qu'écris sur le périphérique lui même ou sur son emballage. Ajoutez-le uniquement s'il est différent du <i>nom du modèle</i> déja inséré dans l'entrée ci-dessus. Ajoutez le nouveau nom de façon à ce qu'il n'y ait qu'un nom par rangée. ",
				/*0188*/"Write here the model name obtained by the lspci or lsusb command."	=>	"Ecrivez ici le nom du modèle obtenu par la commande lspci ou lsusb.",
				/*0189*/"This is the name of the chipset of your device."	=>	"Ceci est le nom du chipset de votre périphérique.",
				/*0190*/"possible other names of the device"	=>	"autres noms possibles du périphérique",
				/*0191*/"Description entry preview"	=>	"Description de la prévisualisation de l'entrée",
				/*0192*/"Page preview"	=>	"Prévisualisation de la page",
				/*0193*/"This device page has been hidden"	=>	"La page de ce périhérique a été cachée",
				/*0194*/"restore the device page"	=>	"restaurer la page de ce périphérique",
				/*0195*/"hide the device page"	=>	"cacher la page de ce périphérique",
				/*0196*/"Download the xml file of all the <b>scanners</b> in the database" =>	"Téléchargez le fichier xml de tous les <b>scanneur</b> dans la base de données",
				/*0197*/"Special pages for administrators"	=>	"Page spéciale pour les administrateurs",
				/*0198*/"Special pages for moderators"	=>	"Page spéciale pour les modérateurs",				
				/*0199*/"see the page"	=>	"voir la page",
				/*0200*/"hidden device pages"	=>	"pages de périphériques cachées",
				/*0201*/"panel"	=>	"panneau",
				/*0202*/"List of hidden device pages"	=>	"Liste des pages de périphériques cachées",
				/*0203*/"approve the device page"	=>	"approuver la page du périphérique",
				/*0204*/"This device page has not been approved yet"	=>	"La page du périphérique n'a pas encore été approuvée",
				/*0205*/"Device pages that have to be approved"	=>	"Pages de périphériques en attente d'être approuvées",
				/*0206*/"The device page has to be approved by an administrator of the website"	=>	"La page du périphérique est en attente d'être approuvée par un administrateur",
				/*0207*/"permanently delete the device page"	=>	"supprimer définitivement la page",
				/*0208*/"This page has been permanently deleted by an administrator of the website"	=>	"Cette page a été définitivement supprimée par un administrateur du site",
				/*0209*/"No ethernet devices found"	=>	"Pas de périphériques ethernet trouvés",
				/*0210*/"free BIOS"	=>	"BIOS libre",
				/*0211*/"You are not a registered user or you have not logged in. Your contribution won't be published until an administrator approves it. If you want your contributions to be automatically published please log in or create an account."	=>	"Vous n'êtes pas un utilisateur enregistré ou vous n'êtes pas authentifié. Votre contribution ne sera pas publiée tant qu'un administrateur de l'aura pas approuvée. Si vous souhaitez que vos contributions soient automatiquement publiées, veuillez vous authentifier ou de créer un compte.",
				/*0212*/"has been inserted by an anonymous user, it has to be approved by an administrator in order to be published"	=>	"a été inséré par un utilisateur anonyme et doit-être approuvé par un administrateur afin d'être publié",
				/*0213*/"you can also subscribe to the feed in order to receive the new modifications that need a moderation"	=>	"vous pouvez également vous abonner au flux afin de recevoir les nouvelles modifications en attente de modération",
				/*0214*/"you need javascript enabled in order to correctly use the language's tabs (see below)"	=>	"il est nécessaire d'activer javascript afin d'utiliser correctement les onglets de langue (voir ci-dessous)",
				/*0215*/"yes"	=>	"oui",
				/*0216*/"works with 3D acceleration"	=>	"fonctionne avec accélération 3D",
				/*0217*/"works, but without 3D acceleration"	=>	"fonctionne, mais sans accélération 3D",
				/*0218*/"it does not work"	=>	"ne fonctionne pas",
				/*0219*/"Notebooks, netbooks, tablet PC"	=>	"Notebooks, netbooks, tablettes",
				/*0220*/"Wifi cards"	=>	"Cartes wifi",
				/*0221*/"Video cards"	=>	"Cartes graphiques",
				/*0222*/"Printers and multifunction"	=>	"Imprimantes et multifonctions",
				/*0223*/"Scanners"	=>	"Scanneurs",
				/*0224*/"3G cards"	=>	"Cartes 3G",
				/*0225*/"Sound cards"	=>	"Cartes son",
				/*0226*/"Webcams"	=>	"Webcams",
				/*0227*/"Bluetooth devices"	=>	"Périphériques bluetooth",
				/*0228*/"TV/Video/FM acquisition cards"	=>	"Cartes d'acquisition TV/Video/FM",
				/*0229*/"Fingerprint readers"	=>	"Lecteurs d'empreintes digitales",
				/*0230*/"Ethernet cards"	=>	"Cartes ethernet",
				/*0231*/"Hardware"	=>	"Hardware",
				/*0232*/"Issues"	=>	"Problème",
				/*0233*/"Search"	=>	"Recherche",
				/*0234*/"News"	=>	"Nouvelles",
				/*0235*/"Download"	=>	"Télécharger",
				/*0236*/"Help"	=>	"Aide",
				/*0237*/"List of"	=>	"Liste de",
				/*0238*/"talk messages"	=>	"discussion",
				/*0239*/"History"	=>	"Historique",
				/*0240*/"Revision"	=>	"Révision",
				/*0241*/"This is an old revision of this page, as edited by"	=>	"Ceci est une version antérieure de la page, telle qu'éditée par",
				/*0242*/"It may differ significantly from the"	=>	"Il peut y avoir une différence significative avec",
				/*0243*/"Differences between the revision of"	=>	"Différences entre les révisions de",
				/*0244*/"created by"	=>	"créé par",
				/*0245*/"and the revision of"	=>	"et la révision de",
				/*0246*/"<b>Notice</b>: the text in <del>red</del> has been deleted from the previous revision, the text in <ins>green</ins> has been added in this revision and the text in <span class='gray_text_notice'>gray</span> has not been changed."	=>	"<b>Note</b> : le texte en <del>rouge</del> a été supprimé de la version précédente, le texte en <ins>vert</ins> a été ajouté à cette version et le texte en <span class='gray_text_notice'>gris</span> n'a pas été changé.",
				/*0247*/"Insert"	=>	"Insérer",
				/*0248*/"Edit"	=>	"Modifier",
				/*0249*/"Talk page"	=>	"Page de discussion",
				/*0250*/"Download the xml file of all the <b>ethernet cards</b> in the database"	=>	"Télécharger le fichier xml de toutes les <b>cartes ethernet</b> présentes dans la base de données",				
				/*0251*/"No sd card readers found"	=>	"Aucun lecteur de carte SD trouvé",
				/*0252*/"Sd card readers"	=>	"Lecteurs de cartes SD",
				/*0253*/"Download the xml file of all the <b>SD card readers</b> in the database"	=>	"Télécharger le fichier xml de tous les <b>lecteurs de cartes SD</b> de la base de donnée",
				/*0254*/"There are no devices in the database with the vendorid:productid code specified by you."	=>	"Il n'y a pas de matériel dans la base de donnée avec le code vendorid:productid spécifié.",
				/*0255*/"Would you like to add it to the database?"	=>	"Voudriez-vous l'ajouter à la base de donnée ?",
				/*0256*/"can free operating systems be installed?"	=>	"Des systèmes d'exploitation libres peuvent-ils être installés ?",
				/*0257*/"This issue has been deleted"	=>	"Ce problème a été effacé",
				/*0258*/"hidden for those who are not moderators"	=>	"Caché pour les non-modérateurs",
				/*0259*/"This issue is hidden for all the users that are not moderators"	=>	"Ce problème est caché à tous les utilisateurs qui ne sont pas des modérateurs",
				/*0260*/"hide the issue"	=>	"cacher le problème",
				/*0261*/"show the issue"	=>	"montrer le problème",
				/*0262*/"open the issue again"	=>	"réouvrir le problème",
				/*0263*/"close the issue"	=>	"fermer le problème",
				/*0264*/"This issue is closed"	=>	"Ce problème est fermé",
				/*0265*/"This issue is opened"	=>	"Ce problème est ouvert",
				/*0266*/"does it adopt any techniques to track users?"	=>	"emploie-t-il des techniques pour suivre les utilisateurs à la trace ?",
				/*0267*/"Actions carried out by users"	=>	"Actions effectuées par les utilisateurs",
				/*0268*/"No modems found"	=>	"Aucun modem trouvé",
				/*0269*/"Download the xml file of all the <b>modems</b> in the database"	=>	"Télécharger le fichier xml de tous les <b>modems</b> de la base de donnée",
				/*0270*/"Modems and ADSL cards"	=>	"Modems et cartes ADSL",
				/*0271*/"Table of contents"	=>	"Table des matières",
				/*0272*/"by"	=>	"par",
				/*0273*/"Add a message"	=>	"Ajouter un message",
				/*0274*/"Save"	=>	"Sauvegarder",
				/*0275*/"Revision of the wiki page"	=>	"Révision de la page wiki",
				/*0276*/"Preview"	=>	"Aperçu",
				/*0277*/"January"	=>	"Janvier",
				/*0278*/"February"	=>	"Février",
				/*0279*/"March"	=>	"Mars",
				/*0280*/"April"	=>	"Avril",
				/*0281*/"May"	=>	"Mai",
				/*0282*/"June"	=>	"Juin",
				/*0283*/"July"	=>	"Juillet",
				/*0284*/"August"	=>	"Août",
				/*0285*/"September"	=>	"Septembre",
				/*0286*/"October"	=>	"Octobre",
				/*0287*/"November"	=>	"Novembre",
				/*0288*/"December"	=>	"Décembre",
				/*0289*/"not-specified"	=>	"non-spécifié",
				/*0290*/"last-inserted"	=>	"dernier-inséré",
				/*0291*/"last inserted"	=>	"dernier inséré",
				/*0292*/"alphabetically"	=>	"alphabétiquement",
				/*0293*/"alphabetically-desc"	=>	"alphabétiquement-décroissant",
				/*0294*/"alphabetically desc"	=>	"alphabétiquement par ordre décroissant",
				/*0295*/"undef"	=>	"nondef",
				/*0296*/"All"	=>	"Tout",
				/*0297*/"inkjet"	=>	"jet d'encre",
				/*0298*/"A-Full" 			=>	"A-Complet",
				/*0299*/"B-Partial"			=>	"B-Partiel",
				/*0300*/"C-None"			=>	"C-Aucun",
				/*0301*/"A-platinum" 		=>	"A-platine",
				/*0302*/"B-gold"			=>	"B-or",
				/*0303*/"C-silver"			=>	"C-argent",
				/*0304*/"D-bronze"			=>	"D-bronze",
				/*0305*/"E-garbage"			=>	"E-poubelle",
				/*0306*/"not specified how it works"	=>	"le fonctionnement n'est pas spécifié",
				/*0307*/"there is no wifi card"	=>	"il n'y a pas de carte wifi",
				/*0308*/"there is no webcam"	=>	"il n'y a pas de webcam",
				/*0309*/"it works"	=>	"fonctionne",
				/*0310*/"does_not_work"	=>	"ne_fonctionne_pas",
				/*0311*/"works_without_3D"	=>	"fonctionne_sans_3D",
				/*0312*/"works_with_3D"	=>	"fonctionne_avec_3D",
				/*0313*/"list of languages"	=>	"liste de langues",
				/*0314*/"Choose the language"	=>	"Choisissez la langue",
				/*0315*/"back"	=>	"retour",
				/*0316*/"next"	=>	"suivant",
				/*0317*/"previous"	=>	"précédent",
				/*0318*/"type"	=>	"type",
				/*0319*/"contact us"	=>	"contactez-nous",
				/*0320*/"credits"	=>	"crédits",
				/*0321*/"desktop version"	=>	"version du bureau",
				/*0322*/"RAID adapters"	=>	"Adaptateurs RAID",
				/*0323*/"No RAID adapter found"	=>	"Aucun adaptateur RAID trouvé",
				/*0324*/"Download the xml file of all the <b>RAID adapters</b> in the database"	=>	"Téléchargez le fichier xml de tous les <b>adaptateurs RAID</b> présents dans la base",
				/*0325*/"No PCMCIA Controller found"	=>	"Aucun contrôleur PCMCIA trouvé",
				/*0326*/"PCMCIA Controllers"	=>	"Contrôleur PCMCIA",
				/*0327*/"Download the xml file of all the <b>PCMCIA Controllers</b> in the database"	=>	"Téléchargez le fichier xml de tous les <b>contrôleurs PCMCIA</b> présents dans la base",
				/*0328*/"notebook"	=>	"ordinateur portable",
				/*0329*/"netbook"	=>	"netbook",
				/*0330*/"motherboard"	=>	"carte mère",
				/*0331*/"tablet"	=>	"tablette",
				/*0332*/"netbooks"	=>	"netbooks",
				/*0333*/"Notebooks"	=>	"Notebooks",
				/*0334*/"tablet PC"	=>	"tablette PC",
				/*0335*/"motherboards"	=>	"cartes mère",
				/*0336*/"Write a comma-separated list of kernel versions"	=>	"Écrivez une liste séparée par des virgules de versions de noyau",
				/*0337*/"Example"	=>	"Exemple",
				/*0338*/"free boot firmware?"	=>	"Micrologiciel de démarrage libre ?",
				/*0339*/"can be installed"	=>	"peut être installé",
				/*0340*/"does it have a free boot firmware (BIOS,UEFI,...) ?"	=>	"a un micrologiciel de démarrage (BIOS, UEFI,..) libre?",
				/*0341*/"Hello,\n\nyou have registered an account at"=>"Bonjour,\n\nvous avez créé un compte à",
				/*0342*/"with the following data:\nusername: " => "avec les données suivantes :\nnom d'utilisateur : ",
				/*0343*/"in order to confirm the registration of the new account please follow the link below"	=>	"pour confirmer la création du nouveau compte, veuillez suivre le lien ci-dessous",
				/*0344*/"If you don't want to confirm the account registration\nthen wait one hour and your username and e-mail will be deleted from the database"	=>	"Si vous ne voulez pas confirmer la création du compte\nattendez une heure et votre nom d'utilisateur et courriel seront supprimés de la base",
				/*0345*/"If you received this e-mail for error, please simply disregard this message"	=>	"Si vous avez reçu ce courriel par erreur, veuillez l'ignorer",
				/*0346*/"account registration"	=>	"création de compte",
				/*0347*/"Host Controllers"	=>	"Contrôleurs Hôte",
				/*0348*/"No Host Controller found"	=>	"Aucun Contrôleur Hôte trouvé",
				/*0349*/"Download the xml file of all the <b>Host Controllers</b> in the database"	=>	"Téléchargez le fichier xml de tous les  <b>Contrôleurs Hôte</b> présents dans la base",
				/*0350*/"PCMCIA Controller" => "Contrôleur PCMCIA",
				/*0351*/"USB Controller" 	=> "Contrôleur USB",
				/*0352*/"Firewire Controller" => "Contrôleur Firewire",
				/*0353*/"HECI Controller" => "Contrôleur HECI",
				/*0354*/"device type"	=>	"type d'appareil",
				/*0355*/"Thanks for your contribution!"	=>	"Merci pour votre contribution !",
				/*0356*/"does the device prevent installing wifi cards not-approved by the vendor?"	=> "l'appareil empêche-t-il l'insertion de cartes wifi non approuvées par le vendeur ?",
				/*0357*/"see the details inside the description entry"	=>	"voir les détails dans le champ description",
				/*0358*/"Thanks for helping the h-node project and the free software movement!"	=>	"Merci d'aider le projet h-node et le mouvement du logiciel libre !",
				/*0359*/"You have just inserted a new notebook into the database. Can you please insert its devices separately too? Thanks!"	=>	"Vous venez d'insérer un nouvel ordinateur portable dans la base. Pouvez-vous insérer ses périphériques séparément ? Merci !",
				/*0360*/"insert"	=>	"insérer",
				/*0361*/"List of allowed fully free distributions"	=>	"Liste des distributions totalement libres autorisées",
				/*0362*/"Insert a new distro"	=>	"Insérer une nouvelle distribution",
				/*0363*/"DISTRO-CODE"	=>	"CODE-DISTRO",
			),
		'de'	=>	array
			(
				/*0001*/"Search one device in the archive"	=>	"Ein Gerät im Archiv suchen",
				/*0002*/"hardware type"		=>	"Hardware-Typ",
				/*0003*/"the model name contains"	=>	"die Modellbezeichnung enthält",
				/*0004*/"List of issues"	=>	"Vorhandene Beiträge",
				/*0005*/"TITLE"				=>	"Titel",
				/*0006*/"TOPIC"				=>	"Thema",
				/*0007*/"OPENED BY"			=>	"Angelegt von",
				/*0008*/"DATE"				=>	"Datum",
				/*0009*/"REPLIES"			=>	"Nachricht",
				/*0010*/"PRIORITY"			=>	"Priorität",
				/*0011*/"STATUS"			=>	"Stand",
				/*0012*/"You have to"		=>	"Sie müssen",
				/*0013*/"in order to submit an issue"	=>	"um ein Thema einzusenden",
				/*0014*/"in order to add a message"	=> "um eine Nachricht hinzufügen",
				/*0015*/"Description"		=>	"Beschreibung",
				/*0016*/"Messages"			=>	"Nachrichten",
				/*0017*/"this message has been deleted"	=>	"Diese Nachricht wurde gelöscht",
				/*0018*/"in order to submit a message to this issue"	=>	"um eine Antwort zu senden",
				/*0019*/"model name"		=>	"Modellbezeichnung",
				/*0020*/"model type"		=>	"Modelltyp",
				/*0021*/"year of commercialization"	=>	"Jahr der Markteinführung",
				/*0022*/"Results of the search"		=>	"Suchergebnisse",
				/*0023*/"page list"					=>	"Seite/n",
				/*0024*/"No devices found"			=>	"Es wurde kein Gerät gefunden",
				/*0025*/"vendor"					=>	"Hersteller",
				/*0026*/"compatibility"				=>	"Kompatibilität",
				/*0027*/"year"						=>	"Jahr",
				/*0028*/"subtype"					=>	"Typ",
				/*0029*/"sort by"					=>	"Sortierung nach",
				/*0030*/"interface"					=>	"Schnittstelle",
				/*0031*/"does it work?"				=>	"Funktionsweise",
				/*0032*/"preview of the message"	=>	"Nachrichtenvorschau",
				/*0033*/"preview of the new issue message"	=>	"Nachrichtenvorschau",
				/*0034*/"Add a message to this issue"	=>	"Auf diese Nachricht antworten",
				/*0035*/"Add a new issue"			=>	"Neue Nachricht erstellen",
				/*0036*/"MESSAGE"					=>	"Nachricht",
				/*0037*/"there are no messages"		=>	"Es sind keine Antworten vorhanden",
				/*0038*/"No notebooks found"		=>	"Es wurden keine Notebooks gefunden",
				/*0039*/"subtype (notebook, netbook, tablet)"	=>	"Typ (Notebook, Netbook, Tablet)",
				/*0040*/"compatibility with free software"	=>	"Kompatibilität mit Freie Software",
				/*0041*/"view the other specifications"	=>	"Weitere Angaben",
				/*0042*/"model"						=>	"Modell",
				/*0043*/"model id"					=>	"Modell-ID",
				/*0044*/"tested on"					=>	"überprüft mit Distribution",
				/*0045*/"tested with the following kernel libre"	=>	"Überbrüft mit folgendem freien Betriebssystemkern (Libre Kernel)",
				/*0046*/"video card model"			=>	"Grafikkarte",
				/*0047*/"wifi model"				=>	"WLAN",
				/*0048*/"GNU/Linux distribution used for the test"	=>	"Verwendete GNU/Linux-Distribution für die Überprüfung",
				/*0049*/"does the video card work?"	=>	"Funktioniert die Grafik einwandfrei?",
				/*0050*/"does the wifi card work?"	=>	"Funktioniert das WLAN einwandfrei?",
				/*0051*/"Description: (write here all the useful information)"	=>	"Beschreibung: (alle nützliche Informationen)",
				/*0052*/"discover all the wiki tags"	=>	"Wiki-Elemente",
				/*0053*/"Fields marked with <b>*</b> are mandatory"	=>	"<b>*</b> Pflichtangabe",
				/*0054*/"No printers found"			=>	"Es wurden keine Drucker gefunden",
				/*0055*/"interface"					=>	"Schnittstelle",
				/*0056*/"VendorID:ProductID code of the device" => "Hersteller-ID:Produkt-ID des Gerätes",
				/*0057*/"free driver used"			=>	"Verwendete Freie Firmware/Treiber",
				/*0058*/"set not-specified if not sure"	=>	"Bitte „Keine Angabe“, wenn nicht sicher",
				/*0059*/"see the help page or leave blank if you are not sure"	=>	"Siehe „Hilfe“, oder freilassen, wenn nicht sicher",
				/*0060*/"No scanners found"			=>	"Es wurden keine Scanner gefunden",
				/*0061*/"No video cards found"		=>	"Es wurde keine Grafikkarte gefunden",
				/*0062*/"how does it work with free software?"	=>	"Funktioniert einwandfrei mit Freie Software?",
				/*0063*/"No wifi cards found"		=>	"Es wurde kein WLAN (intern/extern) gefunden",
                /*0064*/"does it work with free software?"	=>	"Funktioniert mit Freie Software?",
				/*0065*/"differences in the entry"		=>	"Unterschiede",
				/*0066*/"No 3G cards found"			=>	"Es wurde kein Mobilfunkstandard der dritten Generation (3G) gefunden",
				/*0067*/"Please specify in the below description entry the Internet Service Provider (ISP) and the country where the service is provided"	=>	"Bitte geben Sie in der folgenden Beschreibung den Internetdienstanbieter (ISP) und Land an, in dem die Dienstleistung erbracht wird",
				/*0068*/"webcam model"	=>	"Webcam",
				/*0069*/"does it have a free BIOS?"	=>	"Hat eine freies BIOS?",
				/*0070*/"does the webcam work?"	=>	"Funktioniert einwandfrei mit Freie Software?",
				/*0071*/"Current revision"	=>	"Aktuelle Version",
				/*0072*/"Hello"	=>	"Hallo",
				/*0073*/"Your"	=>	"Ihre ",
				/*0074*/"control panel"	=>	"Einstellungen",
				/*0075*/"create new account"	=>	"Neu registrieren",
				/*0076*/"request new password"	=> "Passwort vergessen",
				/*0077*/"website statistics"	=>	"Website-Statistiken:",
				/*0078*/"hardware in the database"	=>	"Hardware-Datenbank",
				/*0079*/"users logged"	=>	"Angemeldete Benutzer",
				/*0080*/"Watch your public profile"	=>	"Öffentliches Profil",
				/*0081*/"Edit your profile"	=>	"Profil bearbeiten",
				/*0082*/"Change your e-mail address"	=>	"E-Mail-Adresse ändern",
				/*0083*/"Change your password"	=>	"Passwort ändern",
				/*0084*/"Delete your account"	=>	"Konto löschen",
				/*0085*/"choose the username"	=>	"Benutzername",
				/*0086*/"characters allowed"	=>	"Erlaubte Zeichen",
				/*0087*/"your e-mail address"	=>	"E-Mail-Adresse",
				/*0088*/"necessary to confirm the registration"	=>	"Zur Bestätigung der Registrierung erforderlich",
				/*0089*/"choose the password"	=>	"Passwort",
				/*0090*/"confirm the password"	=>	"Passwort (Wiederholung)",
				/*0091*/"write the code above"	=>	"Geben Sie die Zeichen ein",
				/*0092*/"write your username"	=>	"Geben Sie Ihren Benutzernamen ein",
				/*0093*/"Actions carried out by moderators"	=>	"Moderatoren durchgeführte Änderungen",
				/*0094*/"meet"	=>	"treffen",
				/*0095*/"Public profile of"	=>	"Öffentliches Profil auf",
				/*0096*/"See all the contributions of"	=>	"Alle Beiträge von",
				/*0097*/"My website"	=>	"Meine Webseite",
				/*0098*/"My real name"	=>	"Mein bürgerlicher Name",
				/*0099*/"My e-mail address"	=>	"Meine E-Mail-Adresse",
				/*0100*/"I'm from"	=>	"Ich bin aus",
				/*0101*/"Birthdate"	=>	"Geburtsdatum",
				/*0102*/"My favourite distribution"	=>	"Meine favorisierte Distribution",
				/*0103*/"Free software projects I'm working on"	=>	"Freie-Software-Projekte, an denen ich arbeite",
				/*0104*/"My description"	=>	"Meine Beschreibung",
				/*0105*/"contributions"	=>	"Beiträge",
				/*0106*/"contributions of"	=>	"Beiträge von",
				/*0107*/"No sound cards found"	=>	"Es wurde keine Soundkarte gefunden",
				/*0108*/"LAST UPDATE"	=>	"Letzte Aktualisierung",
				/*0109*/"search by"	=>	"Suchen nach",
				/*0110*/"analyze the output of the lspci command"	=>	"Analyse der Ausgabe des Befehls „lspci“",
				/*0111*/"paste the output of the lspci command"	=>	"Fügen Sie Ausgabe des Befehls „lspci“ ein",
				/*0112*/"works, but without 3D acceleration"	=>	"Funktioniert, aber ohne 3D-Beschleunigung",
				/*0113*/"the text submitted by you does not seem to be the lspci -vmmnn output. Please check the text and try again"	=>	"Der von Ihnen übermittelte Text scheint nicht der „lspci-vmmnn“-Ausgabe zu entsprechen. Bitte überprüfen Sie den Text und versuchen es erneut",
				/*0114*/"Search form"	=>	"Suchen",
				/*0115*/"write here the output of lspci -vmmnn"	=>	"Geben Sie hier die Ausgabe von „lspci-vmmnn“ ein",
				/*0116*/"The following devices has been found in the database"	=>	"Die folgenden Geräte wurden in der Datenbank gefunden",
				/*0117*/"yes"	=>	"Ja",
				/*0118*/"no"	=>	"Nein",
				/*0119*/"The following devices has not been found in the database"	=>	"Folgende Geräte wurden nicht in der Datenbank gefunden",
				/*0120*/"can you please insert them?"	=>	"Kann dies bitte eingefügt werden?",
				/*0121*/"No webcams found"	=>	"Es wurde keine Webcam gefunden",
				/*0122*/"Download the xml file of all the database"	=>	"Die vollständige Datenbank herunterladen (XML-Format)",
				/*0123*/"Download the xml file of all the <b>notebooks</b> in the database"	=>	"Alle enthaltenen <b>Notebooks</b> herunterladen (XML-Format)",
				/*0124*/"Download the xml file of all the <b>wifi cards</b> in the database"	=>	"Alle enthaltenen <b>WLAN-Geräte</b> herunterladen (XML-Format)",
				/*0125*/"Download the xml file of all the <b>video cards</b> in the database"	=>	"Alle enthaltenen <b>Grafikkarten</b> herunterladen (XML-Format)",
				/*0126*/"Download the xml file of all the <b>printers</b> in the database"	=>	"Alle enthaltenen <b>Drucker</b> herunterladen (XML-Format)",
				/*0127*/"Download the xml file of all the <b>3G cards</b> in the database"	=>	"Alle enthaltenen <b>3G-Geräte</b> herunterladen (XML-Format)",
				/*0128*/"Download the xml file of all the <b>sound cards</b> in the database"	=>	"Alle enthaltenen <b>Soundkarten</b> herunterladen (XML-Format)",
				/*0129*/"Download the xml file of all the <b>webcams</b> in the database"	=>	"Alle enthaltenen <b>Webcams</b> herunterladen (XML-Format)",
				/*0130*/"You can download all the h-node database in one unique xml file in order to parse its contents by means of some proper script (for example a Python or Perl or PHP script)"	=>	"Sie können alle h-node-Datenbanken als XML-Datei herunterladen, um den Inhalt durch ein Skript (bspw. ein Python-, Perl- oder PHP-Skript) analysieren zu können.",
				/*0131*/"Download the h-node hardware database in xml format"	=>	"Die h-node-Hardware-Datenbank im XML-Format herunterladen",
				/*0132*/"Database modifications"	=>	"Datenbank-Änderungen",
				/*0133*/"List of the database modifications carried out by users"	=>	"Von Benutzern durchgeführte Datenbank-Änderungen",
				/*0134*/"the model"	=>	"Das Modell",
				/*0135*/"has been inserted by" =>	"wurde eingefügt von",
				/*0136*/"has been updated by" =>	"wurde aktualisiert von",
				/*0137*/"at"	=>	"am",
				/*0138*/"last modifications"	=>	"Letzte Änderungen",
				/*0139*/"watch all modifications"	=>	"Alle Änderungen anzeigen",
				/*0140*/"the title"	=>	"Der Titel",
				/*0141*/"the text of the wiki page"	=>	"der Text des Wikis",
				/*0142*/"the wiki page has not been found"	=>	"Das Wiki wurde nicht gefunden",
				/*0143*/"Page not-found"	=>	"Seite nicht gefunden",
				/*0144*/"Insert"	=>	"Einfügen",
				/*0145*/"Update"	=>	"Aktualisieren",
				/*0146*/"History"	=>	"Historie",
				/*0147*/"Revision"	=>	"Version",
				/*0148*/"Differences"	=>	"Unterschiede",
				/*0149*/"Insert a new wiki page"	=>	"Ein neues Wiki einfügen",
				/*0150*/"Edit the wiki page"	=>	"Wiki bearbeiten",
				/*0151*/"Make current"	=>	"Aktualisieren",
				/*0152*/"I want to make this revision the current revision"	=>	"Ich möchte diese Version zur aktuellen Version machen",
				/*0153*/"Confirm"	=>	"Ok",
				/*0154*/"Make this revision the current revision of the page"	=>	"Diese Version zur aktuellen Version machen",
				/*0155*/"This wiki page has been deleted"	=>	"Dieses Wiki wurde gelöscht",
				/*0156*/"Talk"	=>	"Diskussion",
				/*0157*/"Talk page of the wiki page"	=>	"Diskussionsseite des Wikis",
				/*0158*/"a page with the same title already exists"	=>	"Es ist bereits eine Seite mit den gleichen Titel vorhanden",
				/*0159*/"title is too long"	=>	"Titel ist zu lang",
				/*0160*/"the page text is too long"	=>	"Der Text ist zu lang",
				/*0161*/"History of the wiki page"	=>	"Historie des Wikis",
				/*0162*/"Would you like to insert it?"	=>	"Wiki einfügen?",
				/*0163*/"Wiki modifications"	=>	"Wiki-Änderungen",
				/*0164*/"List of the wiki modifications carried out by users"	=>	"Von Benutzern durchgeführte Wiki-Änderungen",
				/*0165*/"list of pages"	=>	"Seiten",
				/*0166*/"List of wiki pages"	=>	"Wiki-Seiten",
				/*0167*/"This wiki page has been blocked"	=>	"Dieses Wiki wurde gesperrt",
				/*0168*/"unblock the wiki page"	=>	"Wiki entsperren",
				/*0169*/"block the wiki page"	=>	"Wiki sperren",
				/*0170*/"show the wiki page"	=>	"Wiki anzeigen",
				/*0171*/"hide the wiki page"	=>	"Wiki ausblenden",
				/*0172*/"list of deleted pages"	=>	"Gelöschte Seiten",
				/*0173*/"restore the wiki page"	=>	"Wiki wiederherstellen",
				/*0174*/"delete the wiki page"	=>	"Wiki löschen",
				/*0175*/"list of blocked pages"	=>	"Gesperrte Seiten",
				/*0176*/"special pages"	=>	"Sonderseiten",
				/*0177*/"Actions carried out by administrators"	=>	"Administratoren durchgeführten Aktionen anzeigen",
				/*0178*/"No bluetooth devices found"	=>	"Es wurden keine Bluetooth-Geräte gefunden",
				/*0179*/"learn how to find it" =>	"Wie kann man das herausfinden?",
				/*0180*/"Download the xml file of all the <b>bluetooth devices</b> in the database" => "Alle enthaltenen <b>Bluetooth-Geräte</b> herunterladen (XML-Format)",
				/*0181*/"License information"	=>	"Informationen zur Lizenz",
				/*0182*/"No acquisition card found"	=>	"Es wurde keine TV/Video/FM-Erweiterung gefunden",
				/*0183*/"No fingerprint readers found"	=>	"Es wurde kein Fingerabdruck-Lesegerät gefunden",
				/*0184*/"Download the xml file of all the <b>acquisition cards</b> in the database"	=>	"Alle enthaltenen <b>TV/Video/FM-Erweiterungen</b> herunterladen (XML-Format",
				/*0185*/"Download the xml file of all the <b>fingerprint readers</b> in the database"	=>	"Alle enthaltenen <b>Fingerabdruck-Lesegeräte</b> herunterladen (XML-Format",
				/*0186*/"architecture"	=>	"Architektur",
				/*0187*/"Add here the device name as written on the device itself or on the device box. Add it only if it is different from the <i>model name</i> already inserted inside the above entry. Add the new name in such a way that there is one name per row."	=>	"Fügen Sie hier den Gerätenamen hinzu, wie auf dem Gerät selbst oder auf der Verpackung angegeben, jedoch nur, wenn dieser von der bereits genannten <i>Modellbezeichnung</i> abweicht (ein Gerätename/pro Zeile).",
				/*0188*/"Write here the model name obtained by the lspci or lsusb command."	=>	"Geben Sie hier die vom Befehl „lspci“ oder „lsusb“ ermittelte Modellbezeichnung ein.",
				/*0189*/"This is the name of the chipset of your device."	=>	"Dies ist der Name des Chipsatzes Ihres Gerätes.",
				/*0190*/"possible other names of the device"	=>	"Andere mögliche Gerätenamen",
			),
		'gr'	=>	array
			(
				/*0001*/"Search one device in the archive"	=>	"Αναζήτηση μίας συσκευής από το αρχείο",
				/*0002*/"hardware type"		=>	"Τύπος υλικού",
				/*0003*/"the model name contains"	=>	"το όνομα του μοντέλου περιλαμβάνει",
				/*0004*/"List of issues"	=>	"Κατάλογος ερωτήσεων",
				/*0005*/"TITLE"				=>	"ΤΙΤΛΟΣ",
				/*0006*/"TOPIC"				=>	"ΘΕΜΑ",
				/*0007*/"OPENED BY"			=>	"ΑΝΟΙΧΘΗΚΕ ΑΠΟ ΤΟΝ",
				/*0008*/"DATE"				=>	"ΔΕΔΟΜΕΝΑ",
				/*0009*/"REPLIES"			=>	"ΜΗΝΥΜΑΤΑ",
				/*0010*/"PRIORITY"			=>	"ΠΡΟΤΕΡΑΙΟΤΗΤΑ",
				/*0011*/"STATUS"			=>	"ΚΑΤΑΣΤΑΣΗ",
				/*0012*/"You have to"		=>	"Πρέπει να εκτελέσετε το",
				/*0013*/"in order to submit an issue"	=>	"για να μπορείτε να ανοίξετε ένα νέο θέμα",
				/*0014*/"in order to add a message"	=> "για να μπορείτε να στείλετε ένα μήνυμα",
				/*0015*/"Description"		=>	"Περιγραφή",
				/*0016*/"Messages"			=>	"Μηνύματα",
				/*0017*/"this message has been deleted"	=>	"Αυτό το μήνυμα διεγράφη",
				/*0018*/"in order to submit a message to this issue"	=>	"Για να προσθέσετε ένα μήνυμα σε αυτό το θέμα",
				/*0019*/"model name"		=>	"Όνομα του μοντέλου",
				/*0020*/"model type"		=>	"Τύπος συσκευής",
				/*0021*/"year of commercialization"	=>	"Έτος εμπορικής κυκλοφορίας",
				/*0022*/"Results of the search"		=>	"Αποτελέσματα της αναζήτησης",
				/*0023*/"page list"					=>	"Κατάλογος σελίδων",
				/*0024*/"No devices found"			=>	"Δεν βρέθηκε καμία συσκευή",
				/*0025*/"vendor"					=>	"Κατασκευαστής",
				/*0026*/"compatibility"				=>	"Συμβατότητα",
				/*0027*/"year"						=>	"Έτος",
				/*0028*/"subtype"					=>	"Υποτύπος",
				/*0029*/"sort by"					=>	"Κατάταξη ανά",
				/*0030*/"interface"					=>	"Διεπαφή",
				/*0031*/"does it work?"				=>	"Λειτουργεί;",
				/*0032*/"preview of the message"	=>	"Προεπισκόπηση του μυνήματος",
				/*0033*/"preview of the new issue message"	=>	"Προεπισκόπηση του μηνύματος για το νέο θέμα",
				/*0034*/"Add a message to this issue"	=>	"Προσθήκη ενός μηνύματος σε αυτό το θέμα",
				/*0035*/"Add a new issue"			=>	"Προσθήκη ενός νέου θέματος",
				/*0036*/"MESSAGE"					=>	"ΜΗΝΥΜΑ",
				/*0037*/"there are no messages"		=>	"Δεν υπάρχουν καθόλου μηνύματα",
				/*0038*/"No notebooks found"		=>	"Δεν βρέθηκε κανένα notebook",
				/*0039*/"subtype (notebook, netbook, tablet)"	=>	"Υποτύπος (notebook, netbook, tablet)",
				/*0040*/"compatibility with free software"	=>	"Συμβατότητα με το ελεύθερο λογισμικό",
				/*0041*/"view the other specifications"	=>	"Δείτε τις άλλες προδιαγραφές",
				/*0042*/"model"						=>	"Μοντέλο",
				/*0043*/"model id"					=>	"Κωδικός id του μοντέλου",
				/*0044*/"tested on"					=>	"Δοκιμάσθηκε με",
				/*0045*/"tested with the following kernel libre"	=>	"Δοκιμάσθηκε με τον εξής ελεύθερο πυρήνα",
				/*0046*/"video card model"			=>	"Μοντέλο της κάρτας γραφικών",
				/*0047*/"wifi model"				=>	"Μοντέλο της κάρτας wifi",
				/*0048*/"GNU/Linux distribution used for the test"	=>	"Διανομή GNU/Linux που χρησιμοποιήθηκε για την δοκιμή",
				/*0049*/"does the video card work?"	=>	"Λειτουργεί η κάρτα γραφικών;",
				/*0050*/"does the wifi card work?"	=>	"Λειτουργεί η κάρτα wifi?",
				/*0051*/"Description: (write here all the useful information)"	=>	"Περιγραφή (γράψτε εδώ όλες τις χρήσιμες πληροφορίες)",
				/*0052*/"discover all the wiki tags"	=>	"Ανακαλύψτε όλες τις ετικέτες/tag του wiki",
				/*0053*/"Fields marked with <b>*</b> are mandatory"	=>	"Τα πεδία που επισημαίνονται με <b>*</b> είναι υποχρεωτικά",
				/*0054*/"No printers found"			=>	"Δεν βρέθηκε κανένας εκτυπωτής",
				/*0055*/"interface"					=>	"Διεπαφή",
				/*0056*/"VendorID:ProductID code of the device" => "Κωδικός Κατασκευαστή:Κωδικός Προϊόντος",
				/*0057*/"free driver used"			=>	"Ελεύθεροι οδηγοί/driver που χρησιμοποιήθηκαν",
				/*0058*/"set not-specified if not sure"	=>	"Επιλέξτε το μη-διευκρινισμένο αν δεν είστε σίγουρος/η",
				/*0059*/"see the help page or leave blank if you are not sure"	=>	"Δείτε την σελίδα βοήθειας ή αφήστε κενό αν δεν είστε σίγουρος/η",
				/*0060*/"No scanners found"			=>	"Δεν βρέθηκε κανένας σαρωτής",
				/*0061*/"No video cards found"		=>	"Δεν βρέθηκε καμία κάρτα γραφικών",
				/*0062*/"how does it work with free software?"	=>	"πώς δουλεύει με το ελεύθερο λογισμικό;",
				/*0063*/"No wifi cards found"		=>	"Δεν βρέθηκε καμία κάρτα wifi",
				/*0064*/"does it work with free software?"	=>	"Λειτουργεί με ελεύθερο λογισμικό;",
				/*0065*/"differences in the entry"		=>	"Διαφορές στην καταχώρηση",
				/*0066*/"No 3G cards found"			=>	"Δεν βρέθηκε καμία κάρτα 3G",
				/*0067*/"Please specify in the below description entry the Internet Service Provider (ISP) and the country where the service is provided"	=>	"Παρακαλώ διευκρινείστε στο παρακάτω πεδίο περιγραφής τον πάροχο υπηρεσιών Internet (ISP) και τη Χώρα στην οποία παρέχονται οι υπηρεσίες",
				/*0068*/"webcam model"	=>	"Μοντέλο της webcam",
				/*0069*/"does it have a free BIOS?"	=>	"Έχει ελεύθερο BIOS;",
				/*0070*/"does the webcam work?"	=>	"Λειτουργεί η webcam;",
				/*0071*/"Current revision"	=>	"Τρέχουσα αναθεώρηση",
				/*0072*/"Hello"	=>	"Γεια σας",
				/*0073*/"Your"	=>	"Ο ",
				/*0074*/"control panel"	=>	"Πίνακας ελέγχου",
				/*0075*/"create new account"	=>	"Δημιουργήστε έναν λογαριασμό",
				/*0076*/"request new password"	=> "Ζητήστε έναν νέο κωδικό πρόσβασης",
				/*0077*/"website statistics"	=>	"Στατιστικές του ιστοτόπου",
				/*0078*/"hardware in the database"	=>	"Υλικό/hardware στη βάση δεδομένων",
				/*0079*/"users logged"	=>	"Συνδεδεμένοι χρήστες",
				/*0080*/"Watch your public profile"	=>	"Δείτε το δημόσιο προφίλ σας",
				/*0081*/"Edit your profile"	=>	"Τροποποιήστε το προφίλ σας",
				/*0082*/"Change your e-mail address"	=>	"Αλλάξτε την ηλεκτρονική σας διεύθυνση",
				/*0083*/"Change your password"	=>	"Αλλάξτε τον κωδικό σας πρόσβασης",
				/*0084*/"Delete your account"	=>	"Διαγράψτε τον λογαριασμό σας",
				/*0085*/"choose the username"	=>	"Επιλέξτε το όνομα χρήστη",
				/*0086*/"characters allowed"	=>	"Αποδεκτοί χαρακτήρες",
				/*0087*/"your e-mail address"	=>	"Η ηλεκτρονική σας διεύθυνση",
				/*0088*/"necessary to confirm the registration"	=>	"Απαραίτητο για την επιβεβαίωση της εγγραφής",
				/*0089*/"choose the password"	=>	"Επιλέξτε τον κωδικό πρόσβασης",
				/*0090*/"confirm the password"	=>	"Επιβεβαιώστε τον κωδικό πρόσβασης",
				/*0091*/"write the code above"	=>	"Γράψτε τον παραπάνω κωδικό",
				/*0092*/"write your username"	=>	"Γράψτε το όνομα χρήστη",
				/*0093*/"Actions carried out by moderators"	=>	"Ενέργειες που έγιναν από τους συντονιστές/moderators",
				/*0094*/"meet"	=>	"γνωρίστε",
				/*0095*/"Public profile of"	=>	"Δημόσιο προφίλ του/της",
				/*0096*/"See all the contributions of"	=>	"Δείτε όλες τις συνεισφορές του/της",
				/*0097*/"My website"	=>	"Ο προσωπικός μου ιστότοπος",
				/*0098*/"My real name"	=>	"Το πραγματικό μου όνομα",
				/*0099*/"My e-mail address"	=>	"Η ηλεκτρονική μου διεύθυνση",
				/*0100*/"I'm from"	=>	"Είμαι από το/την",
				/*0101*/"Birthdate"	=>	"Ημερομ. γεννήσεως",
				/*0102*/"My favourite distribution"	=>	"Η αγαπημένη μου διανομή",
				/*0103*/"Free software projects I'm working on"	=>	"Projects ελεύθερου Λογισμικού για τα οποία εργάζομαι",
				/*0104*/"My description"	=>	"Η περιγραφή μου",
				/*0105*/"contributions"	=>	"Συνεισφορές",
				/*0106*/"contributions of"	=>	"Συνεισφορές του/της",
				/*0107*/"No sound cards found"	=>	"Δεν βρέθηκε καμία κάρτα ήχου",
				/*0108*/"LAST UPDATE"	=>	"ΤΕΛΕΥΤΑΙΑ ΕΝΗΜΕΡΩΣΗ",
				/*0109*/"search by"	=>	"Αναζήτηση για",
				/*0110*/"analyze the output of the lspci command"	=>	"Ανάλυση της εξόδου της εντολής lscpi",
				/*0111*/"paste the output of the lspci command"	=>	"Επικόλληση της εξόδου της εντολής lspci",
				/*0112*/"works, but without 3D acceleration"	=>	"Λειτουργεί, αλλά χωρίς επιτάχυνση 3D",
				/*0113*/"the text submitted by you does not seem to be the lspci -vmmnn output. Please check the text and try again"	=>	"το κείμενο που υποβάλλατε δεν μοιάζει με την έξοδο της εντολής lspci -vmmnn. Παρακαλώ επανελέγξτε το κείμενο και ξαναδοκιμάστε",
				/*0114*/"Search form"	=>	"Φόρμα αναζήτησης",
				/*0115*/"write here the output of lspci -vmmnn"	=>	"Γράψτε εδώ την έξοδο της εντολής lspci -vmmnn",
				/*0116*/"The following devices has been found in the database"	=>	"Βρέθηκαν οι ακόλουθες συσκευές στη βάση δεδομένων",
				/*0117*/"yes"	=>	"ναι",
				/*0118*/"no"	=>	"όχι",
				/*0119*/"The following devices has not been found in the database"	=>	"Οι εξής συσκευές δεν βρέθηκαν  στη βάση δεδομένων",
				/*0120*/"can you please insert them?"	=>	"Μπορείτε παρακαλώ να τις εισαγάγετε;",
				/*0121*/"No webcams found"	=>	"Δεν βρέθηκε καμία webcam",
				/*0122*/"Download the xml file of all the database"	=>	"Μεταφορτώστε το αρχείο xml όλης της βάσης δεδομένων",
				/*0123*/"Download the xml file of all the <b>notebooks</b> in the database"	=>	"Μεταφορτώστε το αρχείο xml όλων των <b>notebook</b> που περικλείονται στη βάση δεδομένων",
				/*0124*/"Download the xml file of all the <b>wifi cards</b> in the database"	=>	"Μεταφορτώστε το αρχείο xml όλων των <b>καρτών wifi</b> που περικλείονται στη βάση δεδομένων",
				/*0125*/"Download the xml file of all the <b>video cards</b> in the database"	=>	"Μεταφορτώστε το αρχείο xml όλων των <b>καρτών γραφικών</b> που περικλείονται στη βάση δεδομένων",
				/*0126*/"Download the xml file of all the <b>printers</b> in the database"	=>	"Μεταφορτώστε το αρχείο xml όλων των <b>εκτυπωτών</b> που περικλείονται στη βάση δεδομένων",
				/*0127*/"Download the xml file of all the <b>3G cards</b> in the database"	=>	"Μεταφορτώστε το αρχείο xml όλων των <b>καρτών 3G</b> που περικλείονται στη βάση δεδομένων",
				/*0128*/"Download the xml file of all the <b>sound cards</b> in the database"	=>	"Μεταφορτώστε το αρχείο xml όλων των <b>καρτών ήχου</b> που περικλείονται στη βάση δεδομένων",
				/*0129*/"Download the xml file of all the <b>webcams</b> in the database"	=>	"Μεταφορτώστε το αρχείο xml όλων των <b>webcam</b> που περικλείονται στη βάση δεδομένων",
				/*0130*/"You can download all the h-node database in one unique xml file in order to parse its contents by means of some proper script (for example a Python or Perl or PHP script)"	=>	"Μπορείτε να μεταφορτώσετε την βάση δεδομένων του h-node σε ένα ενιαίο αρχείο xml, για την ανάλυση των περιεχομένων του, με τη χρήση ενός κατάλληλου script (π.χ. ένα script σε Python ή σε Perl ή σε PHP)",
				/*0131*/"Download the h-node hardware database in xml format"	=>	"Μεταφορτώστε την βάση δεδομένων του υλικού/hardware του h-node υπό μορφή αρχείου xml",
				/*0132*/"Database modifications"	=>	"Τροποποιήσεις βάσης δεδομένων",
				/*0133*/"List of the database modifications carried out by users"	=>	"Κατάλογος τροποποιήσεων της βάσης δεδομένων των χρηστών",
				/*0134*/"the model"	=>	"το μοντέλο",
				/*0135*/"has been inserted by" =>	"Έχει εισαχθεί από τον/την",
				/*0136*/"has been updated by" =>	"Έχει τροποποιηθεί από τον/την",
				/*0137*/"at"	=>	"στις",
				/*0138*/"last modifications"	=>	"Τελευταίες τροποποιήσεις",
				/*0139*/"watch all modifications"	=>	"Δείτε όλες τις τροποποιήσεις",
				/*0140*/"the title"	=>	"ο τίτλος",
				/*0141*/"the text of the wiki page"	=>	"Το κείμενο της σελίδας του wiki",
				/*0142*/"the wiki page has not been found"	=>	"Η σελίδα του wiki δεν βρέθηκε",
				/*0143*/"Page not-found"	=>	"Η σελίδα δεν βρέθηκε",
				/*0144*/"Insert"	=>	"Εισαγωγή",
				/*0145*/"Update"	=>	"Τροποποίηση",
				/*0146*/"History"	=>	"Ιστορία",
				/*0147*/"Revision"	=>	"Αναθεώρηση",
				/*0148*/"Differences"	=>	"Διαφορές",
				/*0149*/"Insert a new wiki page"	=>	"Εισαγωγή μίας νέας σελίδας στο wiki",
				/*0150*/"Edit the wiki page"	=>	"Τροποποιήστε την σελίδα του wiki",
				/*0151*/"Make current"	=>	"Καταστήστε τρέχουσα την αναθεώρηση",
				/*0152*/"I want to make this revision the current revision"	=>	"Θέλω να κάνω αυτή την αναθεώρηση να είναι η τρέχουσα αναθεώρηση",
				/*0153*/"Confirm"	=>	"Επιβεβαίωση",
				/*0154*/"Make this revision the current revision of the page"	=>	"Κάντε αυτή την αναθεώρηση να είναι η τρέχουσα αναθεώρηση της σελίδας",
				/*0155*/"This wiki page has been deleted"	=>	"Αυτή η σελίδα του wiki έχει διαγραφεί",
				/*0156*/"Talk"	=>	"Συζήτηση",
				/*0157*/"Talk page of the wiki page"	=>	"Σελίδα συζήτησης της σελίδας του wiki",
				/*0158*/"a page with the same title already exists"	=>	"Υπάρχει ήδη μία σελίδα με τον ίδιο τίτλο",
				/*0159*/"title is too long"	=>	"Ο τίτλος είναι πολύ μεγάλος",
				/*0160*/"the page text is too long"	=>	"Το κείμενο της σελίδας είναι πολύ μεγάλο",
				/*0161*/"History of the wiki page"	=>	"Ιστορικό της σελίδας του wiki",
				/*0162*/"Would you like to insert it?"	=>	"Θα θέλατε να το εισαγάγετε;",
				/*0163*/"Wiki modifications"	=>	"Τροποποιήσεις του Wiki",
				/*0164*/"List of the wiki modifications carried out by users"	=>	"Κατάλογος των τροποποιήσεων του wiki που επέφεραν οι χρήστες",
				/*0165*/"list of pages"	=>	"κατάλογος των σελίδων",
				/*0166*/"List of wiki pages"	=>	"Κατάλογος των σελίδων του wiki",
				/*0167*/"This wiki page has been blocked"	=>	"Αυτή η σελίδα του wiki έχει εμποδισθεί",
				/*0168*/"unblock the wiki page"	=>	"Απελευθερώστε την σελίδα",
				/*0169*/"block the wiki page"	=>	"Εμποδίστε την σελίδα του wiki",
				/*0170*/"show the wiki page"	=>	"Εμφανείστε την σελίδα του wiki",
				/*0171*/"hide the wiki page"	=>	"Κρύψτε την σελίδα του wiki",
				/*0172*/"list of deleted pages"	=>	"Κατάλογος σελίδων που έχουν διαγραφεί",
				/*0173*/"restore the wiki page"	=>	"Ανακτήστε την σελίδα του wiki",
				/*0174*/"delete the wiki page"	=>	"Διαγράψτε την σελίδα",
				/*0175*/"list of blocked pages"	=>	"Κατάλογος σελίδων που έχουν εμποδισθεί",
				/*0176*/"special pages"	=>	"Ειδικές σελίδες",
				/*0177*/"Actions carried out by administrators"	=>	"Ενέργειες που εκτελέσθηκαν από τους διαχειριστές",
				/*0178*/"No bluetooth devices found"	=>	"Δεν βρέθηκε καμία συσκευή bluetooth",
				/*0179*/"learn how to find it" =>	"Μάθετε πως να το βρείτε",
				/*0180*/"Download the xml file of all the <b>bluetooth devices</b> in the database" => "Μεταφορτώστε το αρχείο xml όλων των <b>συσκευών bluetooth</b> που περικλείονται στη βάση δεδομένων",
				/*0181*/"License information"	=>	"Πληροφορίες για την άδεια",
				/*0182*/"No acquisition card found"	=>	"Δεν βρέθηκε καμία κάρτα λήψης",
				/*0183*/"No fingerprint readers found"	=>	"Δεν βρέθηκε καμία συσκευή ανάγνωσης δακτυλικών αποτυπωμάτων",
				/*0184*/"Download the xml file of all the <b>acquisition cards</b> in the database"	=>	"Μεταφορτώστε το αρχείο xml όλων των <b>καρτών λήψης</b> που περικλείονται στη βάση δεδομένων",
				/*0185*/"Download the xml file of all the <b>fingerprint readers</b> in the database"	=>	"Μεταφορτώστε το αρχείο xml όλων των <b>συσκευών ανάγνωσης δακτυλικών αποτυπωμάτων</b> που περικλείονται στη βάση δεδομένων",
				/*0186*/"architecture"	=>	"Αρχιτεκτονική",
				/*0187*/"Add here the device name as written on the device itself or on the device box. Add it only if it is different from the <i>model name</i> already inserted inside the above entry. Add the new name in such a way that there is one name per row."	=>	"Προσθέστε εδώ το όνομα της συσκευής έτσι όπως προκύπτει γραμμένο πάνω στην ίδια τη συσκευή ή στη συσκευασία της. Προσθέστε το όνομα αυτό μόνον αν είναι διαφορετικό από το <i>όνομα του μοντέλου</i> που έχει ήδη εισαχθεί στο προηγούμενο πεδίο. Προσθέστε το νέο όνομα έτσι ώστε να υπάρχει ένα όνομα ανά σειρά.",
				/*0188*/"Write here the model name obtained by the lspci or lsusb command."	=>	"Γράψτε εδώ το όνομα του μοντέλου που επιστρέφει η εντολή lspci είτε η εντολή lsusb.",
				/*0189*/"This is the name of the chipset of your device."	=>	"Αυτό είναι το όνομα του chipset της συσκευής σας.",
				/*0190*/"possible other names of the device"	=>	"Άλλα πιθανά ονόματα της συσκευής",
				/*0191*/"Description entry preview"	=>	"Προεπισκόπηση του πεδίου περιγραφής",
				/*0192*/"Page preview"	=>	"Προεπισκόπηση της σελίδας",
				/*0193*/"This device page has been hidden"	=>	"Η σελίδα αυτής της συσκευής έχει αποκρυφθεί",
				/*0194*/"restore the device page"	=>	"Ανάκτηση της σελίδας της συσκευής",
				/*0195*/"hide the device page"	=>	"Απόκρυψη της σελίδας της συσκευής",
				/*0196*/"Download the xml file of all the <b>scanners</b> in the database" =>	"Μεταφορτώστε το αρχείο xml όλων των <b>σαρωτών</b> που περικλείονται στη βάση δεδομένων",
				/*0197*/"Special pages for administrators"	=>	"Ειδικές σελίδες για διαχειριστές",
				/*0198*/"Special pages for moderators"	=>	"Ειδικές σελίδες για τους συντονιστές/moderators",
				/*0199*/"see the page"	=>	"Δείτε την σελίδα",
				/*0200*/"hidden device pages"	=>	"Κρυφές σελίδες των συσκευών",
				/*0201*/"panel"	=>	"πάνελ",
				/*0202*/"List of hidden device pages"	=>	"Κατάλογος των κρυφών σελίδων των συσκευών",
				/*0203*/"approve the device page"	=>	"Έγκριση της σελίδας της συσκευής",
				/*0204*/"This device page has not been approved yet"	=>	"Αυτή η σελίδα συσκευής δεν έχει ακόμη εγκριθεί",
				/*0205*/"Device pages that have to be approved"	=>	"Σελίδες συσκευών προς έγκριση",
				/*0206*/"The device page has to be approved by an administrator of the website"	=>	"Αυτή η σελίδα συσκευής πρέπει να εγκριθεί από έναν διαχειριστή της ιστοσελίδας",
				/*0207*/"permanently delete the device page"	=>	"Διαγράψτε οριστικά την σελίδα συσκευής",
				/*0208*/"This page has been permanently deleted by an administrator of the website"	=>	"Αυτή η σελίδα έχει διαγραφεί οριστικά από έναν διαχειριστή της ιστοσελίδας",
				/*0209*/"No ethernet devices found"	=>	"Δεν βρέθηκε καμία κάρτα ethernet",
				/*0210*/"free BIOS"	=>	"Ελεύθερο BIOS",
				/*0211*/"You are not a registered user or you have not logged in. Your contribution won't be published until an administrator approves it. If you want your contributions to be automatically published please log in or create an account."	=>	"Δεν είστε ένας εγγεγραμμένος χρήστης, ή δεν κάνατε login. Η συνεισφορά σας δεν θα δημοσιευθεί μέχρι να εγκριθεί από έναν διαχειριστή. Αν επιθυμείτε να δημοσιεύεται αυτομάτως η συνεισφορά σας, τότε, παρακαλώ κάντε login, ή δημιουργήστε έναν λογαριασμό.",
				/*0212*/"has been inserted by an anonymous user, it has to be approved by an administrator in order to be published"	=>	"έχει εισαχθεί από έναν ανώνυμο χρήστη, και θα πρέπει πρώτα να εγκριθεί από έναν διαχειριστή για να δημοσιευθεί",
				/*0213*/"you can also subscribe to the feed in order to receive the new modifications that need a moderation"	=>	"μπορείτε και να εγγραφείτε στη ροή νέων, για να λαμβάνετε τις νέες τροποποιήσεις που χρειάζονται συντονισμό",
				/*0214*/"you need javascript enabled in order to correctly use the language's tabs (see below)"	=>	"πρέπει να έχετε ενεργοποιήσει την Javascript για να χρησιμοποιείτε σωστά τις καρτέλες γλώσσας (δείτε πιο κάτω)",
				/*0215*/"yes"	=>	"Ναι",
				/*0216*/"works with 3D acceleration"	=>	"Λειτουργεί με επιτάχυνση 3D",
				/*0217*/"works, but without 3D acceleration"	=>	"Λειτουργεί, αλλά χωρίς επιτάχυνση 3D",
				/*0218*/"it does not work"	=>	"Δεν λειτουργεί",
				/*0219*/"Notebooks, netbooks, tablet PC"	=>	"Φορητοί υπολογιστές, Υπο-φορητοί, Ταμπλέτες",
				/*0220*/"Wifi cards"	=>	"Κάρτες wifi",
				/*0221*/"Video cards"	=>	"Κάρτες γραφικών",
				/*0222*/"Printers and multifunction"	=>	"Εκτυπωτές και πολυεργαλεία",
				/*0223*/"Scanners"	=>	"Σαρωτές",
				/*0224*/"3G cards"	=>	"Κάρτες 3G",
				/*0225*/"Sound cards"	=>	"Κάρτες ήχου",
				/*0226*/"Webcams"	=>	"Διαδικτυακές κάμερες Webcam",
				/*0227*/"Bluetooth devices"	=>	"Συσκευές bluetooth",
				/*0228*/"TV/Video/FM acquisition cards"	=>	"Κάρτες λήψης TV/Video/FM",
				/*0229*/"Fingerprint readers"	=>	"Συσκευές ανγνώρισης δακτυλικών αποτυπωμάτων",
				/*0230*/"Ethernet cards"	=>	"Κάρτες ethernet",
				/*0231*/"Hardware"	=>	"Υλικό/ Hardware",
				/*0232*/"Issues"	=>	"Προβλήματα",
				/*0233*/"Search"	=>	"Αναζήτηση",
				/*0234*/"News"	=>	"Νέα",
				/*0235*/"Download"	=>	"Μεταφόρτωση",
				/*0236*/"Help"	=>	"Βοήθεια",
				/*0237*/"List of"	=>	"Κατάλογος των",
				/*0238*/"talk messages"	=>	"μυνήματα συζήτησης",
				/*0239*/"History"	=>	"Ιστορικό",
				/*0240*/"Revision"	=>	"Αναθεώρηση",
				/*0241*/"This is an old revision of this page, as edited by"	=>	"Αυτή είναι μια παλιά αναθεώρηση της σελίδας, έτσι όπως τροποποιήθηκε από τον/την",
				/*0242*/"It may differ significantly from the"	=>	"Μπορεί να διαφέρει σημαντικά από την",
				/*0243*/"Differences between the revision of"	=>	"Διαφορές ανάμεσα στην αναθεώρηση του/της",
				/*0244*/"created by"	=>	"που δημιουργήθηκε από τον/την",
				/*0245*/"and the revision of"	=>	"και την αναθεώρηση του/της",
				/*0246*/"<b>Notice</b>: the text in <del>red</del> has been deleted from the previous revision, the text in <ins>green</ins> has been added in this revision and the text in <span class='gray_text_notice'>gray</span> has not been changed."	=>	"<b>Σημείωση</b>: το κείμενο με <del>κόκκινο</del> έχει διαγραφεί από την προηγούμενη αναθεώρηση, το κείμενο με <ins>πράσινο</ins> έχει προστεθεί σε αυτή την αναθεώρηση και το κείμενο με <span class='gray_text_notice'>γκρι</span> δεν έχει αλλαχθεί",
				/*0247*/"Insert"	=>	"Εισαγωγή",
				/*0248*/"Edit"	=>	"Τροποποίηση",
				/*0249*/"Talk page"	=>	"Σελίδα συζήτησης",
				/*0250*/"Download the xml file of all the <b>ethernet cards</b> in the database"	=>	"Μεταφορτώστε το αρχείο xml όλων των <b>καρτών ethernet</b> που περικλείονται στη βάση δεδομένων",
				/*0251*/"No SD card readers found"	=>	"Δεν βρέθηκε καμία συσκευή ανάγνωσης καρτών SD",
				/*0252*/"SD card readers"	=>	"Συσκευές ανάγνωσης καρτών SD",
				/*0253*/"Download the xml file of all the <b>SD card readers</b> in the database"	=>	"Μεταφορτώστε το αρχείο xml όλων των <b>συσκευών ανάγνωσης καρτών SD</b> που περικλείονται στη βάση δεδομένων",
				/*0254*/"There are no devices in the database with the vendorid:productid code specified by you."	=>	"Δεν υπάρχουν συσεκυές στη βάση δεδομένων με τον κωδικό vendorid:productid που να διευκρινίσθηκε από εσάς",
				/*0255*/"Would you like to add it to the database?"	=>	"Θα θέλατε να το προσθέσετε στη βάση δεδομεων;",
				/*0256*/"can free operating systems be installed?"	=>	"μπορούν να εγκατασταθούν ελεύθερα λειτοργικά συστήματα;",
				/*0257*/"This issue has been deleted"	=>	"Αυτό το πρόβλημα έχει διαγραφεί",
				/*0258*/"hidden for those who are not moderators"	=>	"κρυφό για εκείνους που δεν είναι συντονιστές",
				/*0259*/"This issue is hidden for all the users that are not moderators"	=>	"Αυτό το πρόβλημα είναι κρυφό για όλους τους χρήστες που δεν είναι συντονιστές",
				/*0260*/"hide the issue"	=>	"Κρύψτε το πρόβλημα",
				/*0261*/"show the issue"	=>	"Εμφάνιση του προβλήματος",
				/*0262*/"open the issue again"	=>	"Ανοίξτε το πρόβλημα ξανά",
				/*0263*/"close the issue"	=>	"Κλείστε το πρόβλημα",
				/*0264*/"This issue is closed"	=>	"Αυτό το πρόβλημα έχει κλείσει",
				/*0265*/"This issue is opened"	=>	"Αυτό το πρόβλημα είναι ανοικτό",
				/*0266*/"does it adopt any techniques to track users?"	=>	"Υιοθετεί οποιεσδήποτε τεχνικές για παρακολούθηση των χρηστών;",
				/*0267*/"Actions carried out by users"	=>	"Ενέργειες που εκτελέσθηκαν από τους χρήστες",
				/*0268*/"No modems found"	=>	"Δεν βρέθηκε κανένα modem",
				/*0269*/"Download the xml file of all the <b>modems</b> in the database"	=>	"Μεταφορτώστε το αρχείο xml όλων των συσκευών <b>modem</b> που περιλαμβάνονται στη βάση δεδομένων",
				/*0270*/"Modems and ADSL cards"	=>	"Συσκευές Modem και κάρτες ADSL",
				/*0271*/"Table of contents"	=>	"Πίνακας περιεχομένων",
				/*0272*/"by"	=>	"Δημιουργήθηκε από τον/την",
				/*0273*/"Add a message"	=>	"Προσθέστε ένα μήνυμα",
				/*0274*/"Save"	=>	"Αποθήκευση",
				/*0275*/"Revision of the wiki page"	=>	"Αναθεώρηση της σελίδας του wiki",
				/*0276*/"Preview"	=>	"Προεπισκόπηση",
				/*0277*/"January"	=>	"Ιανουάριος",
				/*0278*/"February"	=>	"Φεβρουάριος",
				/*0279*/"March"	=>	"Μάρτιος",
				/*0280*/"April"	=>	"Απρίλιος",
				/*0281*/"May"	=>	"Μάιος",
				/*0282*/"June"	=>	"Ιούνιος",
				/*0283*/"July"	=>	"Ιούλιος",
				/*0284*/"August"	=>	"Αύγουστος",
				/*0285*/"September"	=>	"Σεπτέμβριος",
				/*0286*/"October"	=>	"Οκτώβριος",
				/*0287*/"November"	=>	"Νοέμβριος",
				/*0288*/"December"	=>	"Δεκέμβριος",
				/*0289*/"not-specified"	=>	"μη-διευκρινισμένο",
				/*0290*/"last-inserted"	=>	"τελευταία-εισαγωγή",
				/*0291*/"last inserted"	=>	"τελευταία εισαγωγή",
				/*0292*/"alphabetically"	=>	"κατά αλφαβητική σειρά",
				/*0293*/"alphabetically-desc"	=>	"κατά-φθίνουσα-αλφαβητική-σειρά",
				/*0294*/"alphabetically desc"	=>	"κατά φθίνουσα αλφαβητική σειρά",
				/*0295*/"undef"	=>	"αδιευκρ",
				/*0296*/"All"	=>	"Όλοι",
				/*0297*/"inkjet"	=>	"ψεκασμού μελάνης",
				/*0298*/"A-Full" 			=>	"A-Πλήρης",
				/*0299*/"B-Partial"			=>	"B-Μερικός",
				/*0300*/"C-None"			=>	"C-Κανείς",
				/*0301*/"A-platinum" 		=>	"A-Πλατινένιος",
				/*0302*/"B-gold"			=>	"B-χρυσός",
				/*0303*/"C-silver"			=>	"C-αργυρός",
				/*0304*/"D-bronze"			=>	"D-χάλκινος",
				/*0305*/"E-garbage"			=>	"E-σκουπίδια",
				/*0306*/"not specified how it works"	=>	"Δεν διευκρινίσθηκε πως λειτουργεί",
				/*0307*/"there is no wifi card"	=>	"Δεν υπάρχει κάρτα wifi",
				/*0308*/"there is no webcam"	=>	"Δεν υπάρχει καμία διαδικτυακή κάμερα",
				/*0309*/"it works"	=>	"Λειτουργεί",
				/*0310*/"does_not_work"	=>	"Δεν λειτουργεί",
				/*0311*/"works_without_3D"	=>	"Λειτουργεί χωρίς 3D",
				/*0312*/"works_with_3D"	=>	"Λειτουργεί με 3D",
				/*0313*/"list of languages"	=>	"Κατάλογος γλωσσών",
				/*0314*/"Choose the language"	=>	"Επιλέξτε μία γλώσσα",
				/*0315*/"back"	=>	"πίσω",
				/*0316*/"next"	=>	"τα επόμενα",
				/*0317*/"previous"	=>	"τα προηγούμενα",
				/*0318*/"type"	=>	"τύπος",
			),
		'pt'	=>	array
			(
				/*0001*/"Search one device in the archive"	=>	"Procurar um dispositivo no arquivo",
				/*0002*/"hardware type"		=>	"Tipo de hardware",
				/*0003*/"the model name contains"	=>	"O nome do modelo contém",
				/*0004*/"List of issues"	=>	"Lista de discussões",
				/*0005*/"TITLE"				=>	"TÍTULO",
				/*0006*/"TOPIC"				=>	"TÓPICO",
				/*0007*/"OPENED BY"			=>	"ABERTO POR",
				/*0008*/"DATE"				=>	"DATA",
				/*0009*/"REPLIES"			=>	"RESPOSTAS",
				/*0010*/"PRIORITY"			=>	"PRIORIDADE",
				/*0011*/"STATUS"			=>	"STATUS",
				/*0012*/"You have to"		=>	"Você precisa",
				/*0013*/"in order to submit an issue"	=>	"para poder cadastrar uma discussão",
				/*0014*/"in order to add a message"	=> "para pode adicionar uma mensagem",
				/*0015*/"Description"		=>	"Descrição",
				/*0016*/"Messages"			=>	"Mensagens",
				/*0017*/"this message has been deleted"	=>	"esta mensagem foi excluída",
				/*0018*/"in order to submit a message to this issue"	=>	"para poder enviar uma mensagem para esta discussão",
				/*0019*/"model name"		=>	"nome do modelo",
				/*0020*/"model type"		=>	"tipo de modelo",
				/*0021*/"year of commercialization"	=>	"ano de comercialização",
				/*0022*/"Results of the search"		=>	"Resultados da pesquisa",
				/*0023*/"page list"					=>	"página",
				/*0024*/"No devices found"			=>	"Nenhum dispositivo encontrado",
				/*0025*/"vendor"					=>	"fabricante",
				/*0026*/"compatibility"				=>	"compatibilidade",
				/*0027*/"year"						=>	"ano",
				/*0028*/"subtype"					=>	"subtipo",
				/*0029*/"sort by"					=>	"ordenar por",
				/*0030*/"interface"					=>	"interface",
				/*0031*/"does it work?"				=>	"funciona?",
				/*0032*/"preview of the message"	=>	"visualização da mensagem",
				/*0033*/"preview of the new issue message"	=>	"visualização da mensagem da nova discussão",
				/*0034*/"Add a message to this issue"	=>	"Adicionar uma mensagem a esta discussão",
				/*0035*/"Add a new issue"			=>	"Adicionar uma nova discussão",
				/*0036*/"MESSAGE"					=>	"MENSAGEM",
				/*0037*/"there are no messages"		=>	"não há mensagens",
				/*0038*/"No notebooks found"		=>	"Nenhum notebook encontrado",
				/*0039*/"subtype (notebook, netbook, tablet)"	=>	"subtipo (notebook, netbook, tablet)",
				/*0040*/"compatibility with free software"	=>	"compatibilidade com software livre",
				/*0041*/"view the other specifications"	=>	"exibir as outras especificações",
				/*0042*/"model"						=>	"Modelo",
				/*0043*/"model id"					=>	"ID do modelo",
				/*0044*/"tested on"					=>	"testado com",
				/*0045*/"tested with the following kernel libre"	=>	"testado com o seguinte kernel livre",
				/*0046*/"video card model"			=>	"modelo da placa de vídeo",
				/*0047*/"wifi model"				=>	"modelo da placa wifi",
				/*0048*/"GNU/Linux distribution used for the test"	=>	"distribuição GNU/Linux usada para teste",
				/*0049*/"does the video card work?"	=>	"a placa de vídeo funciona?",
				/*0050*/"does the wifi card work?"	=>	"a placa wifi funciona?",
				/*0051*/"Description: (write here all the useful information)"	=>	"Descrição (escreva todas as informações que achar útil)",
				/*0052*/"discover all the wiki tags"	=>	"explore todas as tags da wiki",
				/*0053*/"Fields marked with <b>*</b> are mandatory"	=>	"Campos marcados com <b>*</b> são obrigatórios",
				/*0054*/"No printers found"			=>	"Nenhuma impressora encontrada",
				/*0055*/"interface"					=>	"interface",
				/*0056*/"VendorID:ProductID code of the device" => "código VendorID:ProductID do dispositivo",
				/*0057*/"free driver used"			=>	"driver livre utilizado",
				/*0058*/"set not-specified if not sure"	=>	"defina como não-especificado se não tiver certeza",
				/*0059*/"see the help page or leave blank if you are not sure"	=>	"leia a página de ajuda ou deixe em branco se não tiver certeza",
				/*0060*/"No scanners found"			=>	"Nenhum scanner encontrado",
				/*0061*/"No video cards found"		=>	"Nenhuma placa de vídeo encontrada",
				/*0062*/"how does it work with free software?"	=>	"como ele funciona com software livre?",
				/*0063*/"No wifi cards found"		=>	"Nenhuma placa wifi encontrada",
				/*0064*/"does it work with free software?"	=>	"funciona com software livre?",
				/*0065*/"differences in the entry"		=>	"diferenças no campo",
				/*0066*/"No 3G cards found"			=>	"Nenhum dispositivo 3G encontrado",
				/*0067*/"Please specify in the below description entry the Internet Service Provider (ISP) and the country where the service is provided"	=>	"Indique no campo de descrição abaixo o Provedor de Acesso à Internet (ISP) e o país onde o serviço é prestado",
				/*0068*/"webcam model"	=>	"modelo da webcam",
				/*0069*/"does it have a free BIOS?"	=>	"Tem uma BIOS livre?",
				/*0070*/"does the webcam work?"	=>	"A webcam funciona?",
				/*0071*/"Current revision"	=>	"Versão atual",
				/*0072*/"Hello"	=>	"Olá",
				/*0073*/"Your"	=>	"Seu",
				/*0074*/"control panel"	=>	"Painel de controle",
				/*0075*/"create new account"	=>	"Criar uma nova conta",
				/*0076*/"request new password"	=> "Solicitar uma nova senha",
				/*0077*/"website statistics"	=>	"Estatísticas da página Web",
				/*0078*/"hardware in the database"	=>	"O hardware no banco de dados",
				/*0079*/"users logged"	=>	"usuários on-line",
				/*0080*/"Watch your public profile"	=>	"Veja o seu perfil público",
				/*0081*/"Edit your profile"	=>	"Editar o seu perfil",
				/*0082*/"Change your e-mail address"	=>	"Alterar o seu endereço de e-mail",
				/*0083*/"Change your password"	=>	"Alterar a sua senha",
				/*0084*/"Delete your account"	=>	"Excluir a sua conta",
				/*0085*/"choose the username"	=>	"escolha o nome de usuário",
				/*0086*/"characters allowed"	=>	"caracteres permitidos",
				/*0087*/"your e-mail address"	=>	"seu endereço de e-mail",
				/*0088*/"necessary to confirm the registration"	=>	"é necessário confirmar o registro",
				/*0089*/"choose the password"	=>	"escolha a senha",
				/*0090*/"confirm the password"	=>	"confirme a senha",
				/*0091*/"write the code above"	=>	"digite o código acima",
				/*0092*/"write your username"	=>	"digite o seu nome de usuário",
				/*0093*/"Actions carried out by moderators"	=>	"Ações realizadas pelos moderadores",
				/*0094*/"meet"	=>	"reunir",
				/*0095*/"Public profile of"	=>	"Perfil público de",
				/*0096*/"See all the contributions of"	=>	"Veja todas as contribuições de",
				/*0097*/"My website"	=>	"Minha página da Web",
				/*0098*/"My real name"	=>	"Meu nome verdadeiro",
				/*0099*/"My e-mail address"	=>	"Meu endereço de e-mail",
				/*0100*/"I'm from"	=>	"Sou de",
				/*0101*/"Birthdate"	=>	"Data de nascimento",
				/*0102*/"My favourite distribution"	=>	"Minha distribuição favorita",
				/*0103*/"Free software projects I'm working on"	=>	"Projetos de software livre que eu colaboro",
				/*0104*/"My description"	=>	"Minha descrição",
				/*0105*/"contributions"	=>	"contribuições",
				/*0106*/"contributions of"	=>	"contribuições de",
				/*0107*/"No sound cards found"	=>	"Nenhuma placa de som encontrada",
				/*0108*/"LAST UPDATE"	=>	"ÚLTIMA ATUALIZAÇÃO",
				/*0109*/"search by"	=>	"Pesquisar por",
				/*0110*/"analyze the output of the lspci command"	=>	"Analisar o resultado do comando lspci",
				/*0111*/"paste the output of the lspci command"	=>	"Cole o resultado do comando lspci",
				/*0112*/"works, but without 3D acceleration"	=>	"funciona, mas sem aceleração 3D",
				/*0113*/"the text submitted by you does not seem the lspci -vmmnn output. Please check the text and try again"	=>	"o texto enviado por você não parece o resultado do comando lspci -vmmnn. Verifique o texto e tente novamente",
				/*0114*/"Search form"	=>	"Formulário de pesquisa",
				/*0115*/"write here the output of lspci -vmmnn"	=>	"digite o resultado do comando lspci -vmmnn",
				/*0116*/"The following devices has been found in the database"	=>	"Os dispositivos a seguir foram encontrados no banco de dados",
				/*0117*/"yes"	=>	"sim",
				/*0118*/"no"	=>	"não",
				/*0119*/"The following devices has not been found in the database"	=>	"Os dispositivos a seguir não foram encontrados no banco de dados",
				/*0120*/"can you please insert them?"	=>	"Você pode inseri-los?",
				/*0121*/"No webcams found"	=>	"Nenhuma webcam encontrada",
				/*0122*/"Download the xml file of all the database"	=>	"Baixar o arquivo xml do banco de dados completo",
				/*0123*/"Download the xml file of all the <b>notebooks</b> in the database"	=>	"Baixar o arquivo xml de todos os <b>notebooks</b> existentes no banco de dados",
				/*0124*/"Download the xml file of all the <b>wifi cards</b> in the database"	=>	"Baixar o arquivo xml de todas as <b>placas wifi</b> existentes no banco de dados",
				/*0125*/"Download the xml file of all the <b>video cards</b> in the database"	=>	"Baixar o arquivo xml de todas as <b>placas de vídeo</b> existentes no banco de dados",
				/*0126*/"Download the xml file of all the <b>printers</b> in the database"	=>	"Baixar o arquivo xml de todas as <b>impressoras</b> existentes no banco de dados",
				/*0127*/"Download the xml file of all the <b>3G cards</b> in the database"	=>	"Baixar o arquivo xml de todos os <b>dispositivos 3G</b> existentes no banco de dados",
				/*0128*/"Download the xml file of all the <b>sound cards</b> in the database"	=>	"Baixar o arquivo xml de todas as <b>placas de som</b> existentes no banco de dados",
				/*0129*/"Download the xml file of all the <b>webcams</b> in the database"	=>	"Baixar o arquivo xml de todas as <b>webcams</b> existentes no banco de dados",
				/*0130*/"You can download all the h-node database in one unique xml file in order to parse its contents by means of some proper script (for example a Python or Perl or PHP script)"	=>	"Você pode baixa todo o conteúdo do banco de dados do h-node em um único arquivo xml, a fim de analisar todo o seu conteúdo através de um script adequado (por exemplo, um script em Python, Perl ou PHP)",
				/*0131*/"Download the h-node hardware database in xml format"	=>	"Baixar o banco de dados de hardware do h-node em formato xml",
				/*0132*/"Database modifications"	=>	"Modificações no banco de dados",
				/*0133*/"List of the database modifications carried out by users"	=>	"Lista das modificações no banco de dados realizadas por usuários",
				/*0134*/"the model"	=>	"o modelo",
				/*0135*/"has been inserted by" =>	"foi inserido por",
				/*0136*/"has been updated by" =>	"foi atualizado por",
				/*0137*/"at"	=>	"em",
				/*0138*/"last modifications"	=>	"últimas modificações",
				/*0139*/"watch all modifications"	=>	"ver todas as modificações",
				/*0140*/"the title"	=>	"o título",
				/*0141*/"the text of the wiki page"	=>	"o texto da página wiki",
				/*0142*/"the wiki page has not been found"	=>	"a página wiki não foi encontrada",
				/*0143*/"Page not-found"	=>	"Página não encontrada",
				/*0144*/"Insert"	=>	"Inserir",
				/*0145*/"Update"	=>	"Atualizar",
				/*0146*/"History"	=>	"Histórico",
				/*0147*/"Revision"	=>	"Versão",
				/*0148*/"Differences"	=>	"Diferenças",
				/*0149*/"Insert a new wiki page"	=>	"Insere uma nova página wiki",
				/*0150*/"Edit the wiki page"	=>	"Edita a página wiki",
				/*0151*/"Make current"	=>	"Tornar a atual",
				/*0152*/"I want to make this revision the current revision"	=>	"Quero fazer desta versão a atual",
				/*0153*/"Confirm"	=>	"Confirmar",
				/*0154*/"Make this revision the current revision of the page"	=>	"Tornar esta versão a versão atual da página",
				/*0155*/"This wiki page has been deleted"	=>	"Esta página wiki foi excluída",
				/*0156*/"Talk"	=>	"Discussão",
				/*0157*/"Talk page of the wiki page"	=>	"Página de discussão da página wiki",
				/*0158*/"a page with the same title already exists"	=>	"já existe uma página com o mesmo título",
				/*0159*/"title is too long"	=>	"o título é muito grande",
				/*0160*/"the page text is too long"	=>	"o texto da página é muito grande",
				/*0161*/"History of the wiki page"	=>	"Histórico da página wiki",
				/*0162*/"Would you like to insert it?"	=>	"Gostaria de inseri-la?",
				/*0163*/"Wiki modifications"	=>	"Modificações da wiki",
				/*0164*/"List of the wiki modifications carried out by users"	=>	"Lista das modificações da wiki realizadas pelos usuários",
				/*0165*/"list of pages"	=>	"lista de páginas",
				/*0166*/"List of wiki pages"	=>	"Lista de páginas da wiki",
				/*0167*/"This wiki page has been blocked"	=>	"Esta página da wiki foi bloqueada",
				/*0168*/"unblock the wiki page"	=>	"desbloqueia a página da wiki",
				/*0169*/"block the wiki page"	=>	"bloqueia a página da wiki",
				/*0170*/"show the wiki page"	=>	"mostra a página da wiki",
				/*0171*/"hide the wiki page"	=>	"oculta a página da wiki",
				/*0172*/"list of deleted pages"	=>	"lista as páginas excluídas",
				/*0173*/"restore the wiki page"	=>	"restaura a página da wiki",
				/*0174*/"delete the wiki page"	=>	"exclui a página da wiki",
				/*0175*/"list of blocked pages"	=>	"lista de páginas bloqueadas",
				/*0176*/"special pages"	=>	"páginas especiais",
				/*0177*/"Actions carried out by administrators"	=>	"Ações realizadas pelos administradores",
				/*0178*/"No bluetooth devices found"	=>	"Nenhom dispositivo bluetooth encontrado",
				/*0179*/"learn how to find it" =>	"aprenda a encontrá-lo",
				/*0180*/"Download the xml file of all the <b>bluetooth devices</b> in the database" => "Baixar o arquivo xml de todos os <b>dispositivos bluetooth</b> existentes no banco de dados",
				/*0181*/"License information"	=>	"Informações sobre a licença",
				/*0182*/"No acquisition card found"	=>	"Nenhum placa de captura encontrada",
				/*0183*/"No fingerprint readers found"	=>	"Nenhum leitor de impressão digital encontrado",
				/*0184*/"Download the xml file of all the <b>acquisition cards</b> in the database"	=>	"Baixar o arquivo xml de todas as <b>placas de captura</b> existentes no banco de dados",
				/*0185*/"Download the xml file of all the <b>fingerprint readers</b> in the database"	=>	"Baixar o arquivo xml de todos os <b>leitores de impressão digital</b> existentes no banco de dados",
				/*0186*/"architecture"	=>	"arquitetura",
				/*0187*/"Add here the device name as written on the device itself or on the device box. Add it only if it is different from the <i>model name</i> already inserted inside the above entry. Add the new name in such a way that there is one name per row."	=>	"Adicione aqui o nome do dispositivo como escrito nele próprio ou na caixa. Adicione-o apenas se ele for diferente do <i>nome do dispositivo</i> já inserido no campo acima. Adicione o novo nome em uma única linha.",
				/*0188*/"Write here the model name obtained by the lspci or lsusb command."	=>	"Digite aqui o nome do modelo, conforme obtido através do comando lspci ou lsusb.",
				/*0189*/"This is the name of the chipset of your device."	=>	"Este é o nome do chipset do seu dispositivo.",
				/*0190*/"possible other names of the device"	=>	"outros possíveis nomes do dispositivo",
				/*0191*/"Description entry preview"	=>	"Visualização do campo descrição",
				/*0192*/"Page preview"	=>	"Visualização da página",
				/*0193*/"This device page has been hidden"	=>	"Esta página do dispositivo foi ocultada",
				/*0194*/"restore the device page"	=>	"restaurar a página do dispositivo",
				/*0195*/"hide the device page"	=>	"ocultar a página do dispositivo",
				/*0196*/"Download the xml file of all the <b>scanners</b> in the database" =>	"Baixar o arquivo xml de todos os <b>scanners</b> existentes no banco de dados",
				/*0197*/"Special pages for administrators"	=>	"Páginas especiais para administradores",
				/*0198*/"Special pages for moderators"	=>	"Páginas especiais para moderadores",
				/*0199*/"see the page"	=>	"veja a página",
				/*0200*/"hidden device pages"	=>	"Páginas ocultas do dispositivo",
				/*0201*/"panel"	=>	"painel",
				/*0202*/"List of hidden device pages"	=>	"Lista das páginas ocultas do dispositivo",
				/*0203*/"approve the device page"	=>	"aprovar a página do dispositivo",
				/*0204*/"This device page has not been approved yet"	=>	"Esta página do dispositivo ainda não foi aprovada",
				/*0205*/"Device pages that have to be approved"	=>	"Páginas do dispositivo que foram aprovadas",
				/*0206*/"The device page has to be approved by an administrator of the website"	=>	"A página do dispositivo foi aprovada por um dos administradores da página Web",
				/*0207*/"permanently delete the device page"	=>	"excluir permanentemente a página do dispositivo",
				/*0208*/"This page has been permanently deleted by an administrator of the website"	=>	"Esta página foi excluída de forma permanente por um dos administradores da página Web",
				/*0209*/"No ethernet devices found"	=>	"Nenhum dispositivo ethernet encontrado",
				/*0210*/"free BIOS"	=>	"BIOS livre",
				/*0211*/"You are not a registered user or you have not logged in. Your contribution won't be published until an administrator approves it. If you want your contributions to be automatically published please log in or create an account."	=>	"Você não é um usuário registrado ou não está autenticado. A sua contribuição não será publicada até que seja aprovada por um administrador. Se você deseja que suas contribuições seja publicadas automaticamente, por favor, autentique-se ou crie uma conta.",
				/*0212*/"has been inserted by an anonymous user, it has to be approved by an administrator in order to be published"	=>	"foi inserida por um usuário anônimo, ela precisa ser aprovada por um administrador para ser publicada",
				/*0213*/"you can also subscribe to the feed in order to receive the new modifications that need a moderation"	=>	"você também pode assinar a fonte de notícias (feed) para receber novas notificações que precisam de moderação",
				/*0214*/"you need javascript enabled in order to correctly use the language's tabs (see below)"	=>	"você precisa ativar o javascript para usar corretamente as abas de idiomas (veja abaixo)",
				/*0215*/"yes"	=>	"sim",
				/*0216*/"works with 3D acceleration"	=>	"funciona com aceleração 3D",
				/*0217*/"works, but without 3D acceleration"	=>	"funciona, mas sem aceleração 3D",
				/*0218*/"it does not work"	=>	"não funciona",
				/*0219*/"Notebooks, netbooks, tablet PC"	=>	"Notebooks, netbooks, tablet PC",
				/*0220*/"Wifi cards"	=>	"Placas wifi",
				/*0221*/"Video cards"	=>	"Placas de vídeo",
				/*0222*/"Printers and multifunction"	=>	"Impressoras e multifuncionais",
				/*0223*/"Scanners"	=>	"Scanners",
				/*0224*/"3G cards"	=>	"Dispositivos 3G",
				/*0225*/"Sound cards"	=>	"Placas de som",
				/*0226*/"Webcams"	=>	"Webcams",
				/*0227*/"Bluetooth devices"	=>	"Dispositivos bluetooth",
				/*0228*/"TV/Video/FM acquisition cards"	=>	"Placas de captura de vídeo/TV/FM",
				/*0229*/"Fingerprint readers"	=>	"Leitores de impressão digital",
				/*0230*/"Ethernet cards"	=>	"Placas de rede",
				/*0231*/"Hardware"	=>	"Hardware",
				/*0232*/"Issues"	=>	"Discussões",
				/*0233*/"Search"	=>	"Pesquisar",
				/*0234*/"News"	=>	"Novidades",
				/*0235*/"Download"	=>	"Download",
				/*0236*/"Help"	=>	"Ajuda",
				/*0237*/"List of"	=>	"Lista de",
				/*0238*/"talk messages"	=>	"mensagens",
				/*0239*/"History"	=>	"Histórico",
				/*0240*/"Revision"	=>	"Versões",
				/*0241*/"This is an old revision of this page, as edited by"	=>	"Esta é uma versão antiga desta página, editada por",
				/*0242*/"It may differ significantly from the"	=>	"Ela pode ser muito diferente da",
				/*0243*/"Differences between the revision of"	=>	"Diferenças entre a versão de",
				/*0244*/"created by"	=>	"criada por",
				/*0245*/"and the revision of"	=>	"e a versão de",
				/*0246*/"<b>Notice</b>: the text in <del>red</del> has been deleted from the previous revision, the text in <ins>green</ins> has been added in this revision and the text in <span class='gray_text_notice'>gray</span> has not been changed."	=>	"<b>Aviso</b>: o texto em <del>vermelho</del> foi excluído da versão anterior, o texto em <ins>verde</ins> foi adicionado nesta versão e o texto em <span class='gray_text_notice'>cinza</span> não foi alterado.",
				/*0247*/"Insert"	=>	"Inserir",
				/*0248*/"Edit"	=>	"Editar",
				/*0249*/"Talk page"	=>	"Pagina de discussões",
				/*0250*/"Download the xml file of all the <b>ethernet cards</b> in the database"	=>	"Baixar o arquivo xml de todas as <b>placas de rede</b> existentes no banco de dados",
				/*0251*/"No SD card readers found"	=>	"Nenhum leitor de cartão SD encontrado",
				/*0252*/"SD card readers"	=>	"Leitores de cartão SD",
				/*0253*/"Download the xml file of all the <b>SD card readers</b> in the database"	=>	"Baixar o arquivo xml de todos os <b>leitores de cartão SD</b> existentes no banco de dados",
				/*0254*/"There are no devices in the database with the vendorid:productid code specified by you."	=>	"Não há dispositivos no banco de dados com o código vendorid:productid indicado.",
				/*0255*/"Would you like to add it to the database?"	=>	"Gostaria de adicioná-lo ao banco de dados?",
				/*0256*/"can free operating systems be installed?"	=>	"É possível instalar sistemas operacionais livres?",
				/*0257*/"This issue has been deleted"	=>	"Esta discussão foi excluída",
				/*0258*/"hidden for those who are not moderators"	=>	"Oculto para os que não forem moderadores",
				/*0259*/"This issue is hidden for all the users that are not moderators"	=>	"Esta discussão foi oculta para todos os usuários que não são moderadores",
				/*0260*/"hide the issue"	=>	"ocultar esta discussão",
				/*0261*/"show the issue"	=>	"mostrar esta discussão",
				/*0262*/"open the issue again"	=>	"abrir a discussão novamente",
				/*0263*/"close the issue"	=>	"fechar a discussão",
				/*0264*/"This issue is closed"	=>	"Esta discussão está fechada",
				/*0265*/"This issue is opened"	=>	"Esta discussão está aberta",
				/*0266*/"does it adopt any techniques to track users?"	=>	"Ela adota alguma técnica para controlar usuários?",
				/*0267*/"Actions carried out by users"	=>	"Ações realizadas por usuários",
				/*0268*/"No modems found"	=>	"Nenhum modem encontrado",
				/*0269*/"Download the xml file of all the <b>modems</b> in the database"	=>	"Baixar o arquivo xml de todos os <b>modems</b> existentes no banco de dados",
				/*0270*/"Modems and ADSL cards"	=>	"Modems e placas ADSL",
				/*0271*/"Table of contents"	=>	"Índice",
				/*0272*/"by"	=>	"ciado por",
				/*0273*/"Add a message"	=>	"Adicionar uma mensagem",
				/*0274*/"Save"	=>	"Salvar",
				/*0275*/"Revision of the wiki page"	=>	"Versão da página wiki",
				/*0276*/"Preview"	=>	"Visualizar",
				/*0277*/"January"	=>	"Janeiro",
				/*0278*/"February"	=>	"Fevereiro",
				/*0279*/"March"	=>	"Março",
				/*0280*/"April"	=>	"Abril",
				/*0281*/"May"	=>	"Maio",
				/*0282*/"June"	=>	"Junho",
				/*0283*/"July"	=>	"Julho",
				/*0284*/"August"	=>	"Agosto",
				/*0285*/"September"	=>	"Setembro",
				/*0286*/"October"	=>	"Outubro",
				/*0287*/"November"	=>	"Novembro",
				/*0288*/"December"	=>	"Dezembro",
				/*0289*/"not-specified"	=>	"não especificado",
				/*0290*/"last-inserted"	=>	"inserido por último",
				/*0291*/"last inserted"	=>	"inserido por último",
				/*0292*/"alphabetically"	=>	"ordem alfabética",
				/*0293*/"alphabetically-desc"	=>	"ordem alfabética decrescente",
				/*0294*/"alphabetically desc"	=>	"ordem alfabética decrescente",
				/*0295*/"undef"	=>	"indefinido",
				/*0296*/"All"	=>	"Todos",
				/*0297*/"inkjet"	=>	"jato de tinta",
				/*0298*/"A-Full" 			=>	"A-Total",
				/*0299*/"B-Partial"			=>	"B-Parcial",
				/*0300*/"C-None"			=>	"C-Nenhuma",
				/*0301*/"A-platinum" 		=>	"A-Platina",
				/*0302*/"B-gold"			=>	"B-Ouro",
				/*0303*/"C-silver"			=>	"C-Prata",
				/*0304*/"D-bronze"			=>	"D-Bronze",
				/*0305*/"E-garbage"			=>	"E-Nenhuma",
				/*0306*/"not specified how it works"	=>	"o funcionamento não foi indicado",
				/*0307*/"there is no wifi card"	=>	"não há placa wifi",
				/*0308*/"there is no webcam"	=>	"não há webcam",
				/*0309*/"it works"	=>	"funciona",
				/*0310*/"does_not_work"	=>	"não funciona",
				/*0311*/"works_without_3D"	=>	"funciona sem 3D",
				/*0312*/"works_with_3D"	=>	"funciona com 3D",
				/*0313*/"list of languages"	=>	"lista de idiomas",
				/*0314*/"Choose the language"	=>	"Escolha o idioma",
				/*0315*/"back"	=>	"voltar",
				/*0316*/"next"	=>	"próximo",
				/*0317*/"previous"	=>	"anterior",
				/*0318*/"type"	=>	"tipo",
				/*0319*/"contact us"	=>	"entre em contato",
				/*0320*/"credits"	=>	"créditos",
				/*0321*/"desktop version"	=>	"versão para desktop",
				/*0322*/"RAID adapters"	=>	"Adaptadores RAID",
				/*0323*/"No RAID adapter found"	=>	"Nenhum adptador RAID encontrado",
				/*0324*/"Download the xml file of all the <b>RAID adapters</b> in the database"	=>	"Baixar o arquivo xml de todos os <b>adaptadores RAID</b> existentes no banco de dados",
				/*0325*/"No PCMCIA Controller found"	=>	"Nenhum controlador PCMCIA encontrado",
				/*0326*/"PCMCIA Controllers"	=>	"Controladores PCMCIA",
				/*0327*/"Download the xml file of all the <b>PCMCIA Controllers</b> in the database"	=>	"Baixar o arquivo xml de todos os <b>controladores PCMCIA</b> existentes no banco de dados",
				/*0328*/"notebook"	=>	"notebook",
				/*0329*/"netbook"	=>	"netbook",
				/*0330*/"motherboard"	=>	"placa-mãe",
				/*0331*/"tablet"	=>	"tablet",
				/*0332*/"netbooks"	=>	"netbook",
				/*0333*/"Notebooks"	=>	"Notebook",
				/*0334*/"tablet PC"	=>	"Tablet PC",
				/*0335*/"motherboards"	=>	"placas-mãe",
				/*0336*/"Write a comma-separated list of kernel versions"	=>	"Escreva uma lista de versões do kernel separadas por vírgula",
				/*0337*/"Example"	=>	"Exemplo",
				/*0338*/"free boot firmware?"	=>	"Firmware com boot livre?",
				/*0339*/"can be installed"	=>	"pode ser instalado",
				/*0340*/"does it have a free boot firmware (BIOS,UEFI,...) ?"	=>	"tem um firmware com boot livre (BIOS, UEFI,...)?",
				/*0341*/"Hello,\n\nyou have registered an account at"=>"Olá!\n\nVocê tem uma conta registrada em",
				/*0342*/"with the following data:\nusername: " => "com os seguintes dados:\nnome de usuário: ",
				/*0343*/"in order to confirm the registration of the new account please follow the link below"	=>	"a fim de confirmar o registro da nova conta,\nsiga o link abaixo",
				/*0344*/"If you don't want to confirm the account registration\nthen wait one hour and your username and e-mail will be deleted from the database"	=>	"Se não quiser confirmar o registro da conta,\nentão aguarde por uma hora para que seu nome de usuário e senha sejam excluídos do banco de dados",
				/*0345*/"If you received this e-mail for error, please simply disregard this message"	=>	"Se recebeu este e-mail por engano, por favor, simplesmente ignore esta mensagem",
				/*0346*/"account registration"	=>	"Controlador de host",
				/*0347*/"Host Controllers"	=>	"Controladores de host",
				/*0348*/"No Host Controller found"	=>	"Nenhum controlador de host encontrado",
				/*0349*/"Download the xml file of all the <b>Host Controllers</b> in the database"	=>	"Baixar o arquivo xml de todos os <b>Controladores de host</b> do banco de dados",
				/*0350*/"PCMCIA Controller" => "Controlador PCMCIA",
				/*0351*/"USB Controller" 	=> "Controlador USB",
				/*0352*/"Firewire Controller" => "Controlador Firewire",
				/*0353*/"HECI Controller" => "Controlador HECI",
				/*0354*/"device type"	=>	"tipo de dispositivo",
				/*0355*/"Thanks for your contribution!"	=>	"Obrigado pela sua contribuição!",
				/*0356*/"does the device prevent installing wifi cards not-approved by the vendor?"	=> "o dispositivo evita a instalação de placas wi-fi não aprovados pelo vendedor?",
				/*0357*/"see the details inside the description entry"	=>	"veja os detalhes dentro da entrada da descrição",
				/*0358*/"Thanks for helping the h-node project and the free software movement!"	=>	"Grazie per aver aiutato il progetto h-node e il movimento del software libero!",
				/*0359*/"You have just inserted a new notebook into the database. Can you please insert its devices separately too? Thanks!"	=>	"Obrigado por ajudar o Projeto H-node e o movimento Software Livre!?",
				/*0360*/"insert"	=>	"inserir",
				/*0361*/"List of allowed fully free distributions"	=>	"Lista de distribuições consideradas totalmente livres",
				/*0362*/"Insert a new distro"	=>	"Inserir uma nova distribuição",
				/*0363*/"DISTRO-CODE"	=>	"CÓDIGO DA DISTRIBUIÇÃO",
			),
	);
	public static $singular = array(
		'en'	=>	array(
			/*01*/'notebooks'		=>	'notebook',
			/*02*/'wifi'			=>	'wifi card',
			/*03*/'videocards'	=>	'video card',
			/*04*/'printers'		=>	'printer',
			/*05*/'scanners'		=>	'scanner',
			/*06*/'threegcards'	=>	'3G-card',
			/*07*/'soundcards'	=>	'soundcard',
			/*08*/'webcams'		=>	'webcam',
			/*09*/'bluetooth'		=>	'bluetooth device',
			/*10*/'acquisitioncards'		=>	'acquisition card',
			/*11*/'fingerprintreaders'		=>	'fingerprint reader',
			/*12*/'ethernetcards'		=>	'ethernet card',
			/*13*/'sdcardreaders'		=>	'sd card reader',
			/*14*/'modems'		=>	'modem',
			/*15*/'raidadapters'		=>	'RAID adapter',
			/*16*/'hostcontrollers'		=>	'host controller',
		),
		'it'	=>	array(
			/*01*/'notebooks'		=>	'notebook',
			/*02*/'wifi'			=>	'scheda wifi',
			/*03*/'videocards'	=>	'scheda video',
			/*04*/'printers'		=>	'stampante',
			/*05*/'scanners'		=>	'scanner',
			/*06*/'threegcards'	=>	'scheda 3G',
			/*07*/'soundcards'	=>	'scheda audio',
			/*08*/'webcams'		=>	'webcam',
			/*09*/'bluetooth'		=>	'dispositivo bluetooth',
			/*10*/'acquisitioncards'		=>	'scheda di acquisizione',
			/*11*/'fingerprintreaders'		=>	'lettore di impronte digitali',
			/*12*/'ethernetcards'		=>	'scheda ethernet',
			/*13*/'sdcardreaders'		=>	'lettore di schede sd',
			/*14*/'modems'		=>	'modem',
			/*15*/'raidadapters'		=>	'adattatore RAID',
			/*16*/'hostcontrollers'		=>	'host controller',
		),
		'es'	=>	array(
			/*01*/'notebooks'		=>	'portátil',
			/*02*/'wifi'			=>	'tarjeta wifi',
			/*03*/'videocards'	=>	'tarjeta de video',
			/*04*/'printers'		=>	'impresora',
			/*05*/'scanners'		=>	'escáner',
			/*06*/'threegcards'	=>	'tarjeta 3G',
			/*07*/'soundcards'	=>	'tarjeta de audio',
			/*08*/'webcams'		=>	'camara web',
			/*09*/'bluetooth'		=>	'dispositivo bluetooth',
			/*10*/'acquisitioncards'		=>	'tarjeta de adquisición',
			/*11*/'fingerprintreaders'		=>	'lector de huella digital',
			/*12*/'ethernetcards'		=>	'tarjeta de ethernet',
			/*13*/'sdcardreaders'		=>	'lector de tarjetas sd',
			/*14*/'modems'		=>	'modem',
			/*15*/'raidadapters'		=>	'adaptador RAID',
			/*16*/'hostcontrollers'		=>	'host controller',
		),
		'fr'	=>	array(
			/*01*/'notebooks'		=>	'notebook',
			/*02*/'wifi'			=>	'carte wifi',
			/*03*/'videocards'	=>	'carte graphique',
			/*04*/'printers'		=>	'imprimante',
			/*05*/'scanners'		=>	'scanneur', 
			/*06*/'threegcards'	=>	'carte 3G',
			/*07*/'soundcards'	=>	'carte son',
			/*08*/'webcams'		=>	'webcam',
			/*09*/'bluetooth'		=>	'périphérique bluetooth',
			/*10*/'acquisitioncards'		=>	'carte d\'acquisition',
			/*11*/'fingerprintreaders'		=>	'lecteur d\'empreintes digitales',
			/*12*/'ethernetcards'		=>	'carte ethernet',
			/*13*/'sdcardreaders'		=>	'lecteur de carte SD',
			/*14*/'modem'		=>	'modem',
			/*15*/'raidadapters'		=>	'Adaptateur RAID',
			/*16*/'hostcontrollers'		=>	'contrôleur hôte',
		),
		'de'	=>	array(
			/*01*/'notebooks'		=>	'notebook',
			/*02*/'wifi'			=>	'wifi card',
			/*03*/'videocards'	=>	'video card',
			/*04*/'printers'		=>	'printer',
			/*05*/'scanners'		=>	'scanner',
			/*06*/'threegcards'	=>	'3G-card',
			/*07*/'soundcards'	=>	'soundcard',
			/*08*/'webcams'		=>	'webcam',
			/*09*/'bluetooth'		=>	'bluetooth device',
			/*10*/'acquisitioncards'		=>	'acquisition card',
			/*11*/'fingerprintreaders'		=>	'fingerprint reader',
			/*12*/'ethernetcards'		=>	'ethernet card',
			/*13*/'sdcardreaders'		=>	'sd card reader',
			/*14*/'modems'		=>	'modem',
			/*15*/'raidadapters'		=>	'RAID adapter',
			/*16*/'hostcontrollers'		=>	'host controller',
		),
		'gr'	=>	array(
			/*01*/'notebooks'		=>	'Υπο-φορητοί υπολογιστές',
			/*02*/'wifi'			=>	'Κάρτες wifi',
			/*03*/'videocards'	=>	'Κάρτες γραφικών',
			/*04*/'printers'		=>	'Εκτυπωτές',
			/*05*/'scanners'		=>	'Σαρωτές',
			/*06*/'threegcards'	=>	'Κάρτες 3G',
			/*07*/'soundcards'	=>	'Κάρτες ήχου',
			/*08*/'webcams'		=>	'Διαδικτυακές κάμερες',
			/*09*/'bluetooth'		=>	'Συσκευές bluetooth',
			/*10*/'acquisitioncards'		=>	'Κάρτες λήψης',
			/*11*/'fingerprintreaders'		=>	'Συσκευές ανάγνωσης δακτυλικών αποτυπωμάτων',
			/*12*/'ethernetcards'		=>	'Κάρτες ethernet',
			/*13*/'sdcardreaders'		=>	'Συσκευές ανάγνωσης καρτών sd',
			/*14*/'modems'		=>	'Συσκευές modem',
			/*15*/'raidadapters'		=>	'RAID adapter',
			/*16*/'hostcontrollers'		=>	'host controller',
		),
		'pt'	=>	array(
			/*01*/'notebooks'		=>	'notebook',
			/*02*/'wifi'			=>	'wifi',
			/*03*/'videocards'	=>	'placas de vídeo',
			/*04*/'printers'		=>	'impressoras',
			/*05*/'scanners'		=>	'scanners',
			/*06*/'threegcards'	=>	'dispositivos 3G',
			/*07*/'soundcards'	=>	'placas de som',
			/*08*/'webcams'		=>	'webcams',
			/*09*/'bluetooth'		=>	'dispositivos bluetooth',
			/*10*/'acquisitioncards'		=>	'placas de captura',
			/*11*/'fingerprintreaders'		=>	'leitores de impressão digital',
			/*12*/'ethernetcards'		=>	'placas de rede',
			/*13*/'sdcardreaders'		=>	'leitores de cartão SD',
			/*14*/'modems'		=>	'modems',
			/*15*/'raidadapters'		=>	'adaptadores RAID',
			/*16*/'hostcontrollers'		=>	'controlador de host',		
		),
	);
	public static $plural = array(
		'en'	=>	array(
			/*01*/'notebooks'		=>	'notebooks',
			/*02*/'wifi'			=>	'wifi cards',
			/*03*/'videocards'	=>	'video cards',
			/*04*/'printers'		=>	'printers',
			/*05*/'scanners'		=>	'scanners',
			/*06*/'threegcards'	=>	'3G-cards',
			/*07*/'soundcards'	=>	'soundcards',
			/*08*/'webcams'		=>	'webcams',
			/*09*/'bluetooth'		=>	'bluetooth devices',
			/*10*/'acquisitioncards'		=>	'acquisition cards',
			/*11*/'fingerprintreaders'		=>	'fingerprint readers',
			/*12*/'ethernetcards'		=>	'ethernet cards',
			/*13*/'sdcardreaders'		=>	'sd card readers',
			/*14*/'modems'		=>	'modems',
			/*15*/'raidadapters'		=>	'RAID adapters',
			/*16*/'hostcontrollers'		=>	'host controllers',
		),
		'it'	=>	array(
			/*01*/'notebooks'		=>	'notebook',
			/*02*/'wifi'			=>	'schede wifi',
			/*03*/'videocards'	=>	'schede video',
			/*04*/'printers'		=>	'stampanti',
			/*05*/'scanners'		=>	'scanner',
			/*06*/'threegcards'	=>	'schede 3G',
			/*07*/'soundcards'	=>	'schede audio',
			/*08*/'webcams'		=>	'webcam',
			/*09*/'bluetooth'		=>	'dispositivi bluetooth',
			/*10*/'acquisitioncards'		=>	'schede di acquisizione',
			/*11*/'fingerprintreaders'		=>	'lettori di impronte digitali',
			/*12*/'ethernetcards'		=>	'schede ethernet',
			/*13*/'sdcardreaders'		=>	'lettori di schede sd',
			/*14*/'modems'		=>	'modem',
			/*15*/'raidadapters'		=>	'adattatori RAID',
			/*16*/'hostcontrollers'		=>	'host controller',
		),
		'es'	=>	array(
			/*01*/'notebooks'		=>	'portátiles',
			/*02*/'wifi'			=>	'tarjetas wifi',
			/*03*/'videocards'	=>	'tarjetas de video',
			/*04*/'printers'		=>	'impresoras',
			/*05*/'scanners'		=>	'escáneres',
			/*06*/'threegcards'	=>	'tarjetas 3G',
			/*07*/'soundcards'	=>	'tarjetas de audio',
			/*08*/'webcams'		=>	'cámaras web',
			/*09*/'bluetooth'		=>	'dispositivos bluetooth',
			/*10*/'acquisitioncards'		=>	'tarjetas de adquisición',
			/*11*/'fingerprintreaders'		=>	'lectores de huella digital',
			/*12*/'ethernetcards'		=>	'tarjetas de ethernet',
			/*13*/'sdcardreaders'		=>	'lectores de tarjetas sd',
			/*14*/'modems'		=>	'modems',
			/*15*/'raidadapters'		=>	'adaptadores RAID',
			/*16*/'hostcontrollers'		=>	'host controllers',
		),
		'fr'	=>	array(
			/*01*/'notebooks'		=>	'notebooks',
			/*02*/'wifi'			=>	'cartes wifi',
			/*03*/'videocards'	=>	'cartes graphiques',
			/*04*/'printers'		=>	'imprimantes',
			/*05*/'scanners'		=>	'scanneurs',
			/*06*/'threegcards'	=>	'cartes 3G',
			/*07*/'soundcards'	=>	'cartes son',
			/*08*/'webcams'		=>	'webcams',
			/*09*/'bluetooth'		=>	'périphériques bluetooth',
			/*10*/'acquisitioncards'		=>	'cartes d\'acquisition',
			/*11*/'fingerprintreaders'		=>	'lecteurs d\'empreintes digitales ',
			/*12*/'ethernetcards'		=>	'cartes ethernet',
			/*13*/'sdcardreaders'		=>	'lecteurs de cartes SD',
			/*14*/'modems'		=>	'modems',
			/*15*/'raidadapters'		=>	'Adaptateurs RAID',
			/*16*/'hostcontrollers'		=>	'contrôleurs hôte',
			
		),
		'de'	=>	array(
			/*01*/'notebooks'		=>	'notebooks',
			/*02*/'wifi'			=>	'wifi cards',
			/*03*/'videocards'	=>	'video cards',
			/*04*/'printers'		=>	'printers',
			/*05*/'scanners'		=>	'scanners',
			/*06*/'threegcards'	=>	'3G-cards',
			/*07*/'soundcards'	=>	'soundcards',
			/*08*/'webcams'		=>	'webcams',
			/*09*/'bluetooth'		=>	'bluetooth devices',
			/*10*/'acquisitioncards'		=>	'acquisition cards',
			/*11*/'fingerprintreaders'		=>	'fingerprint readers',
			/*12*/'ethernetcards'		=>	'ethernet cards',
			/*13*/'sdcardreaders'		=>	'sd card readers',
			/*14*/'modems'		=>	'modems',
			/*15*/'raidadapters'		=>	'RAID adapters',
			/*16*/'hostcontrollers'		=>	'host controllers',
		),
		'gr'	=>	array(
			/*01*/'notebooks'		=>	'Υπο-φορητοί υπολογιστές',
			/*02*/'wifi'			=>	'Κάρτες wifi',
			/*03*/'videocards'	=>	'Κάρτες γραφικών',
			/*04*/'printers'		=>	'Εκτυπωτές',
			/*05*/'scanners'		=>	'Σαρωτές',
			/*06*/'threegcards'	=>	'Κάρτες 3G',
			/*07*/'soundcards'	=>	'Κάρτες ήχου',
			/*08*/'webcams'		=>	'Διαδικτυακές κάμερες',
			/*09*/'bluetooth'		=>	'Συσκευές bluetooth',
			/*10*/'acquisitioncards'		=>	'Κάρτες λήψης',
			/*11*/'fingerprintreaders'		=>	'Συσκευές ανάγνωσης δακτυλικών αποτυπωμάτων',
			/*12*/'ethernetcards'		=>	'Κάρτες ethernet',
			/*13*/'sdcardreaders'		=>	'Συσκευές ανάγνωσης καρτών sd',
			/*14*/'modems'		=>	'Συσκευές modem',
			/*15*/'raidadapters'		=>	'RAID adapters',
			/*16*/'hostcontrollers'		=>	'host controllers',
		),
		'pt'	=>	array(
			/*01*/'notebooks'		=>	'notebooks',
			/*02*/'wifi'			=>	'wifi',
			/*03*/'videocards'	=>	'placas de vídeo',
			/*04*/'printers'		=>	'impressoras',
			/*05*/'scanners'		=>	'scanners',
			/*06*/'threegcards'	=>	'dispositivos 3G',
			/*07*/'soundcards'	=>	'placas de som',
			/*08*/'webcams'		=>	'webcams',
			/*09*/'bluetooth'		=>	'dispositivos bluetooth',
			/*10*/'acquisitioncards'		=>	'placas de captura',
			/*11*/'fingerprintreaders'		=>	'leitores de impressão digital',
			/*12*/'ethernetcards'		=>	'placas de rede',
			/*13*/'sdcardreaders'		=>	'leitores de cartão SD',
			/*14*/'modems'		=>	'modems',
			/*15*/'raidadapters'		=>	'adaptadores RAID',
			/*16*/'hostcontrollers'		=>	'controladores de host',
		),		
	);
	
	public static function sanitize($lang = 'en')
	{
		return (in_array($lang,self::$allowed)) ? sanitizeAll($lang) : 'en';
	}
}
class Go
{
	public static function toHardwareType($type)
	{
		return Url::getRoot().Hardware::getControllerFromType($type)."/catalogue/".Lang::$current;
	}
	public static function toHardwareInsert($type)
	{
		return Url::getRoot().Hardware::getControllerFromType($type)."/insert/".Lang::$current;
	}
	//go to the page of one device from the id of that device
	public static function toHardwarePage($idHard = 0)
	{
		$clean['idHard'] = (int)$idHard;
		$urls = getUrlsFromIdHard($clean['idHard']);
		return $urls['urlView'];
	}
}
class MyStrings
{
	
	public static $view = array(
	);
	
	//type => controller
	public static $reverse = array(
		'notebook'			=>	'notebooks',
		'wifi'				=>	'wifi',
		'videocard'			=>	'videocards',
		'printer'			=>	'printers',
		'scanner'			=>	'scanners',
		'3G-card'			=>	'threegcards',
		'soundcard'			=>	'soundcards',
		'webcam'			=>	'webcams',
		'bluetooth'			=>	'bluetooth',
		'acquisition-card'	=>	'acquisitioncards',
		'fingerprint-reader'	=>	'fingerprintreaders',
		'ethernet-card'		=>	'ethernetcards',
		'sd-card-reader'	=>	'sdcardreaders',
		'modem'				=>	'modems',
	);
	public static function getTypes()
	{
		return implode(',',array_keys(self::$reverse));
	}
	
}
 |