-
Notifications
You must be signed in to change notification settings - Fork 0
/
ko.py
4014 lines (4014 loc) · 239 KB
/
ko.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
{
"'Cancel' will indicate an asset log entry did not occur": "' 취소 ' 자산 로그 항목이 발생하지 않았음을 나타냅니다.",
"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.": "이 지역의 지리적 영역을 지정하는 위치입니다. 이것은 위치 계층 구조 또는 '그룹 위치'이거나 지역 경계가있는 위치입니다.",
"Acronym of the organization's name, eg. IFRC.": '조직 이름의 약자, 예 ifrc.',
"Authenticate system's Twitter account": '시스템의 twitter 계정 인증',
"Can't import tweepy": 'tweepy를 가져올 수 없습니다',
"Caution: doesn't respect the framework rules!": '주의: 프레임워크는 규칙을 따르지 않습니다!',
"Describe the procedure which this record relates to (e.g. 'medical examination')": '이 레코드 (예: \\ " 의학 examination\\ " 과) 프로시저를 설명합니다',
"Error logs for '%(app)s'": '오류 로그를 "%(app)s"',
"Format the list of attribute values & the RGB value to use for these as a JSON object, e.g.: {Red: '#FF0000', Green: '#00FF00', Yellow: '#FFFF00'}": "속성 값 목록과 JSON 객체로 사용할 RGB 값 형식 지정 (예: {빨간색 목록으로 '#FF0000 ', 초록색으로 '#00FF00 ', yellow: '#FFFF00 '}",
"If selected, then this Asset's Location will be updated whenever the Person's Location is updated.": '이것이 선택된 경우, 이 자산의 위치는 사용자의 위치가 갱신될 때마다 갱신됩니다.',
"If this configuration represents a region for the Regions 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.": '이 구성이 지역 메뉴의 영역을 나타내는 경우, 메뉴에서 사용할 이름을 지정하십시오. 개인용 맵 구성에 대한 이름은 사용자의 이름으로 설정됩니다.',
"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.": '이 필드를 채우지 않으면 다음 이 조직 최대 서명할 때 지정하는 사용자는 해당 도메인이 도메인 필드와 일치하지 않는 한이 조직의 직원으로 지정됩니다.',
"If this is ticked, then this will become the user's Base Location & hence where the user is shown on the Map": '이것이 체크 된 경우, 이 사용자의 기본 위치가 되고 따라서 사용자가 지도에 표시됩니다.',
"If you don't see the Hospital in the list, you can add a new one by clicking link 'Create Hospital'.": "목록에 있는 병원 보이지 않는 경우, '병원 추가' 를 눌러 새로 추가할 수 있습니다.",
"If you don't see the Office in the list, you can add a new one by clicking link 'Create Office'.": "목록에 있는 사무실 보이지 않는 경우, '사무실 추가' 를 눌러 새로 추가할 수 있습니다.",
"If you don't see the Organization in the list, you can add a new one by clicking link 'Create Organization'.": "목록에서 조직 표시되지 않으면, '조직 추가'를 눌러 새로 추가할 수 있습니다.",
"Instead of automatically syncing from other peers over the network, you can also sync from files, which is necessary where there's no network. You can use this page to import sync data from files and also export data to sync files. Click the link on the right to go to this page.": '대신 자동으로 네트워크를 통해 다른 피어에서 동기화, 파일, 필요한 곳에 네트워크 의 경우 동기화 수. 이 페이지에서 파일 동기화 데이터 반입 및 데이터 파일을 sync 내보낼 수 있습니다. 이 페이지로 이동할 수 있는 링크를 누르십시오.',
"Level is higher than parent's": '상위 레벨이 아닌 경우',
"Need a 'url' argument!": "' url ' 인수가 필요합니다!",
"Optional. The name of the geometry column. In PostGIS this defaults to 'the_geom'.": "선택사항입니다. geometry 컬럼의 이름. postGIS 의 기본값은 ' the_geom' 입니다.",
"Parent level should be higher than this record's level. Parent level is": '상위 레벨은 반드시 이 레코드의 레벨 이상이어야 합니다. 상위 레벨은',
"Password fields don't match": '암호 필드가 일치하지 않습니다.',
"Phone number to donate to this organization's relief efforts.": '이 조직의 구조 활동에 기부 할 전화번호.',
"Please come back after sometime if that doesn't help.": '만약 그것이 도움이 되지 않는 경우, 잠시후에 다시 시도 해 주세요.',
"Quantity in %s's Inventory": '백분율 재고 수량',
"Select a Room from the list or click 'Create Room'": "목록에서 방을 선택하거나 ' 방 추가 '를 누르십시오.",
"Select a person in charge for status 'assigned'": "' 할당 된 ' 상태에 대한 사용자 선택하세요.",
"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.": "모든 특정 위치에 가장 깊은 위치 계층 수준의 상위가 필요한 경우 이 옵션을 선택합니다. 예를 들어, ' 특별지방자치단체 ' 가 계층에서 가장 작은 분할되어 있는 경우에는 모든 특정 위치가 특별지방자치단체를 상위계층으로 두어야 합니다.",
"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.": "모든 특정 위치에 위치 계층 구조의 상위 위치가 필요한 경우 이 옵션을 선택하십시오. 영향을받는 지역을 나타내는 ' 지역 '을 설정하는 데 도움이 됩니다.",
"Sorry, things didn't get done on time.": '죄송합니다, 제 시간에 완료되지 않았습니다.',
"Sorry, we couldn't find that page.": '죄송합니다. 이 페이지를 찾을 수 없습니다.',
"System's Twitter account updated": '시스템의 업데이트 된 Twitter계정',
"The Donor(s) for this project. Multiple values can be selected by holding down the 'Control' key.": "이 프로젝트의 기부자. ' 제어 '키를 누르면 여러 값을 선택할 수 있습니다.",
"The URL of the image file. If you don't upload an image file, then you must specify its location here.": '이미지 파일의 URL. 이미지 파일을 업로드하지 않는 경우 여기에 해당 위치를 지정해야 합니다.',
"To 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.": "사용자 이름으로 검색하려면, 첫 번째, 중간 또는 마지막 이름을 입력하십시오, 이름은 공백으로 구분됩니다. %를 와일드 카드로 사용할 수 있습니다. 모든 사람을 나열하려면 입력 없이 ' 검색 ' 을 누르십시오.",
"To search for a body, enter the ID tag number of the body. You may use % as wildcard. Press 'Search' without input to list all bodies.": "본문을 검색하려면, 본문의 ID 태그를 입력하십시오. %를 와일드 카드로 사용할 수 있습니다. 모든 본문을 나열하려면 입력 없이 ' 검색 ' 을 누르십시오.",
"To search for a hospital, enter any of the names or IDs of the hospital, or the organization name or acronym, separated by spaces. You may use % as wildcard. Press 'Search' without input to list all hospitals.": "병원을 검색하려면, 병원의 이름이나 ID 또는 조직 이름이나 약어를 입력하십시오. 각 부분은 공백으로 구분됩니다. %를 와일드 카드로 사용할 수 있습니다. 모든 병원을 나열하려면 입력 없이 ' 검색 ' 을 누르십시오.",
"To search for a hospital, enter any of the names or IDs of the hospital, separated by spaces. You may use % as wildcard. Press 'Search' without input to list all hospitals.": "병원을 검색하려면, 병원의 이름 또는 ID 를 입력하십시오, 이름과 ID는 공백으로 구분됩니다. %를 와일드 카드로 사용할 수 있습니다. 모든 병원을 나열하려면 입력 없이 ' 검색 ' 을 누르십시오.",
"To search for a location, enter the name. You may use % as wildcard. Press 'Search' without input to list all locations.": "위치를 검색하려면 이름을 입력하십시오. 모든 위치를 나열하려면 입력 없이 ' 검색 ' 을 누르십시오.",
"To search for a person, enter any of the first, middle or last names and/or an ID number of a person, separated by spaces. You may use % as wildcard. Press 'Search' without input to list all persons.": "사용자를 검색하려면, 첫 번째, 중간 또는 마지막 이름 또는 개인 ID 번호 중 하나를 입력하십시오. 각 부분은 공백으로 구분됩니다. 모든 사람을 나열하려면 입력 없이 ' 검색 ' 을 누르십시오.",
"To search for an assessment, enter any portion the ticket number of the assessment. You may use % as wildcard. Press 'Search' without input to list all assessments.": "평가를 검색하려면, 평가의 티켓 번호의 일부분을 입력하십시오. 모든 평가를 나열하려면 입력 없이 ' 검색 ' 을 누르십시오.",
"Type the first few characters of one of the Person's names.": '이름 중 첫 몇글자를 입력하세요.',
"Upload an image file here. If you don't upload an image file, then you must specify its location in the URL field.": '이미지 파일을 여기에 업로드하십시오. 이미지 파일을 업로드하지 않는 경우, 반드시 URL 필드에 해당 위치를 지정해야 합니다.',
"When syncing data with others, conflicts happen in cases when two (or more) parties want to sync information which both of them have modified, i.e. conflicting information. Sync module tries to resolve such conflicts automatically but in some cases it can't. In those cases, it is up to you to resolve those conflicts manually, click on the link on the right to go to this page.": '데이터를 다른 사람과 동기화할 때, 둘 이상의 당사자가 수정한 정보(예:충돌 정보)를 동기화하려고 하는 경우 충돌이 발생합니다. 동기화 모듈은 이러한 충돌을 자동으로 해결하려고 하지만 경우에 따라 해결하지 못 합니다. 이러한 경우 수동으로 이러한 충돌을 해결할 수 있습니다. 오른쪽의 링크를 클릭하여 이 페이지로 이동하십시오.',
"You haven't made any calculations": '어떤 계산도 수행하지 않았습니다.',
"couldn't be parsed so NetworkLinks not followed.": 'NetworkLinks를 추적 할 수 없으므로 구문 분석을 할 수 없습니다.',
"includes a GroundOverlay or ScreenOverlay which aren't supported in OpenLayers yet, so it may not work properly.": '아직 OpenLayers에서 지원되지 않는 GroundOverlay 또는 ScreenOverlay가 포함되어있어 제대로 작동하지 않을 수 있습니다.',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '\\ " update\\ " \\ " field1=\'newvalue\'\\ " 와 같은 선택적 표현식입니다. JOIN 결과를 갱신하거나 삭제할 수 없습니다.',
'# of International Staff': '# 국제 직원',
'# of National Staff': '# 국가 직원',
'%(msg)s\nIf the request type is "%(type)s", please enter the %(type)s on the next screen.': '%(msg)s\nif 요청 유형은 "%(type)s" 입니다. %(type)s 를 다음 화면에서 입력하십시오.',
'%(system_name)s - Verify Email': '%(system_name)s - 확인 할 메일',
'%s rows deleted': '% s 행 삭제',
'%s rows updated': '% s 행 업데이트',
'& then click on the map below to adjust the Lat/Lon fields': '& Lat/Lon 필드를 조정하려면 아래 지도를 누르십시오',
'* Required Fields': '* 필수 필드',
'0-15 minutes': '0-15 분',
'1 Assessment': '1 평가',
'1 location, shorter time, can contain multiple Tasks': '1 위치, 짧은 시간에 여러 태스크를 포함할 수 있습니다',
'1-3 days': '1-3일',
'15-30 minutes': '15-30분',
'2 different options are provided here currently:': '2개의 다른 옵션이 현재 제공됩니다.',
'2x4 Car': '2x4 자동차',
'30-60 minutes': '30-60 분',
'4-7 days': '4-7 일',
'4x4 Car': '4x4 자동차',
'8-14 days': '8-14 일',
'A Marker assigned to an individual Location is set if there is a need to override the Marker assigned to the Feature Class.': 'Feature Class에 할당 된 Marker를 재 정의 해야 할 필요가있는 경우 개별 위치에 할당 된 Marker가 설정됩니다.',
'A Reference Document such as a file, URL or contact person to verify this data. You can type the 1st few characters of the document name to link to an existing document.': '이 데이터를 확인하기위한 파일, URL 또는 담당자 연락과 같은 참조 문서. 문서 이름의 처음 몇 문자를 입력하여 기존 문서에 연결할 수 있습니다.',
'A brief description of the group (optional)': '그룹의 간략한 설명 (선택적)',
'A file downloaded from a GPS containing a series of geographic points in XML format.': 'GPS에서 다운로드한 파일로, XML형식의 일련의 지리적 위치를 포함합니다.',
'A file in GPX format taken from a GPS whose timestamps can be correlated with the timestamps on the photos to locate them on the map.': 'GPS에서 타임 스탬프가 사진의 타임 스탬프와 상관 관계가 있는 GPS에서 가져온 GPX형식의 파일을 지도에 찾기 위해 사진에 표시됩니다.',
'A library of digital resources, such as photos, documents and reports': '디지털 자원의 라이브러리 (예: 사진, 문서 및 보고서)',
'A location group can be used to define the extent of an affected area, if it does not fall within one administrative region.': '위치 그룹은 영향을받는 영역이 하나의 관리 영역에 속하지 않는 경우, 해당 영역의 범위를 정의하는 데 사용할 수 있습니다.',
'A location group is a set of locations (often, a set of administrative regions representing a combined area).': '위치 그룹은 위치 집합입니다 (종종 결합 된 영역을 나타내는 일련의 관리 영역).',
'A location group must have at least one member.': '위치 그룹에는 적어도 하나의 구성원이 있어야 합니다.',
'ABOUT THIS MODULE': '해당 모듈 정보',
'ACCESS DATA': '액세스 데이터',
'ANY': '모두',
'API is documented here': 'API는 여기에 설명되어 있습니다',
'ATC-20 Rapid Evaluation modified for New Zealand': '뉴질랜드를 위해 변경된 ATC-20 급속 평가',
'Abbreviation': '약어',
'Ability to Fill Out Surveys': '설문 조사 작성 능력',
'Ability to customize the list of details tracked at a Shelter': '보호소에서 추적 한 세부 정보 목록을 사용자 정의하는 기능',
'Ability to customize the list of human resource tracked at a Shelter': '보호소에서 추적되는 인적 자원 목록을 사용자 정의하는 기능',
'Ability to customize the list of important facilities needed at a Shelter': '보호소에 필요한 중요한 시설의 목록을 사용자 정의하는 기능',
'Ability to view Results of Completed and/or partially filled out Surveys': '완성 된 조사 및 / 또는 부분적으로 채워진 설문 결과를 볼 수있는 능력',
'About': '제품 정보',
'Access denied': '접근 거부됨',
'Access to Shelter': '보호소에 접근',
'Access to education services': '교육 서비스에 접근',
'Accessibility of Affected Location': '영향받는 위치의 접근성',
'Account Registered - Please Check Your Email': '계정 등록- 이메일을 확인하세요',
'Acronym': '약어',
'Actionable by all targeted recipients': '모든 대상 수신자가 실행가능',
'Actionable only by designated exercise participants; exercise identifier SHOULD appear in <note>': '지정된 연습 참여자만 실행가능; 운동 식별자는 반드시 <note>에 표시되어야 합니다.',
'Actioned?': '실행 되었습니까?',
'Actions taken as a result of this request.': '이 요청의 결과로 취한 조치.',
'Actions': '조치',
'Activate Events from Scenario templates for allocation of appropriate Resources (Human, Assets & Facilities).': '적절한 자원 (인력, 자산 및 설비) 할당을 위해 시나리오 템플릿에서 이벤트 활성화.',
'Active Problems': '활성 문제',
'Activities matching Assessments:': '평가와 일치하는 활동:',
'Activities of boys 13-17yrs before disaster': '재해 발생 전 13-17 세 소년 활동',
'Activities of boys 13-17yrs now': '현재 13-17 세 소년 활동',
'Activities of boys <12yrs before disaster': '재해 발생 전 12 세 미만 소년 활동',
'Activities of boys <12yrs now': '현재 12 세 미만 소년 활동',
'Activities of children': '아이들의 활동',
'Activities of girls 13-17yrs before disaster': '재해 발생 전 13-17 세 소녀 활동',
'Activities of girls 13-17yrs now': '현재 13-17 세 소녀 활동',
'Activities of girls <12yrs before disaster': '재해 발생 전 12 세 미만 소녀 활동',
'Activities of girls <12yrs now': '현재 12 세 미만 소녀 활동',
'Activities': '활동들',
'Activities:': '활동들:',
'Activity Added': '활동 추가됨',
'Activity Deleted': '활동 삭제됨',
'Activity Details': '활동 세부사항',
'Activity Report': '활동 보고서',
'Activity Reports': '활동 보고서들',
'Activity Type': '활동 유형',
'Activity Updated': '활동 갱신됨',
'Activity': '활동',
'Add Activity Type': '활동 유형 추가',
'Add Address': '주소 추가',
'Add Alternative Item': '대체 항목 추가',
'Add Assessment Summary': '평가 요약 추가',
'Add Assessment': '평가 추가',
'Add Asset Log Entry - Change Label': '로그 항목-자산 변경할 레이블 추가',
'Add Availability': '가용성 추가',
'Add Baseline Type': '기준선 유형 추가',
'Add Baseline': '기준선 추가',
'Add Bundle': '번들 추가',
'Add Camp Service': '캠프 서비스 추가',
'Add Camp Type': '캠프 유형 추가',
'Add Camp': '캠프 추가',
'Add Certificate for Course': '코스 증명서 추가',
'Add Certification': '인증 추가',
'Add Competency': '언어 능력 추가',
'Add Contact Information': '연락처 정보 추가',
'Add Contact': '연락처 추가',
'Add Credential': '인증 정보 추가',
'Add Credentials': '인증 정보들 추가',
'Add Disaster Victims': '재난 피해자 추가',
'Add Distribution.': '분배 추가.',
'Add Document': '문서 추가',
'Add Donor': '기부자 추가',
'Add Flood Report': '홍수 보고서 추가',
'Add Group Member': '그룹 구성원 추가',
'Add Human Resource': '인적 자원 추가',
'Add Identity': '신원 추가',
'Add Image': '이미지 추가',
'Add Impact Type': '영향 유형 추가',
'Add Impact': '영향 추가',
'Add Item to Catalog': '카탈로그 항목 추가',
'Add Item to Commitment': '약속 항목 추가',
'Add Item to Inventory': '재고 항목 추가',
'Add Item to Request': '요청 항목 추가',
'Add Item to Shipment': '운송 항목 추가',
'Add Item': '항목 추가',
'Add Job Role': '작업 역할 추가',
'Add Key': '키 추가',
'Add Kit': 'kit 추가',
'Add Level 1 Assessment': '레벨 1 평가 추가',
'Add Level 2 Assessment': '레벨 2 평가 추가',
'Add Location': '위치 추가',
'Add Log Entry': '로그 항목 추가',
'Add Member': '회원 추가',
'Add Membership': '멤버십 추가',
'Add Message': '메시지 추가',
'Add Mission': '임무 추가',
'Add Need Type': '필요성 유형 추가',
'Add Need': '필요성 추가',
'Add New Assessment Summary': '새 평가 요약 추가',
'Add New Baseline Type': '새 기준선 유형 추가',
'Add New Baseline': '새 기준선 추가',
'Add New Budget': '새 예산 추가',
'Add New Bundle': '새 번들 추가',
'Add New Camp Service': '새 캠프 서비스 추가',
'Add New Camp Type': '새 캠프 유형 추가',
'Add New Camp': '새 캠프 추가',
'Add New Cluster Subsector': '새 클러스터 subsector 추가',
'Add New Cluster': '새 클러스터 추가',
'Add New Commitment Item': '추가할 새 항목은 확약',
'Add New Document': '새 문서 추가',
'Add New Donor': '새 제공자 추가',
'Add New Entry': '새 항목 추가',
'Add New Event': '새 이벤트 추가',
'Add New Flood Report': '새 범람 보고서 추가하기',
'Add New Human Resource': '추가할 새 인적 자원',
'Add New Image': '새 이미지 추가하기',
'Add New Impact Type': '새 영향 유형 추가',
'Add New Impact': '새 영향 추가',
'Add New Item to Kit': '새 항목 추가 로 kit',
'Add New Key': '새 키 추가',
'Add New Level 1 Assessment': '새 레벨 1 평가 추가',
'Add New Level 2 Assessment': '새 레벨 2 평가 추가',
'Add New Member': '새 멤버 추가',
'Add New Membership': '새 구성원 추가',
'Add New Need Type': '새 하는 유형 추가',
'Add New Need': '새 추가 합니다',
'Add New Population Statistic': '새 인구 통계 추가',
'Add New Problem': '새 문제점 추가',
'Add New Rapid Assessment': '추가할 새 신속한 평가',
'Add New Received Item': '수신된 새 항목 추가',
'Add New Record': '새 레코드 추가',
'Add New Request Item': '새 품목 요청',
'Add New Request': '새 요청 추가',
'Add New River': '새 river 추가',
'Add New Role to User': '새 역할에 사용자 추가',
'Add New Scenario': '새 시나리오 추가',
'Add New Sent Item': '새 보낸 항목 추가',
'Add New Setting': '새 설정 추가',
'Add New Solution': '새 솔루션 추가',
'Add New Staff Type': '새 직원 유형 추가',
'Add New Subsector': '새 subsector 추가',
'Add New Survey Answer': '새 설문지 응답 추가',
'Add New Survey Question': '새 설문지 질문 추가',
'Add New Survey Series': '새 설문지 시리즈 추가',
'Add New Survey Template': '새 서베이 템플리트 추가',
'Add New Team': '새 팀 추가',
'Add New Ticket': '새 티켓 추가',
'Add New Track': '추가할 새 추적',
'Add New User to Role': '새 사용자 역할 추가',
'Add New': '새로 추가',
'Add Peer': '피어 추가',
'Add Person': '사용자 추가',
'Add Photo': '사진 추가',
'Add Population Statistic': '인구 통계 추가',
'Add Position': '위치 추가',
'Add Problem': '추가 문제점',
'Add Question': '질문 추가',
'Add Rapid Assessment': '빠른 평가 추가',
'Add Record': '레코드 추가',
'Add Reference Document': '참조 문서 추가',
'Add Report': '보고서 추가',
'Add Request': '요청 추가',
'Add Resource': '자원 추가',
'Add Section': '섹션 추가',
'Add Setting': '설정 추가',
'Add Skill Equivalence': '기술 반복기에 추가',
'Add Skill Provision': '기술 프로비저닝하려면 추가',
'Add Solution': '솔루션 추가',
'Add Staff Type': '추가 직원 유형',
'Add Subscription': '등록 추가',
'Add Subsector': '추가 subsector',
'Add Survey Answer': '서베이 응답 추가',
'Add Survey Question': '서베이 질문 추가',
'Add Survey Series': '추가 조사 시리즈',
'Add Survey Template': '서베이 템플리트 추가',
'Add Team Member': '회원 추가',
'Add Team': '팀 추가',
'Add Ticket': '티켓 추가',
'Add Training': '교육 추가',
'Add Unit': '단위 추가',
'Add Volunteer Availability': '지원자 가용성 추가',
'Add a Reference Document such as a file, URL or contact person to verify this data. If you do not enter a Reference Document, your email will be displayed instead.': '같은 파일 참조 문서 추가, url 또는 이 데이터 검증하십시오. 참조 문서 입력하지 않으면, 대신 표시됩니다.',
'Add a Volunteer': '를 자발적으로 추가',
'Add a new certificate to the catalog.': '새 인증 카탈로그에 추가하십시오.',
'Add a new competency rating to the catalog.': '새 능력 등급 카탈로그에 추가하십시오.',
'Add a new course to the catalog.': '새 과정 카탈로그에 추가하십시오.',
'Add a new job role to the catalog.': '카탈로그에 새 작업 역할을 추가하십시오.',
'Add a new skill provision to the catalog.': '새로운 기술 프로비저닝 카탈로그에 추가하십시오.',
'Add a new skill to the catalog.': '새 항목을 추가하려면.',
'Add a new skill type to the catalog.': '새 항목 유형 카탈로그에 추가하십시오.',
'Add new Group': '새 그룹 추가',
'Add new Individual': '새 개별 추가',
'Add new project.': '새 프로젝트를 추가하십시오.',
'Add staff members': '스태프 구성원 추가',
'Add to Bundle': '번들에 추가',
'Add to budget': '에 예산 추가',
'Add volunteers': 'volunteers 추가',
'Add/Edit/Remove Layers': '추가/편집/계층 제거',
'Added to Group': '구성원 추가',
'Added to Team': '구성원 추가',
'Additional Beds / 24hrs': '추가 의료용/24hrs',
'Address Details': '주소 상세정보',
'Address Type': '주소 유형',
'Address added': '주소 추가',
'Address deleted': '주소 삭제',
'Address updated': '주소 갱신',
'Address': '주소',
'Addresses': '주소',
'Adequate food and water available': '적합한 식품 워터마크 사용',
'Adequate': '적절한',
'Admin Email': '관리자 전자 우편',
'Admin Name': 'Admin 이름',
'Administration': '관리',
'Adolescent (12-20)': 'adolescent (12-20)',
'Adolescent participating in coping activities': 'adolescent 활동에 참여하는 복사',
'Adult (21-50)': '성인 (21-50)',
'Adult ICU': '성인 icu',
'Adult Psychiatric': '성인 psychiatric',
'Adult female': '성인 여성',
'Adult male': '성인 남성',
'Adults in prisons': 'adults prisons 에서',
'Advanced:': '고급:',
'Advisory': '보안 권고문',
'After clicking on the button, a set of paired items will be shown one by one. Please select the one solution from each pair that you prefer over the other.': '이 단추를 누른 후, 쌍체 항목 세트를 하나씩 표시됩니다. 참고로, 다른 원하는 각 쌍에서 하나의 솔루션을 선택하십시오.',
'Age Group': '연령 그룹',
'Age group does not match actual age.': '연령 그룹 실제 나이 일치하지 않습니다.',
'Age group': '연령 그룹',
'Aggravating factors': 'aggravating 요소',
'Agriculture': '농업',
'Air Transport Service': 'air transport 서비스',
'Aircraft Crash': '항공기 충돌',
'Aircraft Hijacking': '항공기 하이잭이라고',
'Airport Closure': '공항 처리완료',
'Airspace Closure': 'airspace 마감',
'Alcohol': '알코올',
'Alert': '경보',
'All Inbound & Outbound Messages are stored here': '모든 인바운드 및 아웃바운드 메시지를 여기에 저장됩니다',
'All Resources': '모든 자원',
'All data provided by the Sahana Software Foundation from this site is licenced under a Creative Commons Attribution licence. However, not all data originates here. Please consult the source field of each entry.': '이 사이트에서 sahana software foundation 에서 제공하는 모든 데이터를 창의적 commons attribution 라이센스 하에서 licenced. 그러나, 모든 데이터 비롯됩니다. 각 항목의 소스 필드를 참조하십시오.',
'Allowed to push': '누름 수',
'Allows a Budget to be drawn up': '그릴 수 있게 예산',
'Allows authorized users to control which layers are available to the situation map.': '사용자가 허용하는 계층을 사용할 수 있는 상황 맵핑할 제어할 수 있습니다.',
'Alternative Item Details': '대체 항목 세부사항',
'Alternative Item added': '대체 항목 추가됨',
'Alternative Item deleted': '대체 항목 삭제',
'Alternative Item updated': '대체 항목 갱신',
'Alternative Item': '대체 품목',
'Alternative Items': '대체 항목',
'Alternative places for studying': '대체 연구하여 대한 작업공간',
'Ambulance Service': 'ambulance 서비스',
'An intake system, a warehouse management system, commodity tracking, supply chain management, procurement and other asset and resource management capabilities.': '흡입구 (시스템, 웨어하우스 관리 시스템, 상품 추적, 공급망 관리, 조달 및 기타 자산 및 자원 관리 기능을 제공합니다.',
'An item which can be used in place of another item': '다른 항목 대신 사용할 수 있는 항목',
'Analysis of Completed Surveys': '분석 완료 조사 중',
'Animal Die Off': '동물 off die',
'Animal Feed': '피드 동물',
'Antibiotics available': 'antibiotics 사용',
'Antibiotics needed per 24h': 'antibiotics 24h 당 필요한',
'Apparent Age': '피상 연령',
'Apparent Gender': '피상 성별',
'Application Deadline': '어플리케이션 최종 기한',
'Approve': '승인',
'Approved': '승인된 날짜',
'Approver': '승인자',
'Arctic Outflow': 'arctic outflow',
'Areas inspected': '영역 검사',
'Assessment Details': '평가 세부사항',
'Assessment Reported': '보고된 평가',
'Assessment Summaries': '평가 요약',
'Assessment Summary Details': '평가 요약 세부사항',
'Assessment Summary added': '추가된 평가 요약',
'Assessment Summary deleted': '삭제된 평가 요약',
'Assessment Summary updated': '갱신된 평가 요약',
'Assessment added': '평가 추가',
'Assessment admin level': '평가 관리 레벨',
'Assessment deleted': '평가 삭제',
'Assessment timeline': '시간선 평가',
'Assessment updated': '갱신된 평가',
'Assessment': '평가',
'Assessments Needs vs. Activities': '평가 vs. 하는 활동',
'Assessments and Activities': '평가 및 활동',
'Assessments': '평가',
'Assessments:': '평가:',
'Assessor': '평가자',
'Asset Details': '자산 세부사항',
'Asset Log Details': '자산 세부사항 로그',
'Asset Log Empty': '자산 빈 로그',
'Asset Log Entry Added - Change Label': '로그 항목-자산 변경할 레이블 추가',
'Asset Log Entry deleted': '자산 로그 항목 삭제',
'Asset Log Entry updated': '자산 로그 항목 갱신',
'Asset Log': '자산 로그',
'Asset Management': '자산 관리',
'Asset Number': '자산 번호',
'Asset added': '자산 추가됨',
'Asset deleted': '삭제된 자산',
'Asset removed': '제거된 자산',
'Asset updated': '자산 업데이트됨',
'Asset': '자산',
'Assets are resources which are not consumable but are expected back, so they need tracking.': '자산을 이용 않았으나 예상되는 경우 자원, 트래킹 합니다.',
'Assets': '자산',
'Assign Group': '그룹 지정',
'Assign Staff': '스태프 지정',
'Assign to Org.': '조직 할당하십시오.',
'Assign to Organization': '조직 지정',
'Assign to Person': '사용자 지정',
'Assign to Site': '사이트 지정',
'Assign': '지정',
'Assigned By': '지정한',
'Assigned To': '지정 대상',
'Assigned to Organization': '지정된 조직',
'Assigned to Person': '지정된 사용자',
'Assigned to Site': '지정된 사이트',
'Assigned to': '지정 대상',
'Assigned': '지정됨',
'At/Visited Location (not virtual)': '/방문한 위치 (가상)',
'Attend to information sources as described in <instruction>': '참석 정보가 소스에 에 설명된 대로<instruction>',
'Attribution': 'attribution',
'Author': '작성자',
'Availability': '가용성',
'Available Alternative Inventories': '사용 명세를 대체',
'Available Beds': '사용 가능한 의료용',
'Available Inventories': '사용 가능한 자원',
'Available Messages': '사용 가능한 메시지',
'Available Records': '사용 가능한 레코드',
'Available databases and tables': '데이터베이스 및 테이블 사용',
'Available for Location': '사용 위치',
'Available from': '사용 가능 원본',
'Available in Viewer?': '사용 표시기에서?',
'Available until': '사용 가능한 최종 시간',
'Avalanche': 'avalanche',
'Avoid the subject event as per the <instruction>': '주제 이벤트 대로 당 피하기<instruction>',
'Background Color for Text blocks': '텍스트 블록의 배경 색상',
'Background Color': '배경색',
'Bahai': '바하이',
'Baldness': '탈모',
'Banana': '바나나',
'Bank/micro finance': '은행/마이크로 파이낸스',
'Barricades are needed': 'barricades 필요',
'Base Layer?': '기본 ssl?',
'Base Location': '기본 위치',
'Base Site Set': '기본 사이트 설정',
'Baseline Data': '기준선 데이터',
'Baseline Number of Beds': '기준선 번호 의료용 중',
'Baseline Type Details': '기준선 유형 세부사항',
'Baseline Type added': '기준선 유형 추가',
'Baseline Type deleted': '기준선 유형 삭제',
'Baseline Type updated': '기준선 유형 갱신',
'Baseline Type': '기준선 유형',
'Baseline Types': '기준선 유형',
'Baseline added': '기준선 추가',
'Baseline deleted': '기준선 삭제',
'Baseline number of beds of that type in this unit.': '이 유형의 의료용 기준선 번호.',
'Baseline updated': '기준선 갱신',
'Baselines Details': '기준선 세부사항',
'Baselines': '기준선',
'Basic Assessment Reported': '기본 평가에서 보고된',
'Basic Assessment': '기본 평가',
'Basic Details': '기본 세부사항',
'Basic reports on the Shelter and drill-down by region': '기본, shelter 및 drill-down region 에 대한 보고서',
'Baud rate to use for your modem - The default is safe for most cases': '전송 속도를 사용자 모뎀의-기본 사용할 대부분의 스레드세이프인지',
'Baud': '보오율',
'Beam': '빔',
'Bed Capacity per Unit': 'bed 용량 단위',
'Bed Capacity': 'bed 용량',
'Bed Type': 'bed 유형',
'Bed type already registered': 'bed 유형이 이미 등록되었습니다.',
'Below ground level': '아래 접지선 레벨',
'Beneficiary Type': '수혜자입니다 유형',
'Biological Hazard': '생물학 위험',
'Biscuits': 'biscuits',
'Blizzard': 'blizzard',
'Blood Type (AB0)': '혈액 유형 (AB0)',
'Blowing Snow': 'blowing 눈',
'Boat': 'boat',
'Bodies found': '본문을 찾을 수 없음',
'Bodies recovered': '복구된 단체',
'Body Recovery Request': '본문 복구 요청',
'Body Recovery Requests': '본문 복구 요청',
'Body': 'body',
'Bomb Explosion': '폭발 bomb',
'Bomb Threat': 'bomb 위협',
'Bomb': 'bomb',
'Border Color for Text blocks': '경계 색상 텍스트 블록',
'Brand Details': '브랜드 세부사항',
'Brand added': '브랜드 추가',
'Brand deleted': '브랜드 삭제',
'Brand updated': '갱신된 브랜드',
'Brand': '브랜드',
'Brands': '브랜드',
'Bricks': 'bricks',
'Bridge Closed': '브릿지 닫힘',
'Bucket': '버킷',
'Buddhist': '불교식 달력',
'Budget Details': '예산 세부사항',
'Budget Updated': '갱신된 예산',
'Budget added': '예산 추가',
'Budget deleted': '예산 삭제',
'Budget updated': '갱신된 예산',
'Budget': '예산',
'Budgeting Module': '모듈 예산',
'Budgets': '예산',
'Buffer': '버퍼',
'Bug': '버그',
'Building Assessments': '빌드 평가',
'Building Collapsed': '빌드 접힌',
'Building Name': '빌딩 이름',
'Building Safety Assessments': '빌드 안전 평가',
'Building Short Name/Business Name': '빌드 짧은 이름/비즈니스 이름',
'Building or storey leaning': '빌드 또는 storey leaning',
'Built using the Template agreed by a group of NGOs working together as the': '템플리트 동의된 ngos 그룹에서 함께 사용하여 작업',
'Bulk Uploader': '벌크 uploader',
'Bundle Contents': '번들 컨텐츠',
'Bundle Details': 'Bundle 세부사항',
'Bundle Updated': '번들 갱신',
'Bundle added': '번들 추가',
'Bundle deleted': '번들 삭제',
'Bundle updated': '번들 갱신',
'Bundle': '번들',
'Bundles': '번들',
'Burn ICU': '충전하지 icu',
'Burn': '소모시키다',
'Burned/charred': '하드코드된/charred',
'By Facility': '기능에 의해',
'By Inventory': '자원 명세',
'CBA Women': 'cba 여성',
'CSS file %s not writable - unable to apply theme!': 'css 파일% s not installed — unable 테마를 적용할 쓰기-!',
'Calculate': '계산',
'Camp Coordination/Management': '캠프 조정/관리',
'Camp Details': '캠프 세부사항',
'Camp Service Details': '캠프 서비스 세부사항',
'Camp Service added': '캠프 서비스 추가됨',
'Camp Service deleted': '캠프 서비스 삭제됨',
'Camp Service updated': '캠프 서비스 갱신됨',
'Camp Service': '캠프 서비스',
'Camp Services': '캠프 서비스들',
'Camp Type Details': '캠프 유형 세부사항',
'Camp Type added': '캠프 유형 추가됨',
'Camp Type deleted': '캠프 유형 삭제됨',
'Camp Type updated': '캠프 유형 갱신됨',
'Camp Type': '캠프 유형',
'Camp Types and Services': '캠프 유형 및 서비스',
'Camp Types': '캠프 유형들',
'Camp added': '캠프 추가됨',
'Camp deleted': '캠프 삭제됨',
'Camp updated': '캠프 갱신됨',
'Camp': '캠프',
'Camps': '캠프들',
'Can only disable 1 record at a time!': '한 번에 1 레코드 사용 불가능하게 할 수 있습니다.',
'Cancel Log Entry': '로그 항목 취소',
'Cancel Shipment': '선적 취소',
'Cancel': 'CANCEL(취소)',
'Canceled': '취소됨',
'Candidate Matches for Body %s': '후보자가 신체 %s 에 일치합니다',
'Canned Fish': '통조림에 든 생선',
'Cannot be empty': '비어있을 수 없음',
'Cannot disable your own account!': '사용자 고유 계정을 사용 불가능하게 할 수 없습니다.',
'Capacity (Max Persons)': '용량 (max 명)',
'Capture Information on Disaster Victim groups (Tourists, Passengers, Families, etc.)': 'capture 정보 피해 희생 (tourists, passengers, 제품군에서 등) )',
'Capture Information on each disaster victim': 'capture 정보 각 피해 희생 (victim)',
'Capturing the projects each organization is providing and where': '각 프로젝트 제공하는 조직 및 캡처',
'Cardiology': 'cardiology',
'Cassava': 'cassava',
'Casual Labor': '일반 작업',
'Casualties': 'casualties',
'Catalog Details': '카탈로그 세부사항',
'Catalog Item added': '카탈로그 항목 추가',
'Catalog Item deleted': '카탈로그 항목 삭제',
'Catalog Item updated': '카탈로그 항목 갱신',
'Catalog Items': '카탈로그 항목',
'Catalog added': '카탈로그 추가',
'Catalog deleted': '카탈로그 삭제',
'Catalog updated': '카탈로그 갱신',
'Catalog': '카탈로그',
'Catalogs': '카탈로그',
'Categories': '범주',
'Category': '카테고리',
'Ceilings, light fixtures': 'ceilings, 표시등이 fixtures',
'Central point to record details on People': '중앙 사용자 레코드에 대한 자세한 내용은',
'Certificate Catalog': '인증서 카탈로그',
'Certificate Details': '인증서 세부사항',
'Certificate Status': '인증서 상태',
'Certificate added': '인증서 추가',
'Certificate deleted': '인증서가 삭제됨',
'Certificate updated': '인증서 갱신됨',
'Certificate': '인증',
'Certificates': '인증서',
'Certification Details': '인증 세부사항',
'Certification added': '인증 추가',
'Certification deleted': '인증 삭제',
'Certification updated': '인증 갱신',
'Certification': '인증',
'Certifications': '인증',
'Certifying Organization': '조직 인증',
'Change Password': '암호 변경',
'Check Request': '요청 확인',
'Check for errors in the URL, maybe the address was mistyped.': 'url 에 오류, maybe 주소를 잘못 확인하십시오.',
'Check if the URL is pointing to a directory instead of a webpage.': 'url 디렉토리 대신 웹 가리키는지 확인하십시오.',
'Check outbox for the message status': '메시지 상태를 outbox 확인',
'Check to delete': '삭제하려면 선택하십시오.',
'Checked': '확인',
'Checklist created': '체크리스트 작성',
'Checklist deleted': '삭제할 체크리스트',
'Checklist of Operations': '운영 점검 목록',
'Checklist updated': '갱신 점검',
'Checklist': '체크리스트',
'Chemical Hazard': '화학적 위험',
'Chemical, Biological, Radiological, Nuclear or High-Yield Explosive threat or attack': '화학적, 생물학적, 방사능, 핵무기 또는 고성능 폭발물 위협 또는 공격',
'Chicken': '닭고기',
'Child (2-11)': '하위 (2-11)',
'Child (< 18 yrs)': '하위 (< 18 세의)',
'Child Abduction Emergency': '하위 abduction 비상',
'Child headed households (<18 yrs)': '하위 머리 households (<18 세)',
'Child': '하위',
'Children (2-5 years)': '하위 (2-5 년)',
'Children (5-15 years)': '하위 (5-15 년)',
'Children (< 2 years)': '하위 (< 2 년)',
'Children in adult prisons': '하위 prisons 에 성인',
'Children in boarding schools': '하위 boarding 학교 에서',
'Children in homes for disabled children': '하위 홈은 의 하위에 대한 사용',
'Children in juvenile detention': '하위 juvenile detention)',
'Children in orphanages': '하위 orphanages 에',
'Children living on their own (without adults)': '하위 자신의 활성 (adults)',
'Children not enrolled in new school': '새 하위 학교 등록되어',
'Children orphaned by the disaster': '하위 피해 의해 분리되었으며',
'Children separated from their parents/caregivers': '하위에 상위/caregivers 구분됩니다',
'Children that have been sent to safe places': '안전한 위치에 전송된 하위',
'Children who have disappeared since the disaster': '누가 피해 이후 사라진 하위',
'Chinese (Taiwan)': '대만어',
'Cholera Treatment Capability': 'cholera 처리 기능',
'Cholera Treatment Center': 'cholera 진료 센터',
'Cholera Treatment': 'cholera 처리',
'Choose a new posting based on the new evaluation and team judgement. Severe conditions affecting the whole building are grounds for an UNSAFE posting. Localised Severe and overall Moderate conditions may require a RESTRICTED USE. Place INSPECTED placard at main entrance. Post all other placards at every significant entrance.': '새 평가 및 팀 판단에 따라 새 게시를 선택하십시오. 전체 빌드 영향을 미치는 심각한 조건을 통지일 안전하지 의 접지. 로컬화된 심각한 전반적인 중간 제한 조건을 사용해야 할 수도 있습니다. 작업공간 검사된 기본 시작 시 placard. post 모든 중요한 진입점을 전혀 다른 placards.',
'Christian': '서기',
'Church': '교회',
'City': 'city',
'Civil Emergency': 'civil 비상',
'Cladding, glazing': 'cladding, glazing',
'Click on the link %(url)s to reset your password': '링크를 누르십시오. %(url)s 사용자 암호 재설정',
'Click on the link %(url)s to verify your email': '링크를 누르십시오. %(url)s 사용자의 전자 검증하십시오',
'Clinical Laboratory': '임상 연구소',
'Clinical Operations': '임상 조작',
'Clinical Status': '임상 상태',
'Closed': '닫힘',
'Clothing': '의류',
'Cluster Details': '클러스터 세부사항',
'Cluster Distance': '클러스터 거리',
'Cluster Subsector Details': '클러스터 subsector 세부사항',
'Cluster Subsector added': '클러스터 하부영역 추가',
'Cluster Subsector deleted': '클러스터 하부영역 삭제',
'Cluster Subsector updated': '클러스터 subsector 갱신',
'Cluster Subsector': '클러스터 하부영역',
'Cluster Subsectors': '클러스터 subsectors',
'Cluster Threshold': '클러스터 임계값',
'Cluster added': '클러스터 추가',
'Cluster deleted': '클러스터 삭제',
'Cluster updated': '클러스터 갱신',
'Cluster(s)': '클러스터(들)',
'Clusters': '클러스터',
'Code': '코드',
'Cold Wave': '콜드 물결선',
'Collapse, partial collapse, off foundation': '접기, 부분 접기, foundation',
'Collective center': '콜렉티브에 center',
'Color for Underline of Subheadings': 'color 의 하위 underline 대한',
'Color of Buttons when hovering': '단추를 color 때 풍선',
'Color of bottom of Buttons when not pressed': '아래 단추 중 color 않을 때 눌렀습니다.',
'Color of bottom of Buttons when pressed': '아래 단추 중 color 때',
'Color of dropdown menus': '색상 드롭 다운 메뉴',
'Color of selected Input fields': 'color 선택한 입력 필드',
'Color of selected menu items': 'color 선택된 메뉴 항목',
'Columns, pilasters, corbels': '컬럼, pilasters, corbels',
'Combined Method': '결합 메소드',
'Come back later. Everyone visiting this site is probably experiencing the same problem as you.': '나중에 제공됩니다. 이 사이트를 방문하여 모든 는 동일한 문제점을 경험하는 것처럼.',
'Come back later.': '나중에 제공됩니다.',
'Commercial/Offices': 'commercial/사무실',
'Commit Date': '확약 날짜',
'Commit Status': '확약 상태',
'Commit from %s': '커미트% s',
'Commit': '확약',
'Commiting a changed spreadsheet to the database': '데이터베이스에 변경된 스프레드시트 확약',
'Commitment Added': '추가 확약',
'Commitment Canceled': '확약 취소됨',
'Commitment Details': '위탁 세부사항',
'Commitment Item Details': '확약 항목 세부사항',
'Commitment Item added': '확약 항목 추가됨',
'Commitment Item deleted': '확약 항목 삭제',
'Commitment Item updated': '확약 항목 갱신',
'Commitment Items': '확약 항목',
'Commitment Status': '확약 상태',
'Commitment Updated': '확약 갱신',
'Commitment': '약정',
'Commitments': '약정',
'Committed By': '커미트된 의해',
'Committed': '커미트됨',
'Committing Inventory': '자원 확약',
'Communication problems': '통신 문제점',
'Community Centre': '커뮤니티 centre',
'Community Health Center': '커뮤니티 health center',
'Community Member': '커뮤니티 구성원',
'Competencies': '능력',
'Competency Details': '자격 세부사항',
'Competency Rating Catalog': '능력 등급 카탈로그',
'Competency Rating Details': '능력 평가 세부사항',
'Competency Rating added': '능력 등급 추가됩니다',
'Competency Rating deleted': '능력 등급 삭제됨',
'Competency Rating updated': '능력 등급 갱신',
'Competency Ratings': '정격 능력',
'Competency added': '능력 추가',
'Competency deleted': '능력 삭제',
'Competency updated': '갱신된 능력',
'Competency': '능력',
'Complete': 'COMPLETE(완료)',
'Completed': '완료됨',
'Compose': '작성',
'Compromised': '손상됨',
'Concrete frame': '콘크리트 프레임',
'Concrete shear wall': '콘크리트 절단 벽',
'Condition': '조건',
'Configurations': '구성',
'Configure Run-time Settings': '런타임 구성 설정',
'Confirm Shipment Received': '수신된 운송물 확인',
'Confirmed': '확인됨',
'Confirming Organization': '조직 확인',
'Conflict Details': '충돌 세부사항',
'Conflict Resolution': '충돌 해결',
'Consignment Note': '상품인지를 주',
'Constraints Only': '제한조건은',
'Consumable': '소비재',
'Contact Data': '데이터 문의하십시오.',
'Contact Details': '연락처 세부사항',
'Contact Info': '연락처 정보',
'Contact Information Added': '문의처 정보 추가',
'Contact Information Deleted': '정보는 삭제된 담당자',
'Contact Information Updated': '갱신된 접속 정보를',
'Contact Information': '연락처 정보',
'Contact Method': '연락 방법',
'Contact Name': '담당자 이름',
'Contact Person': '개인 연락처',
'Contact Phone': '담당자 전화',
'Contact details': '연락처 세부사항',
'Contact information added': '추가된 연락처 정보',
'Contact information deleted': '정보는 삭제된 담당자',
'Contact information updated': '갱신된 접속 정보를',
'Contact us': '문의',
'Contact': '연락처',
'Contacts': '연락처',
'Contents': '내용',
'Contributor': '기고자',
'Conversion Tool': '변환 도구',
'Cooking NFIs': '요리용 NFI',
'Cooking Oil': '요리용 오일',
'Coordinate Conversion': '좌표 변환',
'Coping Activities': '활동 복사',
'Copy': '복사',
'Corn': '옥수수',
'Cost Type': '비용 유형',
'Cost per Megabyte': '비용 한계',
'Cost per Minute': '분당 비용',
'Country of Residence': '거주 국가',
'Country': '국가',
'County': 'County(US 전용)',
'Course Catalog': '과정 카탈로그',
'Course Certificate Details': 'certicate 과정 세부사항',
'Course Certificate added': 'certicate 코스 추가',
'Course Certificate deleted': '코스 삭제 certicate',
'Course Certificate updated': '물론 certicate 갱신',
'Course Certificates': '과정 인증서',
'Course Details': '과정 세부사항',
'Course added': '과정 추가',
'Course deleted': '코스 삭제',
'Course updated': '과정 갱신',
'Course': '과정',
'Courses': '과정',
'Create & manage Distribution groups to receive Alerts': '작성 및 관리 경고를 수신하도록 분배 그룹',
'Create Activity Report': '활동 보고서 추가',
'Create Activity Type': '추가 활동 유형',
'Create Activity': '단위업무 추가',
'Create Assessment': '새 평가 추가',
'Create Asset': '자산 추가',
'Create Bed Type': '추가 bed 유형',
'Create Brand': '브랜드 추가',
'Create Budget': '예산 추가',
'Create Catalog Item': '카탈로그 항목 추가',
'Create Catalog': '카탈로그 추가',
'Create Certificate': '인증 추가',
'Create Checklist': '체크리스트 작성',
'Create Cholera Treatment Capability Information': 'cholera treatment 기능 정보 추가',
'Create Cluster Subsector': '클러스터 subsector 추가',
'Create Cluster': '클러스터 추가',
'Create Competency Rating': '능력 등급 추가',
'Create Contact': '연락처 추가',
'Create Course': '과정 추가',
'Create Dead Body Report': '데드 본문 보고서 추가',
'Create Event': '새 이벤트 작성',
'Create Facility': '기능 추가',
'Create Feature Layer': '추가 기능)',
'Create Group Entry': '그룹 항목 작성',
'Create Group': '그룹 추가',
'Create Hospital': '추가 병원',
'Create Identification Report': '식별 보고서 추가',
'Create Impact Assessment': '영향 평가 작성',
'Create Incident Report': '인시던트 보고서 추가',
'Create Incident': '추가 인시던트',
'Create Item Category': '항목에 카테고리 추가',
'Create Item Pack': '항목 팩 추가',
'Create Item': '새 항목 추가',
'Create Kit': '새 상품 추가',
'Create Layer': '계층 추가',
'Create Location': '위치 추가',
'Create Map Profile': '맵 구성 추가',
'Create Marker': '마커 추가',
'Create Member': '회원 추가',
'Create Mobile Impact Assessment': '모바일 영향 평가 작성',
'Create Office': '추가 사무실',
'Create Organization': '조직 추가',
'Create Personal Effects': '개인 효과 추가',
'Create Project': '프로젝트 추가',
'Create Projection': '추가 투영',
'Create Rapid Assessment': '신속한 평가 생성하기',
'Create Report': '새 보고서 추가',
'Create Request': '요청 생성하기',
'Create Resource': '자원 추가',
'Create River': '추가 강',
'Create Role': '역할 추가',
'Create Room': '강의실 추가',
'Create Scenario': '새 시나리오 작성',
'Create Sector': '섹터를 추가',
'Create Service Profile': '서비스 프로파일 추가',
'Create Shelter Service': '추가 shelter 서비스',
'Create Shelter Type': 'shelter 유형 추가',
'Create Shelter': '추가 shelter',
'Create Skill Type': '추가 기술 항목 유형',
'Create Skill': '스킬 추가',
'Create Staff Member': '스태프 구성원 추가',
'Create Status': '상태 추가',
'Create Task': '태스크 추가',
'Create Theme': '테마 추가',
'Create User': '사용자 추가',
'Create Volunteer': '지원자 추가',
'Create Warehouse': '웨어하우스 추가',
'Create a Person': '개인 추가',
'Create a group entry in the registry.': '레지스트리에 있는 그룹 항목을 작성하십시오.',
'Create, enter, and manage surveys.': '작성, 입력, 관리하는 조사합니다.',
'Creation of Surveys': '설문 생성하기',
'Credential Details': '신임 세부사항',
'Credential added': 'Credential 추가',
'Credential deleted': 'Credential 삭제',
'Credential updated': '신임 갱신',
'Credentialling Organization': 'credentialling 조직',
'Credentials': '신임',
'Credit Card': '신용 카드',
'Crime': '범죄',
'Criteria': '기준',
'Currency': '통화',
'Current Entries': '현재 항목',
'Current Group Members': '현재 그룹 구성원',
'Current Identities': '현재 id',
'Current Location': '현재 위치',
'Current Log Entries': '현재 로그 항목',
'Current Memberships': '현재 멤버쉽',
'Current Records': '현재 레코드',
'Current Registrations': '현재 등록',
'Current Status': '현재 상태',
'Current Team Members': '현재 팀 구성원',
'Current Twitter account': '현재 twitter 계정',
'Current community priorities': '현재 커뮤니티 우선순위',
'Current general needs': '현재 일반 합니다',
'Current greatest needs of vulnerable groups': '현재 가장 필요한 취약한 그룹',
'Current health problems': '현재 성능 문제점',
'Current number of patients': '현재 환자 중',
'Current problems, categories': '현재 문제점, 카테고리',
'Current problems, details': '현재 문제점, 세부사항',
'Current request': '현재 요청',
'Current response': '현재 응답',
'Current session': '현재 세션',
'Currently no Certifications registered': '현재 등록된 인증서가 없습니다',
'Currently no Competencies registered': '현재 등록된 능력 항목이 없습니다',
'Currently no Course Certificates registered': '현재 등록된 교육과정 인증서가 없습니다',
'Currently no Credentials registered': '현재 등록된 신용(신분, 자격) 증명서가 없습니다',
'Currently no Missions registered': '현재 등록된 임무가 없습니다',
'Currently no Skill Equivalences registered': '현재 등록된 기술 종류가 없습니다',
'Currently no Trainings registered': 'trainings 현재 등록된',
'Currently no entries in the catalog': '현재 카탈로그에 항목이 없습니다',
'DNA Profile': '프로파일 dna',
'DNA Profiling': 'dna 프로파일링',
'Dam Overflow': 'dam 오버플로우',
'Damage': '손상',
'Dangerous Person': '위험한 사람',
'Dashboard': '대시보드',
'Data uploaded': '데이터 업로드',
'Data': '데이터',
'Database': '데이터베이스',
'Date & Time': '날짜 및 시간',
'Date Available': '운송 가능 날짜',
'Date Received': '수령 날짜',
'Date Requested': '요청된 날짜',
'Date Required': '요청 날짜',
'Date Sent': '날짜 송신',
'Date Until': '날짜',
'Date and Time': '날짜 및 시간',
'Date and time this report relates to.': '이 보고서는 날짜 및 시간 관련시킵니다.',
'Date of Birth': '생일',
'Date of Latest Information on Beneficiaries Reached': '날짜 받아야 에 대한 최신 정보',
'Date of Report': '보고서 날짜',
'Date/Time of Find': '날짜/시간 찾기',
'Date/Time when found': '날짜/시간 때',
'Date/Time when last seen': '날짜/시간 때 마지막으로 표시된',
'Date/Time': '날짜/시간',
'Dead Body Details': '데드 본문 세부사항',
'Dead Body Reports': '데드 본문 보고서',
'Dead Body': '데드 본문',
'Dead body report added': '데드 본문 보고서 추가',
'Dead body report deleted': '데드 본문 보고서 삭제',
'Dead body report updated': '데드 본문 보고서 갱신',
'Deaths in the past 24h': 'deaths 지난 24h',
'Decimal Degrees': '10진수(도)',
'Decision': '결정',
'Decomposed': '분해될',
'Default Height of the map window.': '기본 맵 창의 높이.',
'Default Map': '기본 맵',
'Default Marker': '디폴트 마커',
'Default Width of the map window.': '맵 창의 기본 너비.',
'Default synchronization policy': '기본 동기화 정책',
'Defecation area for animals': 'defecation 영역에 대한 동물',
'Define Scenarios for allocation of appropriate Resources (Human, Assets & Facilities).': '해당 자원 (인력, 자산 및 설비) 의 할당 시나리오를 정의하십시오.',
'Defines the icon used for display of features on handheld GPS.': '휴대용 gps 의 기능을 표시하기 위해 사용되는 아이콘을 정의합니다.',
'Defines the icon used for display of features on interactive map & KML exports.': '대화식 맵 및 kml 내보내기 기능을 표시하기 위해 사용되는 아이콘을 정의합니다.',
'Defines the marker used for display & the attributes visible in the popup.': '표시 및 볼 수 있는 팝업에서 속성에 대해 사용된 마커를 정의합니다.',
'Degrees must be a number between -180 and 180': '도 사이의-180 및 180 숫자여야 합니다.',
'Dehydration': '디하이드레이션',
'Delete Alternative Item': '대안 항목 삭제',
'Delete Assessment Summary': '평가 요약을 삭제',
'Delete Assessment': '평가 삭제',
'Delete Asset Log Entry': '자산 삭제 로그 항목',
'Delete Asset': '자산 삭제',
'Delete Baseline Type': '삭제할 기준선 유형',
'Delete Baseline': '기준선 삭제',
'Delete Brand': '브랜드 삭제',
'Delete Budget': '예산 삭제',
'Delete Bundle': '번들 삭제',
'Delete Catalog Item': '목록 항목 삭제',
'Delete Catalog': '카탈로그 삭제',
'Delete Certificate': '인증서 삭제',
'Delete Certification': '인증 삭제',
'Delete Cluster Subsector': '클러스터 삭제 subsector',
'Delete Cluster': '클러스터 삭제',
'Delete Commitment Item': '삭제 확약 항목',
'Delete Commitment': '삭제 확약',
'Delete Competency Rating': '삭제할 능력 등급',
'Delete Competency': '능력 삭제',
'Delete Contact Information': '연락처 정보 삭제',
'Delete Course Certificate': '과정 certicate 삭제',
'Delete Course': '코스 삭제',
'Delete Credential': '권한 정보 삭제',
'Delete Document': '문서 삭제',
'Delete Donor': 'doner 삭제',
'Delete Entry': '항목 삭제',
'Delete Event': '이벤트 삭제',
'Delete Feature Layer': '삭제 기능을 layer',
'Delete Group': '그룹 삭제',
'Delete Hospital': '삭제할 병원',
'Delete Image': '이미지 삭제',
'Delete Impact Type': '삭제 영향 유형',
'Delete Impact': '영향 삭제',
'Delete Incident Report': '인시던트 보고서 삭제',
'Delete Item Category': '항목 카테고리 삭제',
'Delete Item Pack': '항목 팩 삭제',
'Delete Item': '항목 삭제',
'Delete Job Role': '작업 역할 삭제',
'Delete Key': '키 삭제',
'Delete Kit': 'delete kit',
'Delete Layer': '레이어 삭제',
'Delete Level 1 Assessment': '레벨 1 평가 삭제',
'Delete Level 2 Assessment': '레벨 2 평가 삭제',
'Delete Location': '위치 삭제',
'Delete Map Profile': '맵 구성 삭제',
'Delete Marker': '마커 삭제',
'Delete Membership': '멤버쉽 삭제',
'Delete Message': '메시지 삭제',
'Delete Mission': '삭제할 임무',
'Delete Need Type': '삭제 하는 유형',
'Delete Need': '삭제 합니다',
'Delete Office': '삭제할 사무실',
'Delete Organization': '조직 삭제',
'Delete Peer': '피어 삭제',
'Delete Person': '작업자 삭제',
'Delete Photo': '사진 삭제',
'Delete Population Statistic': '인구 통계 삭제',
'Delete Position': '삭제 위치',
'Delete Project': '프로젝트 삭제',
'Delete Projection': '프로젝션 삭제',
'Delete Rapid Assessment': '빠른 평가 삭제',
'Delete Received Item': '수신된 삭제 항목',
'Delete Received Shipment': '수신된 shipment 삭제',
'Delete Record': '레코드 삭제',
'Delete Report': '보고서 삭제',
'Delete Request Item': '삭제 요청을 항목',
'Delete Request': '요청 삭제',
'Delete Resource': '자원 삭제',
'Delete Room': '강의실 삭제',
'Delete Scenario': '시나리오 삭제',
'Delete Section': '섹션 삭제',
'Delete Sector': '삭제할 섹터',
'Delete Sent Item': '삭제할 보낸 항목',
'Delete Sent Shipment': '송신된 shipment 삭제',
'Delete Service Profile': '서비스 프로파일 삭제',
'Delete Setting': '설정 삭제',
'Delete Skill Equivalence': '기술 equivalence 삭제',
'Delete Skill Provision': '삭제할 기술 제공',
'Delete Skill Type': '삭제할 항목 유형',
'Delete Skill': '스킬 삭제',
'Delete Staff Type': 'delete 직원 유형',
'Delete Status': '삭제 상태',
'Delete Subscription': '등록 삭제',
'Delete Subsector': '삭제 subsector',
'Delete Survey Answer': '삭제할 서베이 응답',
'Delete Survey Question': '서베이 질문 삭제',
'Delete Survey Series': '삭제할 서베이 시리즈',
'Delete Survey Template': '서베이 템플리트 삭제',
'Delete Training': '연계 삭제',
'Delete Unit': '단위 삭제',
'Delete User': '사용자 삭제',
'Delete Volunteer': 'delete 지원자',
'Delete from Server?': '서버에서?',
'Delete': '삭제',
'Delphi Decision Maker': 'delphi 결정',
'Demographic': '데모그래픽',
'Demonstrations': '데모',