| 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
 | <?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');
	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',
	);
	public static function getLabel($langCode)
	{
		if (array_key_exists($langCode,self::$complete))
		{
			$all = explode(',',self::$complete[$langCode]);
			return $all[1];
		}
		return $langCode;
	}
	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 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",
			),
		'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ó ninguna laptop",
				/*0039*/"subtype (notebook, netbook, tablet)"	=>	"subtipo (laptop, netbook, 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ó ningun 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 e-mail",
				/*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 e-mail",
				/*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 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 e-mail",
				/*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 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 todas las <b>laptops</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 analizarlo 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"	=>	"Tarjeta de red inalámbrica",
				/*0221*/"Video cards"	=>	"Tarjeta 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ámara web",
				/*0227*/"Bluetooth devices"	=>	"Dispositivo bluetooth",
				/*0228*/"TV/Video/FM acquisition cards"	=>	"Tarjeta de adquisición TV/Video/FM",
				/*0229*/"Fingerprint readers"	=>	"Lectores de huellas digitales",
				/*0230*/"Ethernet cards"	=>	"Tarjeta 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"				
			),
		'fr'	=>	array
			(
				/*0001*/"Search one device in the archive"	=>	"Chercher un appareil 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 de problème",
				/*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"			=>	"Messagges",
				/*0017*/"this message has been deleted"	=>	"ce message à é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 appareil 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?",
				/*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 notebooks 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 vidéo 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 informations utile)",
				/*0052*/"discover all the wiki tags"	=>	"voir tout les tags wiki",
				/*0053*/"Fields marked with <b>*</b> are mandatory"	=>	"Les champs marqués avec <b>*</b> sont mandatoire",
				/*0054*/"No printers found"			=>	"Aucun imprimante trouvée",
				/*0055*/"interface"					=>	"interface",
				/*0056*/"VendorID:ProductID code of the device" => "VendorID:ProductID de l'appareil",
				/*0057*/"free driver used"			=>	"pilote libre utilisé",
				/*0058*/"set not-specified if not sure"	=>	"voir 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",
				/*0060*/"No scanners found"			=>	"Aucun scanner trouvé",
				/*0061*/"No video cards found"		=>	"Aucun carte vidéo 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"		=>	"difference 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 fournis",
				/*0068*/"webcam model"	=>	"modèle de webcam",
				/*0069*/"does it have a free BIOS?"	=>	"à 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"	=>	"statistique du site",
				/*0078*/"hardware in the database"	=>	"hardware dans la base de données",
				/*0079*/"users logged"	=>	"utilisateur connecté",
				/*0080*/"Watch your public profile"	=>	"Voir votre profil public",
				/*0081*/"Edit your profile"	=>	"Editer 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"	=>	"charactè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 si-dessous",
				/*0092*/"write your username"	=>	"écrivez votre nom d'utilisateur",
				/*0093*/"Actions carried out by moderators"	=>	"Actions prises 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 vrais 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"	=>	"copier le retour de la commande lspci",
				/*0112*/"works, but without 3D acceleration"	=>	"fonctionne, mais sans l'accélération 3D",
				/*0113*/"the text submitted by you does not seem 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 appareils 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 appareils n'ont pas été trouvés dans la base de données",
				/*0120*/"can you please insert them?"	=>	"pouvez vous les insérez?",
				/*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 vidéos</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>webcam</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"	=>	"Revisions",
				/*0148*/"Differences"	=>	"Differences",
				/*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 veut faire de cette révision la révision courrante",
				/*0153*/"Confirm"	=>	"Confirmer",
				/*0154*/"Make this revision the current revision of the page"	=>	"Je veut faire de cette révision la révision courrante 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 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 tout 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'empreinte digitale 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 tout 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. Ajouter le uniquement si il est différent du <i> nom du modèle </i> déja inséré dans l'entrée ci-dessus. Ajouter le nouveau nom de façon à ce qu'il n'y ai 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 obtenus 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 de l'appareil",
				/*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 tout les <b>scanner</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",
			),
		'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 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",
			)
	);
	public static $singular = array(
		'en'	=>	array(
			'notebooks'		=>	'notebook',
			'wifi'			=>	'wifi card',
			'videocards'	=>	'video card',
			'printers'		=>	'printer',
			'scanners'		=>	'scanner',
			'threegcards'	=>	'3G-card',
			'soundcards'	=>	'soundcard',
			'webcams'		=>	'webcam',
			'bluetooth'		=>	'bluetooth device',
			'acquisitioncards'		=>	'acquisition card',
			'fingerprintreaders'		=>	'fingerprint reader',
			'ethernetcards'		=>	'ethernet card',
		),
		'it'	=>	array(
			'notebooks'		=>	'notebook',
			'wifi'			=>	'scheda wifi',
			'videocards'	=>	'scheda video',
			'printers'		=>	'stampante',
			'scanners'		=>	'scanner',
			'threegcards'	=>	'scheda 3G',
			'soundcards'	=>	'scheda audio',
			'webcams'		=>	'webcam',
			'bluetooth'		=>	'dispositivo bluetooth',
			'acquisitioncards'		=>	'scheda di acquisizione',
			'fingerprintreaders'		=>	'lettore di impronte digitali',
			'ethernetcards'		=>	'scheda ethernet',
		),
		'es'	=>	array(
			'notebooks'		=>	'portátil',
			'wifi'			=>	'tarjeta wifi',
			'videocards'	=>	'tarjeta de video',
			'printers'		=>	'impresora',
			'scanners'		=>	'escáner',
			'threegcards'	=>	'tarjeta 3G',
			'soundcards'	=>	'tarjeta de audio',
			'webcams'		=>	'camara web',
			'bluetooth'		=>	'dispositivo bluetooth',
			'acquisitioncards'		=>	'tarjeta de adquisición',
			'fingerprintreaders'		=>	'lector de huella digital',
			'ethernetcards'		=>	'tarjeta de ethernet',
		),
		'fr'	=>	array(
			'notebooks'		=>	'notebook',
			'wifi'			=>	'wifi card',
			'videocards'	=>	'video card',
			'printers'		=>	'printer',
			'scanners'		=>	'scanner',
			'threegcards'	=>	'3G-card',
			'soundcards'	=>	'soundcard',
			'webcams'		=>	'webcam',
			'bluetooth'		=>	'bluetooth device',
			'acquisitioncards'		=>	'acquisition card',
			'fingerprintreaders'		=>	'fingerprint reader',
			'ethernetcards'		=>	'ethernet card',
		),
	);
	public static $plural = array(
		'en'	=>	array(
			'notebooks'		=>	'notebooks',
			'wifi'			=>	'wifi cards',
			'videocards'	=>	'video cards',
			'printers'		=>	'printers',
			'scanners'		=>	'scanners',
			'threegcards'	=>	'3G-cards',
			'soundcards'	=>	'soundcards',
			'webcams'		=>	'webcams',
			'bluetooth'		=>	'bluetooth devices',
			'acquisitioncards'		=>	'acquisition cards',
			'fingerprintreaders'		=>	'fingerprint readers',
			'ethernetcards'		=>	'ethernet cards',
		),
		'it'	=>	array(
			'notebooks'		=>	'notebook',
			'wifi'			=>	'schede wifi',
			'videocards'	=>	'schede video',
			'printers'		=>	'stampanti',
			'scanners'		=>	'scanner',
			'threegcards'	=>	'schede 3G',
			'soundcards'	=>	'schede audio',
			'webcams'		=>	'webcam',
			'bluetooth'		=>	'dispositivi bluetooth',
			'acquisitioncards'		=>	'schede di acquisizione',
			'fingerprintreaders'		=>	'lettori di impronte digitali',
			'ethernetcards'		=>	'schede ethernet',
		),
		'es'	=>	array(
			'notebooks'		=>	'notebooks',
			'wifi'			=>	'wifi cards',
			'videocards'	=>	'video cards',
			'printers'		=>	'printers',
			'scanners'		=>	'scanners',
			'threegcards'	=>	'3G-cards',
			'soundcards'	=>	'soundcards',
			'webcams'		=>	'webcams',
			'bluetooth'		=>	'bluetooth devices',
			'acquisitioncards'		=>	'acquisition cards',
			'fingerprintreaders'		=>	'fingerprint readers',
			'ethernetcards'		=>	'ethernet cards',
		),
		'fr'	=>	array(
			'notebooks'		=>	'notebooks',
			'wifi'			=>	'wifi cards',
			'videocards'	=>	'video cards',
			'printers'		=>	'printers',
			'scanners'		=>	'scanners',
			'threegcards'	=>	'3G-cards',
			'soundcards'	=>	'soundcards',
			'webcams'		=>	'webcams',
			'bluetooth'		=>	'bluetooth devices',
			'acquisitioncards'		=>	'acquisition cards',
			'fingerprintreaders'		=>	'fingerprint readers',
			'ethernetcards'		=>	'ethernet cards',
		),
	);
	
	public static function sanitize($lang = 'en')
	{
		return (in_array($lang,self::$allowed)) ? sanitizeAll($lang) : 'en';
	}
}
class Go
{
	public static function toHardwareType($type)
	{
		return "http://".DOMAIN_NAME."/".Hardware::getControllerFromType($type)."/catalogue/".Lang::$current;
	}
	public static function toHardwareInsert($type)
	{
		return "http://".DOMAIN_NAME."/".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',
	);
	public static function getTypes()
	{
		return implode(',',array_keys(self::$reverse));
	}
	
}
 |