-
Notifications
You must be signed in to change notification settings - Fork 0
/
sq.py
6369 lines (6369 loc) · 367 KB
/
sq.py
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
{
"A location that specifies the geographic area for this region. This can be a location from the location hierarchy, or a 'group location', or a location that has a boundary for the area.": "Një vend që specifikon zonën gjeografike për këtë rajon. Kjo mund të jetë një vend nga hierarkia e vendndodhjes, ose një 'vendndodhje grupesh', ose një vend që ka një kufi për zonën. ",
"Acronym of the organization's name, eg. IFRC.": 'Akronimi i emrit të organizatës, p.sh. IFRC. ',
"Add Person's Details": 'Shto detajet e personit',
"Address of an image to use for this Layer in the Legend. This allows use of a controlled static image rather than querying the server automatically for what it provides (which won't work through GeoWebCache anyway).": "Adresa e një imazhi për t'u përdorur për këtë shtresë në legjendë. Kjo lejon përdorimin e një imazhi statik të kontrolluar në vend që të kërkojë automatikisht serverin për atë që ofron (i cili nuk do të funksionojë përmes gjeowebcache gjithsesi).",
"Can't import tweepy": 'Nuk mund të importojë tweepy',
"Cancel' will indicate an asset log entry did not occur": "Anulo' do të tregojë një hyrje të regjistrit të aseteve nuk ka ndodhur",
"Caution: doesn't respect the framework rules!": 'Kujdes: Nuk respektojnë rregullat kornizë!',
"Click 'Start' to synchronize with this repository now:": "Kliko 'Start' për të sinkronizuar me këtë depo tani:",
"Couldn't open %s!": '%s nuk mund të hapet!',
"Create 'More Info'": "Krijo 'më shumë informacion'",
"Current Year's Actual Progress": 'Progresi aktual i vitit aktual',
"Current Year's Planned Progress": 'Progresi i planifikuar i vitit aktual',
"Describe the procedure which this record relates to (e.g. 'medical examination')": "Përshkruani procedurën që lidhet me këtë rekord (E.G. 'Provim mjekësor')",
"Edit 'More Info'": "Edit 'Më shumë informacion'",
"Edit Person's Details": 'Edit Detajet e Personit',
"Error logs for '%(app)s'": "Regjistrat e gabimeve për '%(app)s'",
"Go to %(url)s, sign up & then register your application. You can put any URL in & you only need to select the 'modify the map' permission.": "Shkoni te %(url)s, regjistrohuni dhe më pas regjistroni aplikacionin tuaj. Mund të vendosni çdo URL dhe ju duhet vetëm të zgjidhni lejen 'modifikoni hartën'.",
"If selected, then this Asset's Location will be updated whenever the Person's Location is updated.": 'Nëse zgjidhet, atëherë vendndodhja e këtij aktivi do të përditësohet sa herë që vendndodhja e personit është përditësuar. ',
"If this configuration is displayed on the GIS config menu, give it a name to use in the menu. The name for a personal map configuration will be set to the user's name.": "Nëse ky konfigurim shfaqet në menunë GIS CONFIG, jepni një emër për t'u përdorur në menynë. Emri për një konfigurim të hartës personale do të vendoset në emrin e përdoruesit. ",
"If this field is populated then a user who specifies this Organization when signing up will be assigned as a Staff of this Organization unless their domain doesn't match the domain field.": 'Nëse kjo fushë është e populluar atëherë një përdorues i cili specifikon këtë organizatë kur nënshkruhet do të caktohet si staf i kësaj organizate përveç nëse domenin e tyre nuk përputhet me fushën e domain-it.',
"If you don't see the Cluster in the list, you can add a new one by clicking link 'Add New Cluster'.": "Nëse nuk e shihni grupin në listë, mund të shtoni një të re duke klikuar lidhjen 'Shto grupin e ri'. ",
"If you don't see the Hospital in the list, you can add a new one by clicking link 'Create Hospital'.": "Nëse nuk e shihni spitalin në listë, mund të shtoni një të re duke klikuar lidhjen 'krijoni spital'. ",
"If you don't see the Organization in the list, you can add a new one by clicking link 'Create Organization'.": "Nëse nuk e shihni organizatën në listë, mund të shtoni një të re duke klikuar lidhjen 'krijoni organizatë'. ",
"If you don't see the Sector in the list, you can add a new one by clicking link 'Create Sector'.": "Nëse nuk e shihni sektorin në listë, mund të shtoni një të re duke klikuar lidhjen 'krijoni sektorin'. ",
"If you don't see the Type in the list, you can add a new one by clicking link 'Add Region'.": "Nëse nuk e shihni llojin në listë, mund të shtoni një të re duke klikuar lidhjen 'Shto rajon'. ",
"If you don't see the Type in the list, you can add a new one by clicking link 'Create Facility Type'.": "Nëse nuk e shihni llojin në listë, mund të shtoni një të re duke klikuar lidhjen 'krijoni llojin e objektit'. ",
"If you don't see the Type in the list, you can add a new one by clicking link 'Create Office Type'.": "Nëse nuk e shihni llojin në listë, mund të shtoni një të re duke klikuar lidhjen 'Krijo llojin e zyrës'. ",
"If you don't see the Type in the list, you can add a new one by clicking link 'Create Organization Type'.": "Nëse nuk e shihni llojin në listë, mund të shtoni një të re duke klikuar lidhjen 'krijoni llojin e organizimit'. ",
"If you don't see the Type in the list, you can add a new one by clicking link 'Create Warehouse Type'.": "Nëse nuk e shihni llojin në listë, mund të shtoni një të re duke klikuar lidhjen 'Krijo llojin e magazinës'. ",
"If you don't see the activity in the list, you can add a new one by clicking link 'Create Activity'.": "Nëse nuk e shihni aktivitetin në listë, mund të shtoni një të re duke klikuar lidhjen 'krijoni aktivitet'. ",
"If you don't see the beneficiary in the list, you can add a new one by clicking link 'Add Beneficiaries'.": "Nëse nuk e shihni përfituesin në listë, mund të shtoni një të re duke klikuar lidhjen 'Shto përfitues'. ",
"If you don't see the campaign in the list, you can add a new one by clicking link 'Add Campaign'.": "Nëse nuk e shihni fushatën në listë, mund të shtoni një të re duke klikuar lidhjen 'Shto fushatën'. ",
"If you don't see the community in the list, you can add a new one by clicking link 'Create Community'.": "Nëse nuk e shihni komunitetin në listë, mund të shtoni një të re duke klikuar lidhjen 'Krijo komunitetin'. ",
"If you don't see the location in the list, you can add a new one by clicking link 'Create Location'.": "Nëse nuk e shihni vendndodhjen në listë, mund të shtoni një të re duke klikuar lidhjen 'Krijo vend'. ",
"If you don't see the project in the list, you can add a new one by clicking link 'Create Project'.": "Nëse nuk e shihni projektin në listë, mund të shtoni një të re duke klikuar lidhjen 'krijoni projektin'. ",
"If you don't see the type in the list, you can add a new one by clicking link 'Create Activity Type'.": "Nëse nuk e shihni llojin në listë, mund të shtoni një të re duke klikuar lidhjen 'Krijo llojin e aktivitetit'. ",
"If you enter a foldername then the layer will appear in this folder in the Map's layer switcher. A sub-folder can be created by separating names with a '/'": "Nëse futni një Foldername atëherë shtresa do të shfaqet në këtë dosje në switcher të shtresës së hartës. Një nën-dosje mund të krijohet duke ndarë emrat me një '/'",
"If you specify a module, but no resource, then this will be used as the text in that module's index page": 'Nëse specifikoni një modul, por nuk ka burim, atëherë kjo do të përdoret si tekst në faqen e indeksit të modulit ',
"If you specify a record then this will be used for that record's profile page": 'Nëse specifikoni një rekord atëherë kjo do të përdoret për atë profilin e atij rekord',
"If you specify a resource, but no record, then this will be used as the text in that resource's summary page": 'Nëse specifikoni një burim, por nuk ka të dhëna, atëherë kjo do të përdoret si tekst në faqen përmbledhëse të atij burimi ',
"Last Month's Work": 'Puna e muajit të kaluar',
"Last Week's Work": 'Puna e javës së kaluar',
"Level is higher than parent's": 'Niveli është më i lartë se prindit',
"List Persons' Details": 'Listoni detajet e personave',
"Need a 'url' argument!": "Nevojë për një argument 'URL'!",
"No UTC offset found. Please set UTC offset in your 'User Profile' details. Example: UTC+0530": 'Nuk u gjet asnjë UTC. Ju lutemi vendosni UTC kompensuar në detajet e profilit tuaj të përdoruesit. Shembull: UTC + 0530',
"Only Categories of type 'Asset' will be seen in the dropdown.": "Vetëm kategoritë e llojit të tipit 'do të shihen në dropdown.",
"Only Categories of type 'Vehicle' will be seen in the dropdown.": "Vetëm kategoritë e tipit 'automjeteve' do të shihen në dropdown.",
"Only Items whose Category are of type 'Telephone' will be seen in the dropdown.": "Vetëm artikujt e të cilëve kategoria janë të tipit 'telefon' do të shihet në dropdown.",
"Only Items whose Category are of type 'Vehicle' will be seen in the dropdown.": "Vetëm sendet e të cilëve janë të tipit 'automjeteve' do të shihen në dropdown.",
"Optional. The name of the geometry column. In PostGIS this defaults to 'the_geom'.": "Opsionale. Emri i kolonës së gjeometrisë. Në postgis kjo defaults në 'the_geom'.",
"Parent level should be higher than this record's level. Parent level is": 'Niveli i prindërve duhet të jetë më i lartë se niveli i këtij regjistri. Niveli i prindërve është',
"Password fields don't match": 'Fushat e fjalëkalimeve nuk përputhen',
"Person's Details added": 'Detajet e personit u shtuan',
"Person's Details deleted": 'Detajet e personit fshihen',
"Person's Details updated": 'Detajet e personit përditësohen',
"Person's Details": 'Detajet e personit',
"Persons' Details": 'Detajet e personave',
"Policy or Strategy added, awaiting administrator's approval": 'Politika ose strategjia e shtuar, duke pritur miratimin e administratorit ',
"Select 2 records from this list, then click 'Merge'.": "Zgjidhni 2 shënime nga kjo listë, pastaj klikoni 'Merge'. ",
"Select a Room from the list or click 'Create Room'": "Zgjidh një dhomë nga lista ose kliko 'Krijo Room'",
"Select this if all specific locations need a parent at the deepest level of the location hierarchy. For example, if 'district' is the smallest division in the hierarchy, then all specific locations would be required to have a district as a parent.": "Zgjidhni këtë nëse të gjitha vendet specifike kanë nevojë për një prind në nivelin më të thellë të hierarkisë së vendndodhjes. Për shembull, nëse 'Qarku' është ndarja më e vogël në hierarki, atëherë të gjitha vendet specifike do të kërkoheshin të kenë një distrikt si prind. ",
"Select this if all specific locations need a parent location in the location hierarchy. This can assist in setting up a 'region' representing an affected area.": "Zgjidhni këtë nëse të gjitha vendet specifike kanë nevojë për një vend prind në hierarkinë e vendndodhjes. Kjo mund të ndihmojë në ngritjen e një 'rajoni' që përfaqëson një zonë të prekur.",
"Status 'assigned' requires the %(fieldname)s to not be blank": "Statusi i 'caktuar' kërkon që %(fieldname)s të mos jetë bosh",
"The Project module can be used to record Project Information and generate Who's Doing What Where reports.": 'Moduli i projektit mund të përdoret për të regjistruar informacionin e projektit dhe për të gjeneruar se kush po bën atë që raporton.',
"The URL of the image file. If you don't upload an image file, then you must specify its location here.": 'URL e skedarit të imazhit. Nëse nuk ngarkoni një skedar imazhi, atëherë duhet të specifikoni vendin e tij këtu. ',
"The output file name. You can use place holders like 'example${minute}.xml'. Supported placeholders are: year, month, day, hour, minute, second": "Emri i skedarit të prodhimit. Ju mund të përdorni mbajtësit e vendit si 'shembull $ {minutë} .xml'. Vendet e mbështetura janë: viti, muaji, dita, ora, minutë, e dyta ",
"The person's position in this incident": 'Pozicioni i personit në këtë incident',
"The provided 'formuuid' is invalid. You have selected a Form revision which does not exist on this server.": '"Formuuid" e dhënë është e pavlefshme. Ju keni zgjedhur një rishikim të formës që nuk ekziston në këtë server. ',
"The provided 'jobuuid' is invalid. The session of Form upload is invalid. You should retry uploading.": '"Jobuidi" i dhënë është i pavlefshëm. Sesioni i ngarkimit të formës është i pavlefshëm. Ju duhet të rifilloni ngarkimin. ',
"The specific individual assigned to this position for this incident. Type the first few characters of one of the Person's names.": 'Individi specifik i caktuar në këtë pozitë për këtë incident. Shkruani karakteret e para të njërit prej emrave të personit.',
"The specific individual assigned to this position for this scenario. Not generally used, only use if there are no alternatives. Type the first few characters of one of the Person's names.": 'Individi specifik i caktuar në këtë pozicion për këtë skenar. Nuk përdoret përgjithësisht, vetëm përdorimi nëse nuk ka alternativa. Shkruani karakteret e para të njërit prej emrave të personit. ',
"The staff member's official job title": 'Titulli zyrtar i punës së anëtarit të stafit',
"The volunteer's role": 'Roli i vullnetarit',
"There are no details for this person yet. Add Person's Details.": 'Nuk ka detaje për këtë person ende. Shtoni detajet e personit.',
"This isn't visible to the published site, but is used to allow menu items to point to the page": 'Kjo nuk është e dukshme në faqen e botuar, por përdoret për të lejuar që artikujt e menusë të tregojnë në faqe ',
"This isn't visible to the recipients": 'Kjo nuk është e dukshme për marrësit',
"This kit hasn't got any Kit Items defined": 'Ky kit nuk ka ndonjë send të përcaktuar',
"To search for a location, enter the name. You may use % as wildcard. Press 'Search' without input to list all locations.": 'Për të kërkuar një vendndodhje, futni emrin. Ju mund të përdorni % si wildcard. Shtypni "Kërko" pa hyrje për të listuar të gjitha vendet.',
"To search for a member, enter any portion of the name of the person or group. You may use % as wildcard. Press 'Search' without input to list all members.": 'Për të kërkuar një anëtar, futni çdo pjesë të emrit të personit ose grupit. Ju mund të përdorni % si wildcard. Shtypni "Kërko" pa hyrje për të listuar të gjithë anëtarët.',
"Type the first few characters of one of the Participant's names.": 'Shkruani karakteret e para të njërit prej emrave të pjesëmarrësve.',
"Type the first few characters of one of the Person's names.": 'Shkruani karakteret e para të njërit prej emrave të personit.',
"Type the name of an existing catalog item OR Click 'Create Item' to add an item which is not in the catalog.": "Shkruani emrin e një artikulli ekzistues të katalogut ose klikoni 'Krijo artikull' për të shtuar një artikull që nuk është në katalog.",
"Type the name of an existing site OR Click 'Create Warehouse' to add a new warehouse.": "Shkruani emrin e një vendi ekzistues ose klikoni 'Krijo depo' për të shtuar një depo të re.",
"Unix shell-style pattern for the input file name, e.g. 'example*.xml'": "UNIX Shell-style model për emrin e skedarit të hyrjes, p.sh. 'shembull * .xml' ",
"Upload an image file here. If you don't upload an image file, then you must specify its location in the URL field.": 'Ngarko një skedar imazhi këtu. Nëse nuk ngarkoni një skedar imazhi, atëherë duhet të specifikoni vendndodhjen e tij në fushën e URL-së. ',
"Uploaded file(s) are not Image(s). Supported image formats are '.png', '.jpg', '.bmp', '.gif'.": "Dosjet e ngarkuara nuk janë imazh (et). Formatet e imazhit të mbështetur janë '.png', '.jpg', '.bmp', '.gif'. ",
"Whether calls to this resource which don't specify the layer should use this configuration as the default one": 'Nëse thirrjet në këtë burim nuk specifikon shtresën duhet ta përdorin këtë konfigurim si një default',
"You can search by asset number, item description or comments. You may use % as wildcard. Press 'Search' without input to list all assets.": 'Mund të kërkoni sipas numrit të pasurisë, përshkrimit të artikullit ose komenteve. Ju mund të përdorni % si wildcard. Shtypni "Kërko" pa hyrje për të listuar të gjitha pasuritë.',
"You can search by by group name, description or comments and by organization name or acronym. You may use % as wildcard. Press 'Search' without input to list all.": 'Mund të kërkoni sipas emrit të grupit, përshkrimit ose komenteve dhe sipas emrit ose shkurtesës së organizatës. Ju mund të përdorni % si wildcard. Shtypni "Kërko" pa hyrje për t\'i listuar të gjitha.',
"You can search by course name, venue name or event comments. You may use % as wildcard. Press 'Search' without input to list all events.": 'Mund të kërkoni sipas emrit të kursit, emrit të vendit ose komenteve të ngjarjes. Ju mund të përdorni % si wildcard. Shtypni "Kërko" pa hyrje për të listuar të gjitha ngjarjet.',
"You can search by job title or person name - enter any of the first, middle or last names, separated by spaces. You may use % as wildcard. Press 'Search' without input to list all persons.": 'Ju mund të kërkoni sipas titullit të punës ose emrit të personit - futni cilindo nga emrat e parë, të mesëm ose të fundit, të ndarë me hapësira. Ju mund të përdorni % si wildcard. Shtypni "Kërko" pa hyrje për të listuar të gjithë personat.',
"You can search by person name - enter any of the first, middle or last names, separated by spaces. You may use % as wildcard. Press 'Search' without input to list all persons.": 'Mund të kërkoni sipas emrit të personit - futni cilindo nga emrat, mesin ose mbiemrin, të ndara me hapësira. Ju mund të përdorni % si wildcard. Shtypni "Kërko" pa hyrje për të listuar të gjithë personat.',
"You can search by trainee name, course name or comments. You may use % as wildcard. Press 'Search' without input to list all trainees.": 'Mund të kërkoni sipas emrit të kursantit, emrit të kursit ose komenteve. Ju mund të përdorni % si wildcard. Shtypni "Kërko" pa hyrje për të listuar të gjithë të trajnuarit.',
"You have unsaved changes. Click Cancel now, then 'Save' to save them. Click OK now to discard them.": "Ju keni ndryshime të pashpjegueshme. Kliko Anulo Tani, atëherë 'Save' për t'i shpëtuar ata. Kliko OK tani për të hedhur ato. ",
'# Results per query': '# Rezultatet për pyetje',
'# selected': '# zgjedhur',
'% Achieved': '% Arritur',
'%(GRN)s Number': '%(GRN)s Numri',
'%(GRN)s Status': '%(GRN)s Statusi',
'%(PO)s Number': '%(PO)s Numri',
'%(REQ)s Number': '%(REQ)s Numri',
'%(app)s not installed. Ask the Server Administrator to install on Server.': '%(apps)s i pa instaluar. Kërkojini Administratorit të Serverit të instalojë në Server.',
'%(count)s Recipients': '%(count)s Marrësit',
'%(item)s requested from %(site)s': '%(item)s te kerkuar nga %(site)s',
'%(label)s contains %(values)s': '%(label) përmban %(value)s',
'%(label)s contains any of %(values)s': '%(label) përmban ndonje nga %(value)s',
'%(label)s does not contain %(values)s': '%(label) nuk permaban %(value)s',
'%(label)s is %(values)s': '%(label) është %(value)s',
'%(label)s like %(values)s': '%(label) si %(value)s',
'%(label)s not like %(values)s': '%(label) jo si %(value)s',
'%(months)s months': '%(month)s muaj',
'%(number)s assigned': '%(number)s të caktuar',
'%(pe)s in %(location)s': '%(pe)s në %(location)',
'%(proj4js)s definition': 'përcaktim i %(proj4js)s',
'%(quantity)s in stock': '%(quantity)s në magazinë',
'%(resource)s Filter': 'Filtri i %(resource)s',
'%(site)s (Recipient)': '(Marrësi) i %(site)s',
'%(site_label)s Status added': 'Statusi u shtua %(site_label)s',
'%(site_label)s Status deleted': 'Statusi u fshi %(site_label)s',
'%(site_label)s Status updated': 'Statusi u përditësua %(site_label)s',
'%(site_label)s Status': 'Statusi %(site_label)s',
'%(site_name)s has no items exactly matching this request. Use Alternative Items if wishing to use other items to fulfill this request!': '%(site_name)s nuk ka artikuj që përputhen saktësisht me këtë kërkesë. Përdorni Artikuj Alternativë nëse dëshironi të përdorni artikuj të tjerë për të përmbushur këtë kërkesë!',
'%(system_name)s - New User Registered': '%(system_name)s - Regjistruar një përdorues i ri',
'%(system_name)s - New User Registration Approval Pending': '%(system_name)s - Miratimi i Regjistrimit të Përdoruesve të Re në pritje',
'%(system_name)s has sent an email to %(email)s to verify your email address.\\nPlease check your email to verify this address. If you do not receive this email please check you junk email or spam filters.': '%(system_name)s ka dërguar një email %(email)s për të verifikuar adresën tuaj të emailit. \\ nJu lutemi kontrolloni email -in tuaj për të verifikuar këtë adresë. Nëse nuk e merrni këtë email ju lutemi kontrolloni se keni email junk ose filtra të padëshiruar.',
'%(team)s Members': 'Anëtarët e %(team)s',
'%s AND %s': '%s EDHE %s',
'%s OR %s': '%s OSE %s',
'%s and %s': '%s edhe %s',
'%s or %s': '%s ose %s',
'%s selected': '%s e zgjedhur',
'& then click on the map below to adjust the Lat/Lon fields': '& pastaj klikoni në hartë më poshtë për të rregulluar fushat e lat / lon',
'(RFC822)': '(Rubrice)',
'(filtered from _MAX_ total entries)': '(filtruar nga _MAX_ shënimet totale)',
'* Required Fields': '* Fushat e kërkuara',
'+1 YR': '+1 vit',
'+2 YR': '+2 vite',
'+5 YR': '+5 vite',
'+6 MO': '+6 muaj',
'+FLAGS': '+ Flamujt',
'...or add a new bin': '... ose shtoni një bin të ri',
'0-12 hours': '0-12 orë',
'1 location, shorter time, can contain multiple Tasks': '1 Vendndodhja, koha më e shkurtër, mund të përmbajë detyra të shumëfishta ',
'1-2 days': '1-2 ditë',
'1. Fill the necessary fields in BLOCK CAPITAL letters.': '1. Plotësoni fushat e nevojshme në letrat e kapitalit.',
'12-24 hours': '12-24 orë',
'12-month post-event Evaluation': 'Vlerësimi 12-mujor pas ngjarjes',
'1: Low': '1: ulët',
'2-4 days': '2-4 ditë',
'2. Always use one box per letter and leave one box space to separate words.': '2. Gjithmonë përdorni një kuti për letër dhe lini një hapësirë për të ndarë fjalët.',
'2: Medium': '2: Medium',
'2nd Nationality': 'Kombësia e dytë',
'3-month post-event Evaluation': 'Vlerësimi 3-mujor pas ngjarjes',
'3. Fill in the circles completely.': '3. Plotësoni plotësisht qarqet.',
'3: High': '3: lartë',
'3W Report': 'Raporti 3W',
'4: Severe': '4: të rënda',
'5-7 days': '5-7 ditë',
'5: Catastrophic': '5: Katastrofike',
'>1 week': '> 1 javë',
'A Marker assigned to an individual Location is set if there is a need to override the Marker assigned to the Feature Class.': 'Një shënues i caktuar për një vendndodhje individuale është vendosur nëse ka nevojë për të anashkaluar shënuesin e caktuar në klasën e funksionit.',
'A block of rich text which could be embedded into a page, viewed as a complete page or viewed as a list of news items.': 'Një bllok me teksti të pasur që mund të futet në një faqe, të shikuar si një faqe të plotë ose të shikuara si një listë e artikujve të lajmeve. ',
'A brief description of the group (optional)': 'Një përshkrim i shkurtër i grupit (opsional)',
'A file in GPX format taken from a GPS.': 'Një skedar në formatin GPX të marrë nga një GPS.',
'A new Request, %(reference)s, has been submitted for Approval by %(person)s for delivery to %(site)s by %(date_required)s. Please review at: %(url)s': 'Një Kërkesë e re, %(reference)s, është paraqitur për Miratim nga %(person)s për dorëzim te %(site) s nga %(date_required)s. Ju lutemi rishikoni në: %(url)s',
'A project milestone marks a significant date in the calendar which shows that progress towards the overall objective is being made.': 'Një moment historik i projektit shënon një datë të rëndësishme në kalendar që tregon se përparimi drejt objektivit të përgjithshëm është duke u bërë.',
'A reference number for bookkeeping purposes (optional, for your own use)': 'Një numër referimi për qëllime të kontabilitetit (opsionale, për përdorimin tuaj) ',
'A strict location hierarchy cannot have gaps.': 'Një hierarki e rreptë e vendndodhjes nuk mund të ketë boshllëqe.',
'A task is a piece of work that an individual or team can do in 1-2 days.': 'Një detyrë është një punë që një individ ose ekip mund të bëjë në 1-2 ditë.',
'A unique code to identify the type': 'Një kod unik për të identifikuar llojin',
'ABOUT THIS MODULE': 'Rreth këtij moduli',
'ACCESS DATA': 'Të dhënat e qasjes',
'ACTION REQUIRED': 'Veprimi i kërkuar',
'ALL': 'Të gjithë',
'AM': 'PD',
'ANY': 'Çdo',
'API KEY': 'API çelës',
'API Type': 'Lloji i API',
'AUTH TOKEN': 'Shenjë',
'AWS Clouds': 'Retë AWS',
'Abbreviation': 'Shkurtim',
'Aborted': 'Abortuar',
'About the participants': 'Për pjesëmarrësit',
'About': 'Rreth',
'Accept Cookies': 'Pranoni cookies',
'Accept Voucher': 'Pranoj kupon',
'Accepted Voucher deleted': 'Voucher i pranuar fshihet',
'Accepted Voucher updated': 'Voucher i pranuar përditësuar',
'Accepted Voucher': 'Kupon I Pranuar',
'Accepted Vouchers': 'Vouchers te pranuar',
'Accepted': 'I pranuar',
'Access Level': 'Niveli i qasjes',
'Access Token Secret': 'Sekreti i hyrjes',
'Access Token': 'Token e qasjes',
'Access denied': 'Ndalohet hyrja',
'Access': 'Qasje',
'Account Holder': 'Mbajtësi i llogarisë',
'Account Label': 'Etiketa e llogarisë',
'Account Name': 'Emri i llogarise',
'Account Number (IBAN)': 'Numri i llogarisë (IBAN)',
'Account Registered - Please Check Your Email': 'Llogaria e regjistruar - Ju lutemi kontrolloni email-in tuaj',
'Account added': 'Llogaria e shtuar',
'Account holder is required': 'Mbajtësi i llogarisë është i nevojshëm',
'Account number is required': 'Kërkohet numri i llogarisë',
'Accountant##billing': 'Kontabilist##billing',
'Acronym': 'Akronim',
'Action Plan': 'Plani i veprimit',
'Action successful - please wait...': 'Veprimi i suksesshëm - ju lutem prisni ...',
'Actioning officer': 'Veprimtari',
'Activate': 'Aktivizoj',
'Active Missions': 'Misionet aktive',
'Active Problems': 'Probleme aktive',
'Active': 'Aktive',
'Active?': 'Aktive?',
'Activities matching Assessments': 'Aktivitetet që përputhen Vlerësimet',
'Activities': 'Aktivitete',
'Activity Added': 'Shtohet aktiviteti',
'Activity Data added': 'Të dhënat e aktivitetit shtohen',
'Activity Data removed': 'Të dhënat e aktivitetit hiqen',
'Activity Data updated': 'Të dhënat e aktivitetit përditësohen',
'Activity Data': 'Të dhënat e aktivitetit',
'Activity Deleted': 'Aktiviteti fshihet',
'Activity Details': 'Detajet e aktivitetit',
'Activity Group': 'Grup aktiviteti',
'Activity Hours (Month)': 'Orari i aktivitetit (muaji)',
'Activity Hours (Year)': 'Orari i aktivitetit (viti)',
'Activity Name': 'Emri i aktivitetit',
'Activity Organization Added': 'Organizata e aktivitetit shtoi',
'Activity Organization Deleted': 'Organizimi i aktivitetit fshihet',
'Activity Organization Updated': 'Organizimi i aktivitetit përditësohet',
'Activity Organization': 'Organizimi i aktivitetit',
'Activity Organizations': 'Organizatat e aktivitetit',
'Activity Report': 'Raporti i aktivitetit',
'Activity Reports': 'Raportet e aktivitetit',
'Activity Type Added': 'Lloji i aktivitetit shtoi',
'Activity Type Deleted': 'Lloji i aktivitetit fshihet',
'Activity Type Updated': 'Lloji i aktivitetit përditësuar',
'Activity Type added to Activity': 'Lloji i aktivitetit i shtoi aktivitetit',
'Activity Type added to Project Location': 'Lloji i aktivitetit i shtoi vendndodhjes së projektit',
'Activity Type added': 'Lloji i aktivitetit shtoi',
'Activity Type deleted': 'Lloji i aktivitetit fshihet',
'Activity Type removed from Activity': 'Lloji i aktivitetit largohet nga aktiviteti',
'Activity Type removed from Project Location': 'Lloji i aktivitetit largohet nga vendndodhja e projektit',
'Activity Type updated': 'Lloji i aktivitetit përditësuar',
'Activity Type': 'Lloji i aktivitetit',
'Activity Types': 'Llojet e aktivitetit',
'Activity Updated': 'Aktiviteti i përditësuar',
'Activity added': 'Shtohet aktiviteti',
'Activity deleted': 'Aktiviteti fshihet',
'Activity updated': 'Aktiviteti i përditësuar',
'Activity': 'Aktivitet',
'Actual Number of Beneficiaries': 'Numri aktual i përfituesve',
'Actual Progress': 'Progresi aktual',
'Actual Total': 'Total aktual',
'Actual Value': 'Vlera aktuale',
'Actual': 'Aktual',
'Add %(site_label)s Status': 'Shto %(site_label)s Statusin',
'Add %(staff)s': 'Shto %(staff)s',
'Add Activity Data': 'Shto të dhënat e aktivitetit',
'Add Activity Type': 'Shtoni llojin e aktivitetit',
'Add Activity': 'Shtoni aktivitet',
'Add Address': 'Shto adresë',
'Add Affiliation': 'Shtoni përkatësinë',
'Add Annual Budget': 'Shtoni buxhetin vjetor',
'Add Appraisal': 'Shto vlerësim',
'Add Approver': 'Shto aprovim',
'Add Assessment': 'Shtoni vlerësimin',
'Add Asset': 'Shto asetet',
'Add Award': 'Shto çmime',
'Add Beneficiaries': 'Shtoni përfitues',
'Add Booking Mode': 'Shtoni modalitetin e rezervimit',
'Add Bookmark': 'Shto bookmark',
'Add Branch Organization': 'Shtoni organizimin e degës',
'Add Camp Service': 'Shtoni shërbimin e kampit',
'Add Camp Status': 'Shto statusin e kampit',
'Add Camp Type': 'Shto llojin e kampit',
'Add Camp': 'Shto kamp',
'Add Campaign Message': 'Shto mesazh të fushatës',
'Add Certificate for Course': 'Shtoni certifikatën për kurs',
'Add Certification': 'Shto certifikim',
'Add Circle': 'Shto Rrethi',
'Add Community': 'Add Community',
'Add Contact Information': 'Shtoni informacionin e kontaktit',
'Add Contact Person': 'Shtoni personin e kontaktit',
'Add Contact': 'Shto kontakt',
'Add Credential': 'Shtoni kredencial',
'Add Data Collection Target': 'Shto objektivin e mbledhjes së të dhënave',
'Add Data Set': 'Shtoni të dhënat e të dhënave',
'Add Data to Theme Layer': 'Shtoni të dhëna në shtresën e temave',
'Add Disciplinary Action Type': 'Shtoni llojin e veprimit disiplinor',
'Add Disciplinary Action': 'Shto veprim disiplinor',
'Add Distribution': 'Shto shpërndarje',
'Add Education Detail': 'Shto detaje arsimore',
'Add Education Level': 'Shto nivelin e arsimit',
'Add Emergency Contact': 'Shto kontakt emergjent',
'Add Equipment': 'Shto pajisje',
'Add Expense': 'Shtoni shpenzime',
'Add Experience': 'Shto eksperiencë',
'Add Facebook Account': 'Shto llogarinë e Facebook',
'Add Goal': 'Shtoni qëllimin',
'Add Google Cloud Messaging Settings': 'Shto cilësimet e mesazheve të Google',
'Add Hazard': 'Shto rrezik',
'Add Hours': 'Shto orë',
'Add Identity': 'Shto identitetin',
'Add Image': 'Shto imazhin',
'Add Indicator Criterion': 'Shto kriterin e treguesit',
'Add Indicator Data': 'Shto të dhënat e treguesit',
'Add Indicator': 'Shto tregues',
'Add Item to Commitment': 'Shtoni artikullin në angazhim',
'Add Item to Kit': 'Shtoni artikullin tek kit',
'Add Item to Request': 'Shtoni artikullin për të kërkuar',
'Add Item to Shipment': 'Shtoni artikullin në dërgesë',
'Add Item to Stock': 'Shtoni artikullin në magazinë',
'Add Item': 'Shtoni artikullin',
'Add Keyword': 'Shto fjalen',
'Add Language': 'Shtoni gjuhën',
'Add Layer to this Profile': 'Shto shtresë në këtë profil',
'Add Line': 'Add line',
'Add Location': 'Shto vendndodhjen',
'Add Log Entry': 'Shto hyrje log',
'Add Member': 'Shtoni anëtar',
'Add Membership': 'Shto anëtarësim',
'Add Metadata': 'Shto metadata',
'Add Mobile Commons Settings': 'Shto cilësimet e Mobile Commons',
'Add Modem Channel': 'Shto Channel Modem',
'Add Needs': 'Shtoni nevojat',
'Add New Information': 'Shto informacion të ri',
'Add New Vehicle Type': 'Shtoni llojin e ri të automjetit',
'Add Order': 'Shtoni rendin',
'Add Organization Domain': 'Shtoni domenin e organizatës',
'Add Organization to Activity': 'Shtoni organizatën në aktivitet',
'Add Organization to Project': 'Shtoni organizatën në projekt',
'Add Organization': 'Shto organizatë',
'Add Outcome': 'Shto rezultat',
'Add Output': 'Shto prodhim',
'Add Participant': 'Shto pjesëmarrës',
'Add Payment Service': 'Shto shërbimin e pagesave',
'Add People to Commitment': 'Shtoni njerëz në angazhim',
'Add Period of Unavailability': 'Shtoni periudhën e mungesës së mungesës',
'Add Person to Commitment': 'Shtoni personin në angazhim',
'Add Person': 'Shtoni personin',
'Add Photo': 'Add Photo',
'Add PoI': 'Pastaj',
'Add Point': 'Shtoni pikë',
'Add Polygon': 'Shtoni poligonin',
'Add Position': 'Shtoni pozicionin',
'Add Professional Experience': 'Shto përvojë profesionale',
'Add Profile Configuration for this Layer': 'Shto konfigurimin e profilit për këtë shtresë',
'Add RSS Channel': 'Shto RSS Channel',
'Add Recipient': 'Shto marrësin',
'Add Record': 'Shto rekord',
'Add Reference Document': 'Shtoni dokumentin e referencës',
'Add Region': 'Shtoni rajonin',
'Add Resource': 'Shtoni burime',
'Add Response Summary': 'Shto përmbledhje përmbledhje',
'Add Rule': 'Shto rregull',
'Add Salary': 'Shto paga',
'Add Sector': 'Shto sektor',
'Add Service Mode': 'Shtoni modalitetin e shërbimit',
'Add Service': 'Shto shërbim',
'Add Shelter': 'Shtoni strehim',
'Add Situation Report': 'Shto Raportin e Situatës',
'Add Skill Equivalence': 'Shtoni ekuivalencën e aftësive',
'Add Skill to Request': 'Shtoni aftësi për të kërkuar',
'Add Skill': 'Shtoni aftësi',
'Add Status': 'Shto status',
'Add Stock to Warehouse': 'Shtoni stoqe në depo',
'Add Target': 'Shtoni objektivin',
'Add Team Member': 'Shtoni anëtarin e ekipit',
'Add Team': 'Shto ekip',
'Add Telephone Type': 'Shtojini llojin e telefonit',
'Add Telephone': 'Shto telefon',
'Add Theme': 'Shto temë',
'Add Trainee': 'Shto trajner',
'Add Training': 'Shtoni trajnim',
'Add Twilio Channel': 'Shto Twilio Channel',
'Add Twitter Search Query': 'Shtoni pyetjen e kërkimit Twitter',
'Add Twitter account': 'Shto llogarinë e Twitter',
'Add Vehicle Category': 'Shto kategorinë e automjeteve',
'Add Vehicle Details': 'Shto detajet e automjeteve',
'Add Vehicle Type': 'Shtoni llojin e automjetit',
'Add Vehicle': 'Shtoni automjetin',
'Add a new certificate to the catalog.': 'Shto një certifikatë të re në katalog.',
'Add a new competency rating to the catalog.': 'Shto një vlerësim të ri të kompetencës në katalog.',
'Add a new event type to the catalog.': 'Shto një lloj të ri të ngjarjes në katalog.',
'Add a new program to the catalog.': 'Shto një program të ri në katalog.',
'Add a new skill type to the catalog.': 'Shto një lloj të ri të aftësive në katalog.',
'Add a new telephone type': 'Shto një lloj telefoni të ri',
'Add a new vehicle category': 'Shto një kategori të re të automjetit',
'Add a new vehicle type': 'Shtoni një lloj të ri të automjetit',
'Add all organizations which are involved in different roles in this project': 'Shto të gjitha organizatat të cilat janë të përfshira në role të ndryshme në këtë projekt',
'Add another': 'Shto një tjetër',
'Add strings manually through a text file': 'Shto strings manualisht përmes një skedari teksti',
'Add strings manually': 'Shtoni vargjet me dorë',
'Add this entry': 'Shto këtë hyrje',
'Add to Bin': 'Shtoni në bin',
'Add to a Team': 'Shtoni në një ekip',
'Add': 'Shtoj',
'Add...': 'Shtoni ...',
'Added to Forum': 'Shtuar në forum',
'Added to Group': 'Shtuar në grup',
'Added to Team': 'Shtuar në ekip',
'Additional Beds / 24hrs': 'Shtretë shtesë / 24hrs',
'Additional relevant information': 'Informacione shtesë të rëndësishme',
'Address Details': 'Detajet e adresës',
'Address Found': 'Adresa e gjetur',
'Address Mapped': 'Adresa e mapuar',
'Address NOT Found': 'Adresa nuk u gjet',
'Address NOT Mapped': 'Adresa nuk është hartuar',
'Address Type': 'Lloji i adresave',
'Address added': 'Adresa e shtuar',
'Address deleted': 'Adresa e fshirë',
'Address is Required!': 'Adresa është e nevojshme!',
'Address updated': 'Adresa e përditësuar',
'Address': 'Adresë',
'Addresses': 'Adreson',
'Adequate': 'I përshtatshëm',
'Adjust Item Quantity': 'Rregulloni sasinë e artikullit',
'Adjust Stock Item': 'Rregulloni artikullin e aksioneve',
'Adjust Stock Levels': 'Rregulloni nivelet e aksioneve',
'Adjust Stock': 'Rregulloni stokun',
'Adjustment created': 'Rregullimi i krijuar',
'Adjustment deleted': 'Rregullimi i fshirë',
'Adjustment modified': 'Rregullimi i modifikuar',
'Admin': 'Admin',
'Administration': 'Administrim',
'Administrator##fin': 'Administrator##fin',
'Admissions/24hrs': 'Pranimet / 24hrs',
'Adolescent (12-20)': 'Adoleshent (12-20)',
'Adult (21-50)': 'Adult (21-50)',
'Adult ICU': 'Icu i rritur',
'Adult Psychiatric': 'Psikiatrik i rritur',
'Advanced': 'I avancuar',
'Advisory': 'Këshillues',
'Affiliation Details': 'Detajet e Affiliacionit',
'Affiliation added': 'Affiliation shtuar',
'Affiliation deleted': 'Affiliacioni fshihet',
'Affiliation updated': 'Affiliation përditësuar',
'Affiliations': 'Përkatësi',
'Age Group': 'Grupmosha',
'Age': 'Moshë',
'Aggregate': 'Agregat',
'Air Transport Service': 'Shërbimi i transportit ajror',
'Aircraft Crash': 'Rrëzimi i avionëve',
'Aircraft Hijacking': 'Rrëmbim avioni',
'Airport Closure': 'Mbyllja e aeroportit',
'Airport': 'Aeroport',
'Airports': 'Aeroportet',
'Airspace Closure': 'Mbyllja e hapësirës ajrore',
'Airtime Provider': 'Ofruesi i transmetimit',
'Albanian': 'shqip',
'Alert Details updated': 'Detajet e alarmit të përditësuara',
'Alert Details': 'Detajet e alarmit',
'Alert added': 'Alarm shtuar',
'Alert deleted': 'Alert fshihet',
'Alert': 'Alarm',
'Alerted': 'Alarmosh',
'Alerts': 'Alarme',
'Alias': 'Alias',
'All Cases': 'Të gjitha rastet',
'All Entities': 'Të gjitha njësitë',
'All Inbound & Outbound Messages are stored here': 'Të gjitha mesazhet përbrenda dhe dalës janë të ruajtur këtu',
'All Open Tasks': 'Të gjitha detyrat e hapura',
'All Records': 'Të gjitha të dhënat',
'All Resources': 'Të gjitha burimet',
'All Tasks': 'Të gjitha detyrat',
'All data provided by the Sahana Software Foundation from this site is licensed under a Creative Commons Attribution license. However, not all data originates here. Please consult the source field of each entry.': 'Të gjitha të dhënat e ofruara nga Fondacioni Sahana Software nga kjo faqe është e licencuar nën një licencë të atribuimit të Creative Commons. Megjithatë, jo të gjitha të dhënat kanë origjinën këtu. Ju lutemi të konsultoheni me fushën burimore të secilës hyrje. ',
'All selected': 'Të gjitha të zgjedhura',
'All##filter_options': 'Të gjitha##filter_options',
'All': 'Të gjithë',
'Allergic': 'Alergjik',
'Allergies': 'Alergji',
'Allocate Group': 'Alokimi i grupit',
'Allocated Groups': 'Grupet e alokuara',
'Allocation Details': 'Detajet e alokimit',
'Allow records to be synchronized even if the remote record has a different unique identifier (UUID), and update local identifiers. Useful in active repositories when there are known duplicates in the remote database. Must be activated before the first synchronization run to take effect.': 'Lejo që të dhënat të sinkronizohen edhe nëse rekordi i largët ka një identifikues të ndryshëm unik (UUID) dhe përditëson identifikuesit lokalë. Dobishme në depot aktive kur ka kopjime të njohura në bazën e të dhënave të largët. Duhet të aktivizohet para se sinkronizimi i parë të kandidojë për të hyrë në fuqi.',
'Already a Member': 'Tashmë një anëtar',
'Alternate Name': 'Emri alternativ',
'Alternate Names': 'Emrat alternativë',
'Alternative Item Details': 'Detaje alternative të artikullit',
'Alternative Item added': 'Pika alternative shtuar',
'Alternative Item deleted': 'Pika alternative fshihet',
'Alternative Item updated': 'Pika alternative u përditësua',
'Alternative Items': 'Artikuj alternativë',
'Ambulance Service': 'Shërbimi i ambulancës',
'Amount Receivable': 'Shuma e arkëtueshme',
'Amount of the Project Budget spent at this location': 'Shuma e buxhetit të projektit të shpenzuar në këtë vend',
'Amount': 'Shuma',
'An ESRI Shapefile (zipped)': 'Një esri shapefile (ziped)',
'An Item Category must have a Code OR a Name.': 'Një kategori e artikullit duhet të ketë një kod ose një emër.',
'An error occured, please %(reload)s the page.': 'Ndodhi një gabim, ju lutemi %(reload)s faqen.',
'Analytics': 'Analytics',
'Analyze with KeyGraph': 'Analizoni me KeyGraph',
'Animal Die Off': 'Kafshë te vrara',
'Animal Feed': 'Ushqim për kafshë',
'Annual Budget deleted': 'Buxheti vjetor fshihet',
'Annual Budget updated': 'Buxheti vjetor i përditësuar',
'Annual Budget': 'Buxheti vjetor',
'Annual Budgets': 'Buxhetet vjetore',
'Anonymize Records': 'Anonim Regjistrat',
'Anonymize': 'Anonimizoj',
'Anonymous': 'Anonim',
'Antibiotics available': 'Antibiotikët në dispozicion',
'Antibiotics needed per 24h': 'Antibiotikët e nevojshëm për 24h',
'Any##filter_options': 'Çdo##filter_options',
'Applicable to projects in Pacific countries only': 'E aplikueshme për projektet në vendet e Paqësorit',
'Applied': 'Aplikuar',
'Appraisal Details': 'Detajet e vlerësimit',
'Appraisal added': 'Vlerësimi i shtuar',
'Appraisal deleted': 'Vlerësimi fshihet',
'Appraisal updated': 'Vlerësimi i përditësuar',
'Appraisals': 'Vlerësimet',
'Approval Pending': 'Miratimi në pritje',
'Approval URL': 'URL e miratimit',
'Approve': 'Miratoj',
'Approved By': 'E miratuar nga',
'Approved##actionable': 'Aprovuar##actionable',
'Approved': 'I miratuar',
'Approver Details': 'Detajet e miratimit',
'Approver added': 'Approver shtuar',
'Approver deleted': 'Aprovuar fshihet',
'Approver updated': 'Approver u përditësua',
'Approver': 'Miratoj',
'ArcGIS REST Layer': 'Shtresa e pushimit Arcgis',
'Archive Details': 'Detajet e arkivit',
'Archive URL': 'Arkivi URL',
'Archive created': 'Arkivi i krijuar',
'Archive created/updated': 'Arkivi i krijuar / përditësuar',
'Archive deleted': 'Arkivi fshihet',
'Archive updated': 'Arkiva u përditësua',
'Archive': 'Arkivi',
'Archived Cases': 'Rastet e arkivuara',
'Archives': 'Arkiv',
'Arctic Outflow': 'Dalje arktike',
'Are you sure you want to approve this request?': 'A jeni i sigurt që dëshironi të miratoni këtë kërkesë?',
'Are you sure you want to commit to this request and send a shipment?': 'Jeni i sigurt se doni të angazhoheni për këtë kërkesë dhe dërgoni një dërgesë?',
'Are you sure you want to create a new request as a copy of this one?': 'A jeni i sigurt se doni të krijoni një kërkesë të re si një kopje të kësaj?',
'Are you sure you want to delete the selected details?': 'Jeni i sigurt se doni të fshini detajet e zgjedhura?',
'Are you sure you want to delete this record?': 'Jeni i sigurt që doni të fshini këtë rekord?',
'Are you sure you want to send a shipment for this request?': 'A jeni i sigurt se doni të dërgoni një dërgesë për këtë kërkesë?',
'Are you sure you want to send this shipment?': 'Jeni i sigurt që doni të dërgoni këtë dërgesë?',
'Are you sure you want to submit this request?': 'A jeni i sigurt që dëshironi të dorëzoni këtë kërkesë?',
'Are you susbscribed?': 'A jeni abonuar?',
'Areas': 'Zona',
'Arrived': 'Arriti',
'Assessment Details': 'Detajet e vlerësimit',
'Assessment Targets': 'Objektivat e vlerësimit',
'Assessment Templates': 'Modelet e vlerësimit',
'Assessment added': 'Vlerësimi i shtuar',
'Assessment admin level': 'Vlerësimi i nivelit admin',
'Assessment deleted': 'Vlerësimi i fshirë',
'Assessment removed': 'Vlerësimi i hequr',
'Assessment timeline': 'Afati kohor i vlerësimit',
'Assessment updated': 'Vlerësimi i përditësuar',
'Assessment': 'Vlerësim',
'Assessments': 'Vlerësimet',
'Asset Details': 'Detajet e aseteve',
'Asset Item': 'Artikulli i Aseteve',
'Asset Log Details': 'Detajet e regjistrit të aseteve',
'Asset Log Empty': 'Log log bosh',
'Asset Log Entry deleted': 'Hyrja e logut të aseteve fshihet',
'Asset Log Entry updated': 'Regjistrimi i aseteve të aseteve u përditësua',
'Asset Log': 'Log i aseteve',
'Asset Number': 'Numri i aseteve',
'Asset added': 'Shtohet aseti',
'Asset deleted': 'Aseti i fshirë',
'Asset removed': 'Aseti i hequr',
'Asset updated': 'Aseti i përditësuar',
'Asset': 'Pasuri',
'Assets are resources which are not consumable but are expected back, so they need tracking.': 'Asetet janë burime të cilat nuk janë të konsumueshme, por priten prapa, kështu që ata kanë nevojë për ndjekje. ',
'Assets': 'Asete',
'Assign %(staff)s': 'Cakto %(staff)s',
'Assign Asset': 'Caktojë asetin',
'Assign Facility': 'Caktoni objektin',
'Assign Human Resource': 'Caktoni burimet njerëzore',
'Assign Organization': 'Cakto organizimin',
'Assign People to this Request': 'Caktoni njerëzit në këtë kërkesë',
'Assign People': 'Cakto njerëzit',
'Assign Roles': 'Cakto rolet',
'Assign Staff': 'Cakto stafin',
'Assign Team': 'Cakto ekipin',
'Assign this role to users': 'Cakto këtë rol për përdoruesit',
'Assign to Disaster': 'Caktojë në katastrofë',
'Assign to Event': 'Caktojë për ngjarjen',
'Assign to Facility/Site': 'Caktoni në objektin / Site',
'Assign to Incident': 'Caktojeni incidentin',
'Assign to Organization': 'Caktojë organizimin',
'Assign to Person': 'Caktoni personit',
'Assign to Ticket': 'Caktojë biletën',
'Assign to': 'Caktojë',
'Assign': 'Caktoj',
'Assigned By': 'Caktohet nga',
'Assigned Entities': 'Subjektet e caktuara',
'Assigned Human Resources': 'Burimet njerëzore të caktuar',
'Assigned Organizations': 'Organizatat e caktuara',
'Assigned Roles': 'Rolet e caktuara',
'Assigned Teams': 'Ekipet e caktuara',
'Assigned To': 'Caktuar për',
'Assigned to Facility/Site': 'Caktuar në objektin / site',
'Assigned to Organization': 'Të caktuar për organizimin',
'Assigned to Person': 'Të caktuar për personin',
'Assigned to': 'Caktuar për',
'Assigned': 'I caktuar',
'Assignments': 'Detyrë',
'Assistance Statuses': 'Statusi i asistencës',
'Assistance Types': 'Llojet e ndihmës',
'Associate Event': 'Ngjarje e asociuar',
'Association': 'Shoqatë',
'Attachment': 'Shtojcë',
'Attachments': 'Bashkangjitje',
'Attributes': 'Atributet',
'Attribution': 'Atribut',
'Authentication Required': 'Kërkohet autentifikimi',
'Authentication required': 'Kërkohet autentifikimi',
'Author': 'Autor',
'Authority Statement': 'Deklaratë e autoritetit',
'Automatic Message': 'Mesazh automatik',
'Availability Schedule': 'Orari i disponueshmërisë',
'Availability of bath handicap facilities': 'Disponueshmëria e objekteve të hendikepit të banjës',
'Availability of shower handicap facilities': 'Disponueshmëria e objekteve të hendikepit të dushit',
'Availability': 'Disponueshmëri',
'Available Alternative Inventories': 'Inventarët alternativë në dispozicion',
'Available Bath': 'Dush në dispozicion',
'Available Beds': 'Shtretër në dispozicion',
'Available Capacity (Day)': 'Kapaciteti i disponueshëm (Dita)',
'Available Capacity (Night)': 'Kapaciteti i disponueshëm (natën)',
'Available Capacity': 'Kapaciteti i disponueshëm',
'Available Databases and Tables': 'Bazat e të dhënave dhe tabelat e disponueshme',
'Available Forms': 'Formularët e disponueshëm',
'Available Inventories': 'Inventarët në dispozicion',
'Available Shower': 'Dush në dispozicion',
'Available for Deployment': 'Në dispozicion për vendosjen',
'Available in Viewer?': 'E disponueshme në shikues?',
'Available': 'Në dispozicion',
'Avalanche': 'Ortek',
'Award Details': 'Detajet e çmimit',
'Award Type': 'Lloji i shpërblimit',
'Award added': 'Çmimi shtuar',
'Award deleted': 'Çmimi fshihet',
'Award removed': 'Çmimi i hequr',
'Award updated': 'Çmimi i përditësuar',
'Award': 'Çmim',
'Awarding Body': 'Trupi i dhënies',
'Awards': 'Çmime',
'Back to Top': 'Kthehu në fillim',
'Back to User List': 'Kthehu tek lista e përdoruesve',
'Back to test results overview': 'Kthehu tek rezultatet e testimit',
'Background Color': 'Ngjyrë e sfondit',
'Bahai': 'Bahai',
'Balance##fin': 'Bilanci##fin',
'Baldness': 'Bald',
'Bank Address': 'Adresa bankare',
'Bank Name': 'Emri i bankes',
'Base %(facility)s Set': 'Baza %(facility)s e vendosur',
'Base Facility/Site Set': 'Struktura bazë / set',
'Base Layer?': 'Shtresa bazë?',
'Base Layers': 'Shtresa bazë',
'Base Location': 'Vendndodhja bazë',
'Base Station Details': 'Detajet e stacionit bazë',
'Base Station added': 'Stacioni bazë shtohet',
'Base Station deleted': 'Stacioni bazë fshihet',
'Base Station updated': 'Stacioni bazë i përditësuar',
'Base Stations': 'Stacionet bazë',
'Base URL': 'URL bazë',
'Baseline Number of Beds': 'Numri bazë i shtretërve',
'Baseline number of beds of that type in this unit.': 'Numri bazë i shtretërve të atij lloji në këtë njësi.',
'Basic Details': 'Detajet themelore',
'Bath Availability': 'Disponueshmëria e vaske',
'Bath Handicap Facilities': 'Objektet e hendikepit të banjës',
'Bath with handicap facilities': 'Dush me objekte handicap',
'Baud rate to use for your modem - The default is safe for most cases': "Shkalla e Baudit për t'u përdorur për modemin tuaj - parazgjedhja është e sigurt për shumicën e rasteve",
'Baud': 'Baud',
'Bearer##fin': 'Mbajtës##fin',
'Bed Capacity': 'Kapaciteti i krevatit',
'Bed Type': 'Lloji i krevatit',
'Bed type already registered': 'Lloji i krevatit tashmë të regjistruar',
'Beginner': 'Fillestar',
'Beneficiaries Added': 'Përfituesit e shtuar',
'Beneficiaries Deleted': 'Përfituesit fshihen',
'Beneficiaries Details': 'Detajet e përfituesve',
'Beneficiaries Reached': 'Përfituesit arritën',
'Beneficiaries Updated': 'Përfituesit u përditësuan',
'Beneficiaries': 'Përfitues',
'Beneficiary Date of Birth': 'Data e përfituesit të lindjes',
'Beneficiary Report': 'Raporti i Përfituesit',
'Beneficiary Type Added': 'Shtuar tipi përfitues',
'Beneficiary Type Deleted': 'Lloji i përfituesit fshihet',
'Beneficiary Type Updated': 'Lloji i përfituesit përditësuar',
'Beneficiary Type': 'Lloji i përfituesit',
'Beneficiary Types': 'Llojet e Përfituesit',
'Beneficiary': 'Përfitues',
'Billing Details': 'Detajet e faturimit',
'Billing already scheduled for that date': 'Faturimi i planifikuar për atë datë',
'Billing created': 'Faturimi i krijuar',
'Billing deleted': 'Faturimi fshihet',
'Billing updated': 'Faturim përditësuar',
'Billing': 'Faturim',
'Billings': 'Faturim',
'Bin': 'Jam',
'Bing Layer': 'Bing',
'Biological Hazard': 'Rrezik biologjik',
'Blizzard': 'Stuhi e ftohte',
'Blocked': 'I bllokuar',
'Blog': 'Blog',
'Blood Type (AB0)': 'Lloji i gjakut (AB0)',
'Blowing Snow': 'Stuhi Bore',
'Body Hair': 'Qime trupi',
'Body': 'Trup',
'Bomb Explosion': 'Shpërthimi i bombës',
'Bomb Threat': 'Kërcënim me bombë',
'Bomb': 'Bombë',
'Booking Mode Details': 'Detajet e modalitetit të rezervimit',
'Booking Mode added': 'Modaliteti i rezervimit shtoi',
'Booking Mode deleted': 'Modaliteti i rezervimit fshihet',
'Booking Mode updated': 'Modaliteti i rezervimit përditësuar',
'Booking Mode': 'Modaliteti i rezervimit',
'Booking Modes': 'Modalitetet e rezervimit',
'Bookmark Added': 'Bookmark shtuar',
'Bookmark Removed': 'Bookmark hiqet',
'Border Crossings': 'Kalimet kufitare',
'Both': 'Të dyja',
'Branch Coordinator': 'Koordinator i Degës',
'Branch Organisational Capacity Assessment': 'Vlerësimi i kapaciteteve organizative të degës',
'Branch Organization Details': 'Detajet e Organizatës së Degës',
'Branch Organization added': 'Shtuar organizata e degës',
'Branch Organization deleted': 'Organizata e degës fshihet',
'Branch Organization updated': 'Organizata e degës u përditësua',
'Branch Organizations': 'Organizatat e degëve',
'Branch of': 'Degë e',
'Branch': 'Degë',
'Branches': 'Degë',
'Brand Details': 'Detajet e markës',
'Brand added': 'Markë e shtuar',
'Brand deleted': 'Markë fshihet',
'Brand updated': 'Markë përditësuar',
'Brand': 'Markë',
'Brands': 'Marka',
'Breakdown': 'Thyej',
'Bridge Closed': 'Ura e mbyllur',
'Buddhist': 'Budist',
'Budget Monitoring': 'Monitorimi i buxhetit',
'Budget': 'Buxhet',
'Budgets': 'Buxhetet',
'Buffer': 'Tampon',
'Building Assessments': 'Vlerësimet e ndërtimit',
'Building Collapsed': 'Ndërtesa u rrëzua',
'Bulk Uploader': 'Ngarkues bulk',
'Bundles': 'Bundle',
'Burn ICU': 'Djeg Icu',
'Burn': 'Djeg',
'By %(site)s': 'Nga %(site)s',
'By selecting this you agree that we may contact you.': "Duke zgjedhur këtë ju pranoni që ne mund t'ju kontaktojmë.",
'By': 'Nga',
'CAP Resource': 'Burim kapak',
'CLOSED': 'MBYLLUR',
'CMS': 'CMS',
'CSV file required': 'Kërkohet skedari CSV',
'CTN': 'Ctn',
'CV': 'Cv',
'Cache Keys': 'Çelësat e cache',
'Cache': 'Cache',
'Calendar': 'Kalendar',
'Call Log Details': 'Detajet e regjistrit të thirrjes',
'Call Log added': 'Regjistri i thirrjes shtohet',
'Call Log removed': 'Regjistri i thirrjes hiqet',
'Call Log updated': 'Regjistri i thirrjeve përditësohet',
'Call Logs': 'Shkrimet e thirrjes',
'Camp Details': 'Detajet e kampit',
'Camp Service Details': 'Detajet e shërbimit të kampit',
'Camp Service added': 'Shtuar shërbimi i kampit',
'Camp Service deleted': 'Shërbimi i kampit fshihet',
'Camp Service updated': 'Shërbimi i kampit u përditësua',
'Camp Service': 'Shërbim kampesh',
'Camp Services': 'Shërbimet e kampit',
'Camp Status Details': 'Detajet e statusit të kampit',
'Camp Status added': 'Statusi i kampit shtoi',
'Camp Status deleted': 'Statusi i kampit fshihet',
'Camp Status updated': 'Statusi i kampit u përditësua',
'Camp Statuses': 'Statusi i kampit',
'Camp Type Details': 'Detajet e tipit të kampit',
'Camp Type added': 'Lloji i kampit shtoi',
'Camp Type deleted': 'Lloji i kampit fshihet',
'Camp Type updated': 'Lloji i kampit përditësuar',
'Camp Type': 'Lloji i kampit',
'Camp Types': 'Llojet e kampit',
'Camp added': 'Shtoi kampin',
'Camp deleted': 'Kampi fshihet',
'Camp updated': 'Kampi u përditësua',
'Camp': 'Kamp',
'Campaign Added': 'Fushata e shtuar',
'Campaign Deleted': 'Fushata fshihet',
'Campaign ID': 'ID e fushatës',
'Campaign Message Added': 'Mesazhi i fushatës shtoi',
'Campaign Message Deleted': 'Mesazhi i fushatës fshihet',
'Campaign Message Updated': 'Mesazhi i fushatës përditësuar',
'Campaign Message': 'Mesazhi i fushatës',
'Campaign Messages': 'Mesazhet e fushatës',
'Campaign Updated': 'Fushata përditësuar',
'Campaign': 'Fushatë',
'Campaigns': 'Fushatat',
'Camps': 'Kampe',
'Can only Approve Submitted Requests': 'Mund të miratojë vetëm kërkesat e paraqitura',
'Can only Submit Draft Requests': 'Mund të dorëzojë vetëm draft kërkesat',
'Can only approve 1 record at a time!': 'Mund të miratojë vetëm një rekord në një kohë!',
'Can only disable 1 record at a time!': 'Mund të çaktivizoni vetëm 1 rekord në një kohë!',
'Can only update 1 record at a time!': 'Mund të përditësohet vetëm 1 rekord në një kohë!',
'Can read PoIs either from an OpenStreetMap file (.osm) or mirror.': 'Mund të lexoni POIs ose nga një skedar openstreetmap (. Aosm) ose pasqyrë.',
'Cancel Log Entry': 'Anulo hyrjen e regjistrit',
'Cancel Shipment': 'Anuloj',
'Cancel Subscription': 'Anulo abonimin',
'Cancel Voucher Acceptance': 'Anuloni pranimin e kuponit',
'Cancel editing': 'Anulimin e redaktimit',
'Cancel subscription': 'Anulo abonimin',
'Cancel this voucher acceptance': 'Anuloni këtë pranim të kuponit',
'Cancel': 'Anuloj',
'Canceled': 'I anuluar',
'Cancellation failed': 'Anulimi dështoi',
'Cancellation successful': 'Anulimi i suksesshëm',
'Cancelled##fin': 'Anuluar##fin',
'Cancelled': 'I anuluar',
'Cannot Share to a Forum unless you are a Member': 'Nuk mund të ndajë në një forum nëse nuk jeni anëtar',
'Cannot be empty': 'Nuk mund të jetë bosh',
'Cannot create archive from remote data set': 'Nuk mund të krijojë arkiv nga grupi i të dhënave të largët',
'Cannot disable your own account!': 'Nuk mund të çaktivizojë llogarinë tuaj!',
'Cannot make an Organization a branch of itself!': 'Nuk mund të bëjë një organizatë një degë të vetvetes!',
'Cannot open created OSM file!': 'Nuk mund të hapë skedarin e krijuar OSM!',
'Cannot read from file: %(filename)s': 'Nuk mund të lexohet nga skedari: %(filename)s',
'Cannot send messages if Messaging module disabled': 'Nuk mund të dërgojë mesazhe nëse moduli i mesazheve me aftësi të kufizuara',
'Canvassing': 'Shqyrtim',
'Capacity (Day)': 'Kapaciteti (dita)',
'Capacity (Night)': 'Kapaciteti (natën)',
'Capacity (m3)': 'Kapaciteti (m3)',
'Capacity evaluated adding all defined housing unit capacities': 'Kapaciteti vlerësohet duke shtuar të gjitha kapacitetet e përcaktuara të njësisë së banimit',
'Capacity of the housing unit for people during the day': 'Kapaciteti i njësisë së banimit për njerëzit gjatë ditës',
'Capacity of the housing unit for people during the night': 'Kapaciteti i njësisë së banimit për njerëzit gjatë natës',
'Capacity of the shelter as a number of people': 'Kapaciteti i strehimit si një numër njerëzish',
'Capacity of the shelter during the day': 'Kapaciteti i strehës gjatë ditës',
'Capacity of the shelter during the night': 'Kapaciteti i strehës gjatë natës',
'Capacity': 'Kapacitet',
'Card Configuration Details': 'Detajet e konfigurimit të kartelës',
'Card Configuration created': 'Konfigurimi i kartës së krijuar',
'Card Configuration deleted': 'Konfigurimi i kartelës fshihet',
'Card Configuration updated': 'Përditësohet konfigurimi i kartelës',
'Card Configuration': 'Konfigurimi i kartelës',
'Card Type': 'Lloji i kartës',
'Card holder': 'Mbajtës i kartës',
'Cardiology': 'Kardiologji',
'Cards': 'Kartat',
'Case Activity Statuses': 'Statusi i aktivitetit të rastit',
'Case Activity': 'Aktiviteti i rastit',
'Case Statuses': 'Statusi i rastit',
'Case Types': 'Llojet e rasteve',
'Case': 'Rast',
'Cases': 'Raste',
'Cash': 'Para',
'Catalog Details': 'Detajet e katalogut',
'Catalog Item added': 'Pika e katalogut është shtuar',
'Catalog Item deleted': 'Pika e katalogut fshihet',
'Catalog Item updated': 'Pika e katalogut përditësuar',
'Catalog Items': 'Sendet e katalogut',
'Catalog added': 'Katalogu i shtuar',
'Catalog deleted': 'Katalogu i fshirë',
'Catalog updated': 'Katalogu i përditësuar',
'Catalog': 'Katalog',
'Catalogs': 'Katalogë',
'Categories': 'Kategori',
'Category': 'Kategori',
'Cell Tower': 'Kullë qelizore',
'Certificate Catalog': 'Katalogu i Certifikatës',
'Certificate Details': 'Detajet e certifikatës',
'Certificate Status': 'Statusi i certifikatës',
'Certificate added': 'Certifikata e shtuar',
'Certificate deleted': 'Certifikata fshihet',
'Certificate updated': 'Certifikata përditësuar',
'Certificate': 'Certifikatë',
'Certificates': 'Certifikatë',
'Certification Details': 'Detajet e certifikimit',
'Certification added': 'Çertifikimi i shtuar',
'Certification deleted': 'Certifikimi fshihet',
'Certification updated': 'Certifikimi i përditësuar',
'Certifications': 'Çertifikatat',
'Certifying Organization': 'Organizatë certifikuese',
'Change Password': 'Ndrysho fjalekalimin',
'Change to security policy 3 or higher if you want to define permissions for roles.': 'Ndryshoni në Politikën e Sigurisë 3 ose më të lartë nëse doni të përcaktoni lejet për rolet.',
'Channel added': 'Kanali shtuar',
'Channel': 'Kanal',
'Check ID': 'Kontrolloni ID',
'Check Request': 'Kontrolloni kërkesën',
'Check outbox for the message status': 'Kontrolloni kutinë për statusin e mesazhit',
'Check to delete': 'Kontrolloni për të fshirë',
'Check': 'Kontrolloj',
'Check-In': 'Check-in',
'Check-Out': 'Check-out',
'Check-in date': 'Check-in date',
'Check-in denied': 'Check-in e mohuar',
'Check-in': 'Check-in',
'Check-out date': 'Data e kontrollit',
'Check-out denied': 'Check-out mohuar',
'Check-out': 'Check-out',
'Checked out': 'E kontrolluar',
'Checked': 'I kontrolluar',
'Checked-In successfully!': 'Kontrolluar me sukses!',
'Checked-Out successfully!': 'Kontrolluar me sukses!',
'Checked-in successfully!': 'Kontrolluar me sukses!',
'Checked-in': 'I kontrolluar',
'Checked-out successfully!': 'Kontrolluar me sukses!',
'Checked-out': 'E kontrolluar',
'Checks': 'Çeqe',
'Chemical Hazard Incident so Level raised to 3': 'Incidenti i rrezikut kimik në mënyrë të nivelit të ngritur në 3',
'Chemical Hazard': 'Rrezik kimik',
'Child (2-11)': 'Fëmijë (2-11)',
'Child Abduction Emergency': 'Urgjenca për rrëmbimin e fëmijëve',
'Cholera Treatment Capability': 'Kapaciteti i trajtimit të kolerës',
'Cholera Treatment Center': 'Qendra e Trajtimit të Kolerës',
'Cholera Treatment': 'Trajtimi i kolerës',
'Cholera-Treatment-Center': 'Qendra e Trajtimit të Kolera',
'Choose a type from the drop-down, or click the link to create a new type': 'Zgjidhni një lloj nga drop-down, ose klikoni lidhjen për të krijuar një lloj të ri ',
'Christian': 'I krishterë',
'Civil Emergency': 'Emergjencë civile',
'Claim has incorrect status': 'Kërkesa ka status të pasaktë',
'Clear All': 'Pastroji të gjitha',
'Clear CACHE?': 'Pastroje memorien e përkohshme?',
'Clear Color Selection': 'Zgjedhja e qartë e ngjyrave',
'Clear DISK': 'Disk',
'Clear Entry': 'Hyrja e qartë',
'Clear Filter': 'Filtër të qartë',
'Clear Polygon': 'Poligonin e qartë',
'Clear RAM': 'RAM',
'Clear all Layers': 'Qartë të gjitha shtresat',
'Clear': 'Qartë',
'Click on the slider to choose a value': 'Klikoni në slider për të zgjedhur një vlerë',
'Click to edit': 'Kliko për të redaktuar',
'Click where you want to open Streetview': 'Kliko ku doni të hapni StreetView',
'Client ID': 'ID e klientit',
'Client Registration': 'Regjistrimi i klientit',
'Client Reservation': 'Rezervimi i klientit',
'Client Secret': 'Sekreti i klientit',
'Client was already checked-in': 'Klienti tashmë ishte kontrolluar',
'Client was already checked-out': 'Klienti tashmë ishte kontrolluar',
'Clinical Laboratory': 'Laborator klinik',
'Clinical Operations': 'Operacione klinike',
'Clinical Status': 'Statusi klinik',
'Close map': 'Mbyll',
'Close': 'Mbyll',
'Closed at': 'Mbyllur në',
'Closed': 'Mbyllur',
'Closed?': 'Mbyllur?',
'Cluster Attribute': 'Atribut klaster',
'Cluster Details': 'Detajet e klasterit',
'Cluster Distance': 'Distanca e klasterit',
'Cluster Threshold': 'Prag i klasterit',
'Cluster added': 'Grupi i shtuar',
'Cluster deleted': 'Grumbull i fshirë',
'Cluster updated': 'Grumbull i përditësuar',
'Cluster': 'Grumbull',
'Clusters': 'Grindjet',
'Coalition Details': 'Detajet e koalicionit',
'Coalition added': 'Koalicioni shtoi',
'Coalition removed': 'Koalicioni u hoq',
'Coalition updated': 'Koalicioni u përditësua',
'Coalitions': 'Koalicione',
'Code Share': 'Kodi',
'Code': 'Kod',
'Cold Wave': 'Valë e ftohtë',
'Collapse All': 'Collapse të gjithë',
'Comment': 'Koment',
'Comments permitted?': 'Komentet e lejuara?',
'Comments': 'Komentet',
'Commit All': 'Kryejnë të gjitha',
'Commit Date': 'Datën e kryer',
'Commit Status': 'Status',
'Commit': 'Kryej',
'Commitment Added': 'Angazhimi i shtuar',
'Commitment Canceled': 'Angazhimi u anulua',
'Commitment Details': 'Detajet e angazhimit',
'Commitment Item Details': 'Detajet e zotimit të zotimit',
'Commitment Item added': 'Shtoi artikulli i angazhimit',
'Commitment Item deleted': 'Pika e angazhimit fshihet',
'Commitment Item updated': 'Pika e angazhimit përditësuar',
'Commitment Items': 'Artikuj të angazhimit',
'Commitment Updated': 'Angazhimi u përditësua',
'Commitment': 'Angazhim',
'Commitments can be made against these Requests however the requests remain open until the requestor confirms that the request is complete.': 'Angazhimet mund të bëhen kundër këtyre kërkesave megjithatë kërkesat mbeten të hapura derisa kërkuesi të konfirmojë se kërkesa është e plotë.',
'Commitments': 'Angazhim',
'Committed By': 'I kryer nga',
'Committed Items': 'Artikuj të përkushtuar',
'Committed People Details': 'Detaje të angazhuara',
'Committed People updated': 'Njerëzit e përkushtuar u përditësuan',
'Committed People': 'Njerëz të angazhuar',
'Committed Person Details': 'Detajet e personit të përkushtuar',
'Committed Person updated': 'Personi i përkushtuar u përditësua',
'Committed Skills': 'Aftësitë e kryera',
'Committed': 'I kryer',
'Committing Organization': 'Kryerjen e organizatës',
'Committing Person': 'Kryerje',
'Committing Warehouse': 'Kryerjen e magazinës',
'Commodities Loaded': 'Mallrat e ngarkuara',
'Communication problems': 'Problemet e komunikimit',