1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
|
<?xml version="1.0" encoding="UTF-8"?>
<!-- Copyright (C) 2009 The Android Open Source Project
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
-->
<resources xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:xliff="urn:oasis:names:tc:xliff:document:1.2">
<string name="device_info_default">"알 수 없음"</string>
<string name="turn_on_radio">"무선 켜기"</string>
<string name="turn_off_radio">"무선 끄기"</string>
<string name="turn_on_qxdm">"QXDM SD 로그 사용"</string>
<string name="turn_off_qxdm">"QXDM SD 로그 사용 안함"</string>
<string name="radioInfo_menu_viewADN">"SIM 주소록 보기"</string>
<string name="radioInfo_menu_viewFDN">"발신 허용 번호 보기"</string>
<string name="radioInfo_menu_viewSDN">"SDN(Service Dialing Numbers) 보기"</string>
<string name="radioInfo_menu_getPDP">"PDP 목록 가져오기"</string>
<string name="radioInfo_menu_enableData">"데이터 연결 사용"</string>
<string name="radioInfo_menu_disableData">"데이터 연결 사용 안함"</string>
<string name="radioInfo_menu_enableDataOnBoot">"부팅할 때 데이터 사용"</string>
<string name="radioInfo_menu_disableDataOnBoot">"부팅할 때 데이터 사용 중지"</string>
<string name="radioInfo_service_in">"서비스 상태"</string>
<string name="radioInfo_service_out">"서비스 지역 벗어남"</string>
<string name="radioInfo_service_emergency">"비상 전화만"</string>
<string name="radioInfo_service_off">"무선 연결 끊김"</string>
<string name="radioInfo_roaming_in">"로밍"</string>
<string name="radioInfo_roaming_not">"로밍 안함"</string>
<string name="radioInfo_phone_idle">"자리 비움"</string>
<string name="radioInfo_phone_ringing">"벨이 울림"</string>
<string name="radioInfo_phone_offhook">"진행 중인 통화"</string>
<string name="radioInfo_data_disconnected">"연결 끊김"</string>
<string name="radioInfo_data_connecting">"연결 중"</string>
<string name="radioInfo_data_connected">"연결됨"</string>
<string name="radioInfo_data_suspended">"일시 정지됨"</string>
<string name="radioInfo_unknown">"알 수 없음"</string>
<string name="radioInfo_display_packets">"pkts"</string>
<string name="radioInfo_display_bytes">"바이트"</string>
<string name="radioInfo_display_dbm">"dBm"</string>
<string name="radioInfo_display_asu">"asu"</string>
<string name="radioInfo_lac">"LAC"</string>
<string name="radioInfo_cid">"CID"</string>
<string name="sdcard_unmount">"SD 카드 마운트 해제"</string>
<string name="sdcard_format">"SD 카드가 포맷"</string>
<string name="small_font">"작게"</string>
<string name="medium_font">"보통"</string>
<string name="large_font">"크게"</string>
<string name="font_size_save">"확인"</string>
<string name="sdcard_setting">"SD 카드"</string>
<string name="battery_info_status_label">"배터리 상태:"</string>
<string name="battery_info_scale_label">"배터리 충전 상태:"</string>
<string name="battery_info_level_label">"배터리 수준:"</string>
<string name="battery_info_health_label">"배터리 상태:"</string>
<string name="battery_info_technology_label">"배터리 기술:"</string>
<string name="battery_info_voltage_label">"배터리 전압:"</string>
<string name="battery_info_voltage_units">"mV"</string>
<string name="battery_info_temperature_label">"배터리 온도:"</string>
<string name="battery_info_temperature_units">"° C"</string>
<string name="battery_info_uptime">"부팅 후 시간:"</string>
<string name="battery_info_awake_battery">"배터리 무중단 가동 시간:"</string>
<string name="battery_info_awake_plugged">"충전할 때 무중단 가동 시간:"</string>
<string name="battery_info_screen_on">"화면 켜짐시간:"</string>
<string name="battery_info_status_unknown">"알 수 없음"</string>
<string name="battery_info_status_charging">"충전 중"</string>
<string name="battery_info_status_charging_ac">"(AC)"</string>
<string name="battery_info_status_charging_usb">"(USB)"</string>
<string name="battery_info_status_discharging">"방전 중"</string>
<string name="battery_info_status_not_charging">"충전 안함"</string>
<string name="battery_info_status_full">"충전 완료"</string>
<string name="battery_info_health_unknown">"알 수 없음"</string>
<string name="battery_info_health_good">"좋음"</string>
<string name="battery_info_health_overheat">"과열"</string>
<string name="battery_info_health_dead">"방전됨"</string>
<string name="battery_info_health_over_voltage">"과전압"</string>
<string name="battery_info_health_unspecified_failure">"알 수 없는 오류"</string>
<string name="bluetooth">"Bluetooth"</string>
<string name="bluetooth_visibility">"검색가능"</string>
<string name="bluetooth_is_discoverable">"<xliff:g id="DISCOVERABLE_TIME_PERIOD">%1$s</xliff:g>초 동안 검색가능..."</string>
<string name="bluetooth_not_discoverable">"장치를 검색가능하게 설정"</string>
<string name="bluetooth_devices">"Bluetooth 장치"</string>
<string name="bluetooth_device_name">"장치이름"</string>
<string name="bluetooth_name_not_set">"이름을 설정하지 않아 계정 이름 사용"</string>
<string name="bluetooth_scan_for_devices">"장치 검색"</string>
<string name="bluetooth_disconnect_blank">"<xliff:g id="DEVICE_NAME">%1$s</xliff:g> 연결이 끊어집니다."</string>
<string name="bluetooth_connected">"연결됨"</string>
<string name="bluetooth_disconnected">"연결 끊김"</string>
<string name="bluetooth_disconnecting">"연결을 끊는 중..."</string>
<string name="bluetooth_connecting">"연결 중..."</string>
<!-- no translation found for bluetooth_unknown (644716244548801421) -->
<skip />
<string name="bluetooth_not_connected">"이 장치와 페어링"</string>
<string name="bluetooth_pairing">"페어링 중..."</string>
<string name="bluetooth_paired">"페어링된 상태이지만 연결되지 않음"</string>
<string name="bluetooth_device">"핸즈프리/헤드셋"</string>
<string name="progress_scanning">"검색 중"</string>
<string name="bluetooth_notif_ticker">"Bluetooth 페어링 요청"</string>
<string name="bluetooth_notif_title">"페어링 요청"</string>
<string name="bluetooth_notif_message">"페어링하려면 선택합니다. "</string>
<string name="date_and_time">"날짜 및 시간 설정"</string>
<string name="date_time_12_hour_sample">"1:00 PM"</string>
<string name="date_time_24_hour_sample">"13:00"</string>
<string name="date_time_changeTime_text">"시간 변경"</string>
<string name="date_time_changeDate_text">"날짜"</string>
<string name="choose_timezone">"표준시간대 선택"</string>
<!-- no translation found for normal_date_format (1982904221918374153) -->
<skip />
<string name="display_preview_label">"미리보기:"</string>
<string name="display_font_size_label">"글꼴 크기:"</string>
<!-- no translation found for intent_sender_data_label (6332324780477289261) -->
<skip />
<string name="intent_sender_sendbroadcast_text">"전송<xliff:g id="BROADCAST">broadcast</xliff:g>"</string>
<string name="intent_sender_action_label">"<xliff:g id="ACTION">Action</xliff:g>:"</string>
<string name="intent_sender_startactivity_text">"<xliff:g id="ACTIVITY">activity</xliff:g> 시작"</string>
<string name="intent_sender_resource_label">"<xliff:g id="RESOURCE">Resource</xliff:g>:"</string>
<string name="intent_sender_account_label">"계정:"</string>
<string name="proxy_clear_text">"지우기"</string>
<string name="proxy_port_label">"포트"</string>
<string name="proxy_defaultView_text">"기본값 복원"</string>
<string name="proxy_action_text">"저장"</string>
<string name="proxy_hostname_label">"호스트 이름"</string>
<string name="proxy_error">"주의"</string>
<string name="proxy_error_dismiss">"확인"</string>
<string name="proxy_error_invalid_host">"입력한 호스트 이름이 잘못되었습니다."</string>
<string name="proxy_error_empty_port">"포트 필드를 입력해야 합니다."</string>
<string name="proxy_error_empty_host_set_port">"호스트 필드가 비어 있는 경우 포트 필드에 입력하면 안 됩니다."</string>
<string name="proxy_error_invalid_port">"입력한 포트가 올바르지 않습니다."</string>
<string name="radio_info_signal_location_label">"위치:"</string>
<string name="radio_info_neighboring_location_label">"인접한 CID:"</string>
<string name="radio_info_data_attempts_label">"데이터 시도:"</string>
<string name="radio_info_gprs_service_label">"GPRS 서비스:"</string>
<string name="radio_info_roaming_label">"로밍:"</string>
<string name="radio_info_imei_label">"IMEI:"</string>
<string name="radio_info_call_redirect_label">"통화 경로 재지정:"</string>
<string name="radio_info_ppp_resets_label">"부팅 후 PPP 재설정 횟수:"</string>
<string name="radio_info_gsm_disconnects_label">"GSM 연결끊기:"</string>
<string name="radio_info_current_network_label">"현재 네트워크:"</string>
<string name="radio_info_data_successes_label">"데이터 성공:"</string>
<string name="radio_info_ppp_received_label">"PPP 받음:"</string>
<string name="radio_info_gsm_service_label">"GSM 서비스:"</string>
<string name="radio_info_signal_strength_label">"신호 강도:"</string>
<string name="radio_info_call_status_label">"통화 상태:"</string>
<string name="radio_info_ppp_sent_label">"PPP 보냄:"</string>
<string name="radio_info_radio_resets_label">"무선 재설정:"</string>
<string name="radio_info_message_waiting_label">"메시지 대기 중:"</string>
<string name="radio_info_phone_number_label">"전화번호:"</string>
<string name="radio_info_band_mode_label">"무선 주파수 대역 선택"</string>
<string name="radio_info_network_type_label">"네트워크 유형:"</string>
<string name="radio_info_set_perferred_label">"기본 네트워크 유형 설정:"</string>
<string name="radio_info_ping_ipaddr">"IP 주소 Ping:"</string>
<string name="radio_info_ping_hostname">"호스트이름(www.google.com) Ping:"</string>
<string name="radio_info_http_client_test">"HTTP 클라이언트 테스트:"</string>
<string name="radio_info_toggle_ciph_label">"암호화 선택"</string>
<string name="ping_test_label">"Ping 테스트 실행"</string>
<string name="radio_info_smsc_label">"SMSC:"</string>
<string name="radio_info_smsc_update_label">"업데이트"</string>
<string name="radio_info_smsc_refresh_label">"새로고침"</string>
<string name="radio_info_toggle_dns_check_label">"DNS 확인 선택"</string>
<string name="band_mode_title">"GSM/UMTS 대역 설정"</string>
<string name="band_mode_loading">"대역 목록 로드 중..."</string>
<string name="band_mode_set">"설정"</string>
<string name="band_mode_failed">"실패"</string>
<string name="band_mode_succeeded">"성공"</string>
<string name="sdcard_changes_instructions">"변경사항을 적용하려면 USB 케이블을 다시 연결해야 합니다."</string>
<string name="sdcard_settings_screen_mass_storage_text">"USB 대용량 저장소 사용"</string>
<string name="sdcard_settings_total_bytes_label">"총 바이트 수:"</string>
<string name="sdcard_settings_not_present_status">"SD 카드 없음"</string>
<string name="sdcard_settings_available_bytes_label">"사용가능한 바이트:"</string>
<string name="sdcard_settings_mass_storage_status">"SD 카드를 대용량 저장장치로 사용 중"</string>
<string name="sdcard_settings_unmounted_status">"이제 SD 카드를 안전하게 제거할 수 있습니다."</string>
<string name="sdcard_settings_bad_removal_status">"SD 카드를 사용하는 중에 분리되었습니다."</string>
<string name="sdcard_settings_used_bytes_label">"사용 바이트 수:"</string>
<string name="sdcard_settings_scanning_status">"SD 카드에서 미디어 검색 중..."</string>
<string name="sdcard_settings_read_only_status">"SD 카드가 읽기전용으로 마운트됨"</string>
<string name="next_label">"다음"</string>
<string name="language_picker_title">"로케일"</string>
<string name="select_your_language">"언어 선택"</string>
<string name="activity_picker_label">"활동 선택"</string>
<string name="device_info_label">"장치정보"</string>
<string name="battery_info_label">"배터리 정보"</string>
<string name="battery_history_label">"배터리 기록"</string>
<string name="display_label">"디스플레이"</string>
<string name="phone_info_label">"휴대폰 정보"</string>
<string name="sd_card_settings_label">"SD 카드"</string>
<string name="proxy_settings_label">"프록시 설정"</string>
<string name="cancel">"취소"</string>
<string name="settings_label">"설정"</string>
<!-- no translation found for settings_shortcut (3672145147925639262) -->
<skip />
<string name="airplane_mode">"비행 모드"</string>
<string name="airplane_mode_summary">"모든 무선 연결 사용 안함"</string>
<string name="airplane_mode_turning_on">"무선 연결을 끊는 중..."</string>
<string name="airplane_mode_turning_off">"무선 연결 사용 중..."</string>
<string name="radio_controls_title">"무선 제어"</string>
<!-- no translation found for radio_controls_summary (2998818677094465517) -->
<skip />
<!-- no translation found for roaming (3596055926335478572) -->
<skip />
<!-- no translation found for roaming_enable (3737380951525303961) -->
<skip />
<!-- no translation found for roaming_disable (1295279574370898378) -->
<skip />
<!-- no translation found for roaming_reenable_message (9141007271031717369) -->
<skip />
<!-- no translation found for roaming_turn_it_on_button (4387601818162120589) -->
<skip />
<!-- no translation found for roaming_warning (1269870211689178511) -->
<skip />
<!-- no translation found for roaming_reenable_title (7626425894611573131) -->
<skip />
<!-- no translation found for networks (6333316876545927039) -->
<skip />
<!-- no translation found for sum_carrier_select (6648929373316748020) -->
<skip />
<string name="date_and_time_settings_title">"날짜 및 시간"</string>
<string name="date_and_time_settings_summary">"날짜, 시간, 표준시간대 및 형식 설정"</string>
<string name="date_time_auto">"자동"</string>
<string name="date_time_auto_summaryOn">"네트워크 제공 값 사용"</string>
<string name="date_time_auto_summaryOff">"네트워크 제공 값 사용"</string>
<string name="date_time_24hour">"24시간 형식 사용"</string>
<string name="date_time_set_time">"시간 설정"</string>
<string name="date_time_set_timezone">"표준시간대 선택"</string>
<string name="date_time_set_date">"날짜 설정"</string>
<string name="date_time_date_format">"날짜형식 선택"</string>
<string name="zone_list_menu_sort_alphabetically">"사전순으로 정렬"</string>
<string name="zone_list_menu_sort_by_timezone">"시간대별 정렬"</string>
<string name="security_settings_title">"보안 및 위치"</string>
<!-- no translation found for security_settings_summary (967393342537986570) -->
<skip />
<string name="security_passwords_title">"비밀번호"</string>
<string name="bluetooth_quick_toggle_title">"Bluetooth"</string>
<string name="bluetooth_quick_toggle_summary">"Bluetooth 켜기"</string>
<string name="bluetooth_settings">"Bluetooth 설정"</string>
<string name="bluetooth_settings_title">"Bluetooth 설정"</string>
<string name="bluetooth_settings_summary">"연결 관리, 장치이름 및 검색가능 여부 설정"</string>
<string name="bluetooth_pin_entry">"Bluetooth 페어링 요청"</string>
<string name="bluetooth_device_info">"Bluetooth 장치 정보"</string>
<string name="bluetooth_enter_pin_msg">"<xliff:g id="DEVICE_NAME">%1$s</xliff:g>"\n\n"페어링을 위해 PIN 입력"\n"(0000 또는 1234를 입력하세요.)"</string>
<string name="bluetooth_error_title">"주의"</string>
<string name="bluetooth_pairing_error_message">"<xliff:g id="DEVICE_NAME">%1$s</xliff:g>와(과) 페어링하는 동안 문제가 발생했습니다."</string>
<string name="bluetooth_pairing_pin_error_message">"입력한 PIN이 올바르지 않기 때문에 <xliff:g id="DEVICE_NAME">%1$s</xliff:g>와(과) 페어링하는 동안 문제가 발생했습니다."</string>
<!-- no translation found for bluetooth_pairing_device_down_error_message (6688215193824686741) -->
<skip />
<!-- no translation found for bluetooth_pairing_rejected_error_message (1648157108520832454) -->
<skip />
<string name="bluetooth_connecting_error_message">"<xliff:g id="DEVICE_NAME">%1$s</xliff:g>에 연결하는 동안 문제가 발생했습니다."</string>
<string name="bluetooth_preference_scan_title">"장치 검색"</string>
<string name="bluetooth_device_context_connect">"연결"</string>
<string name="bluetooth_device_context_disconnect">"연결끊기"</string>
<string name="bluetooth_device_context_pair_connect">"페어링 및 연결"</string>
<string name="bluetooth_device_context_unpair">"페어링 해제"</string>
<string name="bluetooth_device_context_disconnect_unpair">"연결끊기 및 페어링 끊기"</string>
<string name="bluetooth_device_context_connect_advanced">"옵션..."</string>
<string name="bluetooth_connect_specific_profiles_title">"연결..."</string>
<string name="bluetooth_profile_a2dp">"미디어"</string>
<string name="bluetooth_profile_headset">"휴대폰"</string>
<string name="bluetooth_summary_connected_to_a2dp">"미디어 오디오에 연결됨"</string>
<string name="bluetooth_summary_connected_to_headset">"휴대폰 오디오에 연결됨"</string>
<string name="bluetooth_summary_connected_to_a2dp_headset">"휴대폰 및 미디어 오디오에 연결됨"</string>
<string name="bluetooth_device_advanced_title">"<xliff:g id="DEVICE_NAME">%1$s</xliff:g> 옵션"</string>
<string name="bluetooth_device_advanced_online_mode_title">"연결"</string>
<string name="bluetooth_device_advanced_online_mode_summary">"Bluetooth 장치에 연결"</string>
<string name="bluetooth_device_advanced_profile_header_title">"프로필"</string>
<string name="bluetooth_a2dp_profile_summary_connected">"미디어 오디오에 연결됨"</string>
<string name="bluetooth_headset_profile_summary_connected">"휴대폰 오디오에 연결됨"</string>
<string name="bluetooth_a2dp_profile_summary_use_for">"미디어 오디오에 사용"</string>
<string name="bluetooth_headset_profile_summary_use_for">"휴대폰 오디오에 사용"</string>
<string name="wifi">"Wi-Fi"</string>
<string name="wifi_quick_toggle_title">"Wi-Fi"</string>
<string name="wifi_quick_toggle_summary">"Wi-Fi 켜기"</string>
<string name="wifi_settings">"Wi-Fi 설정"</string>
<string name="wifi_settings_category">"Wi-Fi 설정"</string>
<string name="wifi_settings_summary">"무선 액세스포인트 설정 및 관리"</string>
<string name="forget_network">"저장 안함"</string>
<string name="wifi_status">"상태"</string>
<string name="wifi_link_speed">"속도"</string>
<string name="wifi_signal_3">"우수"</string>
<string name="wifi_signal_2">"좋음"</string>
<string name="wifi_signal_1">"양호"</string>
<string name="wifi_signal_0">"나쁨"</string>
<string name="security">"보안"</string>
<string name="wifi_security_open">"열기"</string>
<string name="wifi_security_wep">"WEP"</string>
<string name="wifi_security_wpa">"WPA"</string>
<string name="wifi_security_wpa2">"WPA2"</string>
<!-- no translation found for wifi_security_wpa_eap (7485687331651751101) -->
<skip />
<!-- no translation found for wifi_security_ieee8021x (8538687609878109005) -->
<skip />
<string name="wifi_security_unknown">"알 수 없음"</string>
<!-- no translation found for wifi_security_verbose_open (8117878112088901945) -->
<skip />
<!-- no translation found for wifi_security_verbose_wep (9220757688700421508) -->
<skip />
<!-- no translation found for wifi_security_verbose_wpa (598697674252714455) -->
<skip />
<!-- no translation found for wifi_security_verbose_wpa2 (4116236883347875722) -->
<skip />
<!-- no translation found for wifi_security_verbose_wpa_eap (1984821646949066624) -->
<skip />
<!-- no translation found for wifi_security_verbose_ieee8021x (5552995793910186310) -->
<skip />
<string name="ip_address">"IP 주소"</string>
<string name="signal">"신호 강도"</string>
<string name="wifi_starting">"켜는 중..."</string>
<string name="wifi_stopping">"끄는 중..."</string>
<string name="wifi_error">"오류"</string>
<string name="error_starting">"Wi-Fi를 시작할 수 없음"</string>
<string name="error_stopping">"Wi-Fi를 중지할 수 없음"</string>
<string name="error_scanning">"네트워크를 검색할 수 없음"</string>
<string name="error_connecting">"네트워크에 연결할 수 없음"</string>
<string name="error_saving">"네트워크를 저장할 수 없음"</string>
<string name="connect">"연결"</string>
<string name="connect_to_blank">"<xliff:g id="NETWORK_NAME">%1$s</xliff:g>에 연결"</string>
<!-- no translation found for please_select_eap (4488240331626456338) -->
<skip />
<!-- no translation found for please_select_phase2 (5231074529772044898) -->
<skip />
<!-- no translation found for please_type_identity (7061261155499513089) -->
<skip />
<!-- no translation found for please_type_anonymous_identity (835061562079965048) -->
<skip />
<!-- no translation found for please_select_client_certificate (2137906961594663234) -->
<skip />
<!-- no translation found for please_select_ca_certificate (5010815181914420677) -->
<skip />
<!-- no translation found for please_type_private_key_passwd (4077744679722504443) -->
<skip />
<string name="please_type_passphrase">"무선 비밀번호"</string>
<string name="please_type_hex_key">"WEP 16진수 키(0-9, A-F)"</string>
<string name="wifi_show_password">"비밀번호를 표시합니다."</string>
<string name="scan_wifi">"검색"</string>
<string name="summary_not_in_range">"범위 내에 없음"</string>
<!-- no translation found for summary_remembered (6079941090549401742) -->
<skip />
<string name="summary_connection_failed">"연결하지 못했습니다. 다시 시도하세요."</string>
<string name="wifi_access_points">"Wi-Fi 네트워크"</string>
<string name="wifi_type_ssid">"네트워크 SSID"</string>
<string name="wifi_security">"보안"</string>
<string name="wifi_save_config">"저장"</string>
<string name="wifi_password_unchanged">"(변경 안함)"</string>
<string name="wifi_add_other_network">"Wi-Fi 네트워크 추가"</string>
<string name="wifi_notify_open_networks">"네트워크 알림"</string>
<string name="wifi_notify_open_networks_summary">"개방형 네트워크를 사용할 수 있을 때 알림"</string>
<string name="wifi_password_incorrect_error">"입력한 네트워크 비밀번호가 올바르지 않습니다. 다시 입력하세요."</string>
<string name="wifi_generic_connection_error">"네트워크에 연결하는 동안 문제가 발생했습니다. 다시 시도하세요."</string>
<string name="wifi_menu_advanced">"고급"</string>
<string name="wifi_ip_settings_titlebar">"IP 설정"</string>
<string name="wifi_ip_settings_menu_save">"저장"</string>
<string name="wifi_ip_settings_menu_cancel">"취소"</string>
<string name="wifi_ip_settings_invalid_ip">"올바른 IP 주소를 입력하세요."</string>
<string name="wifi_use_static_ip">"고정 IP 사용"</string>
<string name="wifi_ip_address">"IP 주소"</string>
<string name="wifi_dns1">"DNS 1"</string>
<string name="wifi_dns2">"DNS 2"</string>
<string name="wifi_gateway">"게이트웨이"</string>
<string name="wifi_netmask">"넷마스크"</string>
<string name="wifi_context_menu_connect">"네트워크 연결"</string>
<string name="wifi_context_menu_forget">"네트워크 저장 안함"</string>
<string name="wifi_context_menu_change_password">"비밀번호 변경"</string>
<string name="wifi_advanced_titlebar">"고급"</string>
<string name="wifi_setting_num_channels_title">"규정 도메인"</string>
<string name="wifi_setting_num_channels_summary">"사용할 채널 수 설정"</string>
<string name="wifi_setting_num_channels_error">"규제 도메인을 설정하는 동안 문제가 발생했습니다."</string>
<string name="wifi_setting_num_channels_channel_phrase">"<xliff:g id="NUM_CHANNELS">%1$d</xliff:g>개 채널"</string>
<string name="wifi_setting_sleep_policy_title">"Wi-Fi 절전 정책"</string>
<string name="wifi_setting_sleep_policy_summary">"Wi-Fi에서 모바일 데이터로 전환될 때 표시"</string>
<string name="wifi_setting_sleep_policy_error">"절전 정책을 설정하는 동안 문제가 발행했습니다."</string>
<string name="wifi_advanced_mac_address_title">"MAC 주소"</string>
<string name="fragment_status_scanning">"검색 중..."</string>
<string name="fragment_status_connecting">"<xliff:g id="NETWORK_NAME">%1$s</xliff:g>에 연결 중..."</string>
<string name="fragment_status_authenticating">"<xliff:g id="NETWORK_NAME">%1$s</xliff:g>에서 인증하는 중..."</string>
<string name="fragment_status_obtaining_ip">"<xliff:g id="NETWORK_NAME">%1$s</xliff:g>에서 IP 주소를 가져오는 중..."</string>
<string name="fragment_status_connected">"<xliff:g id="NETWORK_NAME">%1$s</xliff:g>에 연결됨"</string>
<string name="fragment_status_disconnecting">"<xliff:g id="NETWORK_NAME">%1$s</xliff:g>에서 연결을 끊는 중..."</string>
<string name="fragment_status_disconnected">"연결 끊김"</string>
<string name="fragment_status_failed">"실패"</string>
<string name="status_scanning">"검색 중..."</string>
<string name="status_connecting">"연결 중..."</string>
<string name="status_authenticating">"인증하는 중..."</string>
<string name="status_obtaining_ip">"주소를 가져오는 중..."</string>
<string name="status_connected">"연결됨"</string>
<string name="status_disconnecting">"연결을 끊는 중..."</string>
<string name="status_disconnected">"연결 끊김"</string>
<string name="status_failed">"실패"</string>
<string name="sound_and_display_settings">"소리 및 디스플레이"</string>
<string name="sound_settings">"소리 설정"</string>
<string name="sound_and_display_settings_summary">"벨소리, 알림, 화면 밝기 설정"</string>
<string name="silent_mode_title">"무음 모드"</string>
<string name="silent_mode_summary">"미디어 및 알람을 제외하고 모두 무음 모드로 전환됩니다."</string>
<string name="silent_mode_incl_alarm_summary">"미디어를 제외하고 모두 무음 모드로 전환됩니다."</string>
<string name="ringtone_title">"전화 벨소리"</string>
<string name="ringtone_summary">"수신전화 기본 벨소리 설정"</string>
<string name="ring_volume_title">"벨소리 볼륨"</string>
<string name="ring_volume_summary">"수신전화 및 알림에 대한 볼륨 설정"</string>
<string name="vibrate_title">"전화올 때 진동"</string>
<string name="vibrate_summary">"전화 올 때 진동"</string>
<string name="notification_sound_title">"알림 벨소리"</string>
<string name="notification_sound_summary">"기본 알림 벨소리 설정"</string>
<string name="incoming_call_volume_title">"수신전화 볼륨"</string>
<string name="notification_volume_title">"알림 볼륨"</string>
<string name="checkbox_notification_same_as_incoming_call">"알림을 위해 수신전화 볼륨 사용"</string>
<string name="notification_sound_dialog_title">"알림 벨소리 선택"</string>
<string name="media_volume_title">"미디어 볼륨"</string>
<string name="media_volume_summary">"음악 및 동영상에 대한 볼륨 설정"</string>
<string name="dtmf_tone_enable_title">"터치음 듣기"</string>
<string name="dtmf_tone_enable_summary_on">"다이얼패드를 사용할 때 신호음 재생"</string>
<string name="dtmf_tone_enable_summary_off">"다이얼패드를 사용할 때 신호음 재생"</string>
<string name="sound_effects_enable_title">"선택항목 듣기"</string>
<string name="sound_effects_enable_summary_on">"화면 선택 시 소리 재생"</string>
<string name="sound_effects_enable_summary_off">"화면 선택 시 소리 재생"</string>
<string name="play_media_notification_sounds_enable_title">"SD 카드 알림"</string>
<!-- no translation found for play_media_notification_sounds_enable_summary_on (7675466959375667370) -->
<skip />
<!-- no translation found for play_media_notification_sounds_enable_summary_off (8672617597028744693) -->
<skip />
<string name="sync_settings">"데이터 동기화"</string>
<string name="sync_settings_summary">"동기화할 응용프로그램 선택"</string>
<!-- no translation found for search_settings (1910951467596035063) -->
<skip />
<!-- no translation found for search_settings_summary (9205656546570654169) -->
<skip />
<string name="display_settings">"디스플레이 설정"</string>
<string name="animations_title">"애니메이션"</string>
<string name="animations_summary_on">"창을 열고 닫을 때 애니메이션 표시"</string>
<string name="animations_summary_off">"창을 열고 닫을 때 애니메이션 표시"</string>
<string name="accelerometer_title">"방향"</string>
<string name="accelerometer_summary_on">"휴대전화 회전 시 자동으로 방향 바꾸기"</string>
<string name="accelerometer_summary_off">"휴대전화 회전 시 자동으로 방향 바꾸기"</string>
<string name="brightness">"밝기"</string>
<string name="brightness_summary">"화면 밝기 조정"</string>
<string name="screen_timeout">"화면 시간제한"</string>
<string name="screen_timeout_summary">"화면 자동 꺼짐 시간 간격 조정"</string>
<string name="sim_lock_settings">"SIM 카드 잠금 설정"</string>
<string name="sim_lock_settings_category">"SIM 카드 잠금 설정"</string>
<string name="sim_lock_settings_title">"SIM 카드 잠금"</string>
<string name="sim_pin_toggle">"SIM 카드 잠금"</string>
<string name="sim_lock_on">"휴대폰을 사용하려면 PIN 필요"</string>
<string name="sim_lock_off">"휴대폰을 사용하려면 PIN 필요"</string>
<string name="sim_pin_change">"SIM PIN 변경"</string>
<string name="sim_enter_pin">"SIM PIN"</string>
<string name="sim_enable_sim_lock">"SIM 카드 잠금"</string>
<string name="sim_disable_sim_lock">"SIM 카드 잠금해제"</string>
<string name="sim_enter_old">"이전 SIM PIN"</string>
<string name="sim_enter_new">"새 SIM PIN"</string>
<string name="sim_reenter_new">"새 PIN 다시 입력"</string>
<string name="sim_change_pin">"SIM PIN"</string>
<string name="sim_bad_pin">"PIN이 잘못되었습니다."</string>
<string name="sim_pins_dont_match">"PIN이 일치하지 않습니다."</string>
<string name="sim_change_failed">"PIN을 변경할 수 없습니다."\n"PIN이 잘못된 것 같습니다."</string>
<string name="sim_change_succeeded">"SIM PIN이 변경되었습니다."</string>
<string name="sim_lock_failed">"SIM 카드 잠금 상태를 변경할 수 없습니다."\n"PIN이 잘못된 것 같습니다."</string>
<string name="sim_enter_ok">"확인"</string>
<string name="sim_enter_cancel">"취소"</string>
<string name="device_info_settings">"휴대폰 상태"</string>
<string name="system_update_settings_list_item_title">"시스템 업데이트"</string>
<string name="system_update_settings_list_item_summary">"시스템 업데이트 확인"</string>
<string name="firmware_version">"펌웨어 버전"</string>
<string name="model_number">"모델 번호"</string>
<string name="baseband_version">"기저대역 버전"</string>
<string name="kernel_version">"커널 버전"</string>
<string name="build_number">"빌드 번호"</string>
<string name="device_info_not_available">"표시할 수 없음"</string>
<string name="device_status_activity_title">"상태"</string>
<string name="device_status">"상태"</string>
<!-- no translation found for device_status_summary (2599162787451519618) -->
<skip />
<string name="storage_settings_title">"SD 카드 및 휴대폰 저장공간"</string>
<string name="storage_settings_summary">"SD 카드 마운트 해제, 사용가능한 저장공간 보기"</string>
<!-- no translation found for status_number (5123197324870153205) -->
<skip />
<!-- no translation found for status_min_number (3519504522179420597) -->
<skip />
<!-- no translation found for status_prl_version (8499039751817386529) -->
<skip />
<!-- no translation found for status_meid_number (1751442889111731088) -->
<skip />
<string name="status_network_type">"모바일 네트워크 유형"</string>
<string name="status_data_state">"모바일 네트워크 상태"</string>
<string name="status_service_state">"서비스 상태"</string>
<string name="status_signal_strength">"신호 강도"</string>
<string name="status_roaming">"로밍"</string>
<string name="status_operator">"네트워크"</string>
<string name="status_wifi_mac_address">"Wi-Fi MAC 주소"</string>
<string name="status_bt_address">"Bluetooth 주소"</string>
<string name="status_unavailable">"사용할 수 없음"</string>
<string name="status_up_time">"가동 시간"</string>
<string name="status_awake_time">"무중단 가동 시간"</string>
<string name="internal_memory">"휴대폰 내부 저장공간"</string>
<string name="sd_memory">"SD 카드"</string>
<string name="memory_available">"사용가능한 저장공간"</string>
<string name="memory_size">"총 공간"</string>
<string name="sd_eject">"SD 카드 마운트 해제"</string>
<string name="sd_eject_summary">"안전 제거를 위해 SD 카드 마운트 해제"</string>
<string name="sd_format">"SD 카드 포맷"</string>
<string name="sd_format_summary">"SD 카드 포맷(지우기)"</string>
<string name="sd_unavailable">"사용할 수 없음"</string>
<string name="read_only">" (읽기전용)"</string>
<string name="battery_status_title">"배터리 상태"</string>
<string name="battery_level_title">"배터리 수준"</string>
<string name="apn_settings">"APN"</string>
<string name="apn_edit">"액세스포인트 편집"</string>
<string name="apn_not_set">"<설정 안함>"</string>
<string name="apn_name">"이름"</string>
<string name="apn_apn">"APN"</string>
<string name="apn_http_proxy">"프록시"</string>
<string name="apn_http_port">"포트"</string>
<string name="apn_user">"사용자 이름"</string>
<string name="apn_password">"비밀번호"</string>
<string name="apn_server">"서버"</string>
<string name="apn_mmsc">"MMSC"</string>
<string name="apn_mms_proxy">"MMS 프록시"</string>
<string name="apn_mms_port">"MMS 포트"</string>
<string name="apn_mcc">"MCC"</string>
<string name="apn_mnc">"MNC"</string>
<string name="apn_type">"APN 유형"</string>
<string name="menu_delete">"APN 삭제"</string>
<string name="menu_new">"새 APN"</string>
<string name="menu_save">"저장"</string>
<string name="menu_cancel">"무시"</string>
<string name="error_title">"주의"</string>
<string name="error_name_empty">"이름 필드는 비워둘 수 없습니다."</string>
<string name="error_apn_empty">"APN을 비워둘 수 없습니다."</string>
<string name="error_mcc_not3">"MCC 필드는 3자리 숫자여야 합니다."</string>
<string name="error_mnc_not23">"MNC 필드는 2~ 3자리 숫자여야 합니다."</string>
<string name="restore_default_apn">"기본 APN 설정 복원 중"</string>
<string name="menu_restore">"기본값으로 재설정"</string>
<string name="restore_default_apn_completed">"기본 APN 설정을 재설정했습니다."</string>
<string name="master_clear_title">"기본값 데이터 재설정"</string>
<string name="master_clear_summary">"휴대폰의 모든 데이터 지우기"</string>
<!-- no translation found for master_clear_desc (7823268823499739178) -->
<skip />
<string name="master_clear_button_text">"휴대폰 재설정"</string>
<!-- no translation found for master_clear_final_desc (6917971132484622696) -->
<skip />
<string name="master_clear_final_button_text">"모두 지우기"</string>
<string name="master_clear_gesture_prompt">"잠금해제 패턴을 그리세요."</string>
<string name="master_clear_gesture_explanation">"휴대폰 재설정을 확인하려면 잠금해제 패턴을 그려야 합니다."</string>
<string name="master_clear_failed">"시스템 지우기 서비스를 사용할 수 없어 재설정을 수행하지 못했습니다."</string>
<string name="media_format_title">"SD 카드를 포맷합니다."</string>
<string name="media_format_summary">"SD 카드의 모든 데이터 지우기"</string>
<string name="media_format_desc">"이 작업을 수행하면 휴대폰의 SD 카드에 저장된 모든 데이터를 잃게 됩니다."</string>
<string name="media_format_button_text">"SD 카드 포맷"</string>
<string name="media_format_final_desc">"SD 카드를 포맷하여 모든 미디어를 지우시겠습니까? 수행한 작업은 취소할 수 없습니다."</string>
<string name="media_format_final_button_text">"모두 지우기"</string>
<string name="media_format_gesture_prompt">"잠금해제 패턴을 그리세요."</string>
<string name="media_format_gesture_explanation">"SD 카드 포맷을 확인하려면 잠금해제 패턴을 그려야 합니다."</string>
<string name="call_settings_title">"통화 설정"</string>
<string name="call_settings_summary">"음성메일, 착신전환, 통화중 대기, 발신자 번호 설정"</string>
<string name="network_settings_title">"모바일 네트워크"</string>
<string name="network_settings_summary">"로밍, 네트워크, APN에 대한 옵션 설정"</string>
<!-- no translation found for location_title (1029961368397484576) -->
<skip />
<string name="location_network_based">"무선 네트워크 사용"</string>
<string name="location_networks_disabled">"무선 네트워크를 사용하는 응용프로그램(예: 지도)에서 위치 보기"</string>
<string name="location_neighborhood_level">"Wi-Fi 및/또는 모바일 네트워크에서 측정된 위치"</string>
<string name="location_gps">"GPS 위성 사용"</string>
<string name="location_street_level">"도로 수준으로 정확하게 탐색(배터리를 절약하려면 선택 취소)"</string>
<string name="location_gps_disabled">"도로 수준으로 탐색(항공사진이 더해져 배터리 추가로 필요)"</string>
<!-- no translation found for use_location_title (7585990952633568732) -->
<skip />
<!-- no translation found for use_location_summary (4411467143899877395) -->
<skip />
<!-- no translation found for use_location_warning_message (5696732842038416151) -->
<skip />
<string name="agree">"동의함"</string>
<string name="disagree">"동의하지 않음"</string>
<string name="about_settings">"휴대폰 정보"</string>
<string name="about_settings_summary">"법률 정보, 휴대폰 상태, 소프트웨어 버전 보기"</string>
<string name="legal_information">"법률정보"</string>
<string name="contributors_title">"도움을 주신 분들"</string>
<string name="copyright_title">"저작권"</string>
<string name="license_title">"라이센스"</string>
<string name="terms_title">"약관"</string>
<!-- no translation found for system_tutorial_list_item_title (9082844446660969729) -->
<skip />
<string name="system_tutorial_list_item_summary">"휴대전화 사용법 알아보기"</string>
<string name="settings_license_activity_title">"오픈소스 라이센스"</string>
<string name="settings_license_activity_unavailable">"라이센스를 로드하는 동안 문제가 발생했습니다."</string>
<string name="settings_license_activity_loading">"로드 중..."</string>
<string name="lock_settings_title">"화면 잠금해제 패턴"</string>
<string name="lockpattern_change_lock_pattern_label">"잠금해제 패턴 변경"</string>
<string name="lockpattern_need_to_unlock">"저장된 패턴 확인"</string>
<string name="lockpattern_need_to_unlock_wrong">"죄송합니다. 다시 시도하세요."</string>
<string name="lockpattern_recording_intro_header">"잠금해제 패턴 그리기"</string>
<string name="lockpattern_recording_intro_footer">"도움말을 보려면 메뉴를 누르세요."</string>
<string name="lockpattern_recording_inprogress">"완료되면 손가락을 뗍니다."</string>
<string name="lockpattern_recording_incorrect_too_short">"<xliff:g id="NUMBER">%d</xliff:g>개 이상의 점을 연결합니다. 다시 시도하세요."</string>
<string name="lockpattern_pattern_entered_header">"패턴이 기록되었습니다."</string>
<string name="lockpattern_need_to_confirm">"확인을 위해 패턴 다시 그리기:"</string>
<string name="lockpattern_pattern_confirmed_header">"새 잠금해제 패턴:"</string>
<string name="lockpattern_confirm_button_text">"확인"</string>
<string name="lockpattern_restart_button_text">"다시 그리기"</string>
<string name="lockpattern_retry_button_text">"다시 시도"</string>
<string name="lockpattern_continue_button_text">"계속"</string>
<string name="lockpattern_settings_title">"잠금해제 패턴"</string>
<string name="lockpattern_settings_enable_title">"패턴 필요"</string>
<string name="lockpattern_settings_enable_summary">"화면 잠금을 해제하려면 패턴을 그려야 함"</string>
<string name="lockpattern_settings_enable_visible_pattern_title">"패턴 표시"</string>
<string name="lockpattern_settings_enable_tactile_feedback_title">"의견 수집"</string>
<string name="lockpattern_settings_choose_lock_pattern">"잠금해제 패턴 설정"</string>
<string name="lockpattern_settings_change_lock_pattern">"잠금해제 패턴 변경"</string>
<string name="lockpattern_settings_help_how_to_record">"잠금해제 패턴을 그리는 방법"</string>
<string name="lockpattern_too_many_failed_confirmation_attempts_header">"잘못된 시도 횟수가 너무 많습니다."</string>
<string name="lockpattern_too_many_failed_confirmation_attempts_footer">"<xliff:g id="NUMBER">%d</xliff:g>초 후에 다시 시도하세요."</string>
<string name="skip_button_label">"취소"</string>
<string name="next_button_label">"다음"</string>
<string name="lock_title">"휴대폰 보안 설정"</string>
<string name="lock_intro_message"><font size="17">"자신만의 화면 잠금해제 패턴을 만들어서 인증되지 않은 사람이 전화를 사용하지 못하게 하세요. "\n<font height="17">\n</font><b>"1"</b>" 다음 화면에서 패턴 예가 그려지는 것을 보세요. "\n<font height="17">\n</font><b>"2"</b>" 준비가 되었으면 자신의 잠금해제 패턴을 그리세요. 다른 패턴으로 실험해 볼 수 있습니다. 그러나 최소한 4개의 점을 연결해야 합니다. "\n<font height="17">\n</font><b>"3"</b>" 확인을 위해 자신의 패턴을 다시 그립니다. "\n<font height="17">\n</font><b>"시작할 준비가 되었으면 \'다음\'을 선택합니다"</b>". "\n<font height="3">\n</font>"인증되지 않은 사람도 전화를 사용할 수 있게 하려면 \'취소\'를 선택하세요."</font></string>
<string name="lock_example_title">"패턴 예"</string>
<string name="lock_example_message">"4개 이상의 점을 연결합니다. "\n" "\n"고유한 패턴을 그릴 준비가 되면 \'다음\'을 선택합니다."</string>
<string name="manageapplications_settings_title">"응용프로그램 관리"</string>
<string name="manageapplications_settings_summary">"설치된 응용프로그램 관리 및 제거"</string>
<string name="applications_settings">"응용프로그램"</string>
<string name="applications_settings_summary">"응용프로그램 관리, 빠른실행 바로가기 설정"</string>
<string name="applications_settings_header">"응용프로그램 설정"</string>
<string name="install_applications">"알 수 없는 소스"</string>
<string name="install_unknown_applications">"시판되지 않은 응용프로그램 설치 허용"</string>
<string name="install_all_warning">"휴대폰 및 개인 정보는 출처를 알 수 없는 응용프로그램의 공격에 더욱 취약합니다. 사용자는 이러한 응용프로그램을 사용하여 발생할 수 있는 휴대폰 손상이나 데이터 손실에 대해 사용자가 단독으로 책임이 있음을 동의합니다."</string>
<string name="application_info_label">"응용프로그램 정보"</string>
<string name="storage_label">"저장공간"</string>
<string name="auto_launch_label">"기본적으로 시작"</string>
<string name="permissions_label">"권한"</string>
<string name="cache_header_label">"캐시"</string>
<string name="clear_cache_btn_text">"캐시 지우기"</string>
<string name="cache_size_label">"캐시"</string>
<string name="controls_label">"제어"</string>
<string name="force_stop">"강제 종료"</string>
<string name="total_size_label">"총 시간"</string>
<string name="application_size_label">"응용프로그램"</string>
<string name="data_size_label">"데이터"</string>
<string name="uninstall_text">"제거"</string>
<string name="clear_user_data_text">"데이터 지우기"</string>
<!-- no translation found for app_factory_reset (6635744722502563022) -->
<skip />
<string name="auto_launch_enable_text">"이 응용프로그램을 해당 작업에 대한 기본 프로그램으로 실행하도록 선택했습니다."</string>
<string name="auto_launch_disable_text">"기본값이 설정되지 않았습니다."</string>
<string name="clear_activities">"기본 작업 지우기"</string>
<string name="unknown">"알 수 없음"</string>
<string name="sort_order_alpha">"정렬"</string>
<string name="sort_order_size">"크기별 정렬"</string>
<string name="manage_space_text">"공간 관리"</string>
<string name="filter">"필터"</string>
<string name="filter_dlg_title">"필터 옵션 선택"</string>
<string name="filter_apps_all">"모두"</string>
<string name="filter_apps_third_party">"제3자"</string>
<string name="filter_apps_running">"실행 중"</string>
<string name="loading">"로드 중..."</string>
<string name="recompute_size">"크기 다시 계산 중..."</string>
<string name="clear_data_dlg_title">"삭제"</string>
<string name="clear_data_dlg_text">"응용프로그램에 저장한 모든 정보가 영구적으로 삭제됩니다."</string>
<string name="dlg_ok">"확인"</string>
<string name="dlg_cancel">"취소"</string>
<string name="app_not_found_dlg_title">"응용프로그램을 찾지 못했습니다."</string>
<string name="app_not_found_dlg_text">"응용프로그램이 설치된 응용프로그램 목록에 없습니다."</string>
<string name="clear_data_failed">"응용프로그램 데이터를 지울 수 없습니다."</string>
<!-- no translation found for app_factory_reset_dlg_title (6116199391150388147) -->
<skip />
<!-- no translation found for app_factory_reset_dlg_text (438395129140568893) -->
<skip />
<!-- no translation found for clear_failed_dlg_title (2387060805294783175) -->
<skip />
<!-- no translation found for clear_failed_dlg_text (7943411157007320290) -->
<skip />
<string name="security_settings_desc">"이 응용프로그램은 휴대폰의 다음 항목에 액세스할 수 있습니다."</string>
<string name="computing_size">"계산 중..."</string>
<string name="invalid_size_value">"패키지 크기를 계산할 수 없습니다."</string>
<string name="empty_list_msg">"타사 응용프로그램이 설치되지 않습니다."</string>
<!-- no translation found for version_text (9189073826278676425) -->
<skip />
<string name="language_settings">"로케일 및 텍스트"</string>
<string name="language_settings_summary">"로케일(언어 및 지역), 텍스트 입력 및 자동 수정 옵션 설정"</string>
<string name="language_category">"로케일 설정"</string>
<string name="text_category">"텍스트 설정"</string>
<string name="phone_language">"언어 선택"</string>
<string name="phone_language_summary">"언어 및 지역 선택"</string>
<string name="auto_replace">"자동 바꾸기"</string>
<string name="auto_replace_summary">"오타 교정"</string>
<string name="auto_caps">"자동 대문자 변환"</string>
<string name="auto_caps_summary">"문장의 첫 글자를 대문자로"</string>
<string name="auto_punctuate">"자동 구두점 입력"</string>
<string name="hardkeyboard_category">"물리적 키보드 설정"</string>
<string name="auto_punctuate_summary">"스페이스바를 두 번 눌러 \'.\' 삽입"</string>
<string name="show_password">"비밀번호 표시"</string>
<string name="show_password_summary">"입력 시 비밀번호 표시"</string>
<string name="ime_security_warning">"<xliff:g id="IME_APPLICATION_NAME">%1$s</xliff:g> 응용프로그램에서 지원하는 이 입력 방법을 사용하면 비밀번호 및 신용카드 번호와 같은 개인 정보를 비롯하여 입력한 모든 텍스트가 수집될 수 있습니다. 사용하시겠습니까?"</string>
<string name="user_dict_settings_titlebar">"사용자 사전"</string>
<string name="user_dict_settings_title">"사용자 사전"</string>
<string name="user_dict_settings_summary">"사용자 사전에서 단어 추가 및 삭제"</string>
<string name="user_dict_settings_add_menu_title">"추가"</string>
<string name="user_dict_settings_add_dialog_title">"사전에 추가"</string>
<string name="user_dict_settings_edit_dialog_title">"단어 수정"</string>
<string name="user_dict_settings_context_menu_edit_title">"편집"</string>
<string name="user_dict_settings_context_menu_delete_title">"삭제"</string>
<string name="user_dict_settings_empty_text">"사용자 사전에 단어가 없습니다. 메뉴를 통해 단어를 추가할 수 있습니다."</string>
<string name="testing">"테스트 중"</string>
<string name="testing_phone_info">"휴대폰 정보"</string>
<string name="testing_battery_info">"배터리 정보"</string>
<string name="testing_battery_history">"배터리 기록"</string>
<string name="quick_launch_title">"빠른실행"</string>
<string name="quick_launch_summary">"응용프로그램을 실행하는 바로가기 설정"</string>
<string name="quick_launch_assign_application">"응용프로그램 할당"</string>
<string name="quick_launch_no_shortcut">"바로가기 없음"</string>
<string name="quick_launch_shortcut">"검색 + <xliff:g id="SHORTCUT_LETTER">%1$s</xliff:g>"</string>
<string name="quick_launch_clear_dialog_title">"지우기"</string>
<string name="quick_launch_clear_dialog_message">"<xliff:g id="SHORTCUT_LETTER">%1$s</xliff:g>(<xliff:g id="APPLICATION_NAME">%2$s</xliff:g>)에 대한 바로가기가 지워집니다."</string>
<string name="quick_launch_clear_ok_button">"확인"</string>
<string name="quick_launch_clear_cancel_button">"취소"</string>
<string name="quick_launch_display_mode_applications">"응용프로그램"</string>
<string name="quick_launch_display_mode_shortcuts">"바로가기"</string>
<string name="input_methods_settings_title">"텍스트 입력"</string>
<string name="input_methods_settings_summary">"텍스트 입력 옵션 관리"</string>
<string name="input_methods_settings_label_format">"<xliff:g id="IME_NAME">%1$s</xliff:g> 설정"</string>
<string name="onscreen_keyboard_settings_summary">"화면 키보드 설정"</string>
<string name="builtin_keyboard_settings_title">"기기 키보드"</string>
<string name="builtin_keyboard_settings_summary">"내장 키보드 설정"</string>
<string name="development_settings_title">"개발"</string>
<string name="development_settings_summary">"응용프로그램 개발 옵션 설정"</string>
<string name="enable_adb">"USB 디버깅"</string>
<string name="enable_adb_summary">"USB가 연결된 경우 디버그 모드"</string>
<string name="keep_screen_on">"켜진 상태로 유지"</string>
<string name="keep_screen_on_summary">"충전하는 동안 화면이 꺼지지 않음"</string>
<string name="allow_mock_location">"모의 위치 허용"</string>
<string name="allow_mock_location_summary">"모의 위치 허용"</string>
<!-- no translation found for adb_warning_title (1756027479229533250) -->
<skip />
<!-- no translation found for adb_warning_message (5352555112049663033) -->
<skip />
<string name="gadget_picker_title">"가젯 선택"</string>
<string name="widget_picker_title">"위젯 선택"</string>
<string name="battery_history_details_for">"UID %d의 세부정보"</string>
<string name="battery_history_uid">"UID <xliff:g id="USER_ID">%1$d</xliff:g>"</string>
<string name="battery_history_network_usage">"<xliff:g id="APP_NAME">%1$s</xliff:g>의 네트워크 사용 세부정보"</string>
<string name="battery_history_bytes_received">"받은 바이트 수: <xliff:g id="BYTES">%1$d</xliff:g>"</string>
<string name="battery_history_bytes_sent">"보낸 바이트 수: <xliff:g id="BYTES">%1$d</xliff:g>"</string>
<string name="battery_history_bytes_total">"총 바이트 수: <xliff:g id="BYTES">%1$d</xliff:g>"</string>
<string name="battery_history_cpu_usage">"<xliff:g id="APP_NAME">%1$s</xliff:g>의 CPU 사용 세부정보"</string>
<string name="battery_history_user_time">"사용자 시간:"</string>
<string name="battery_history_system_time">"시스템 시간:"</string>
<string name="battery_history_total_time">"시간 합계:"</string>
<string name="battery_history_starts">"시작: <xliff:g id="STARTS">%1$d</xliff:g>번"</string>
<!-- no translation found for battery_history_days (7110262897769622564) -->
<skip />
<!-- no translation found for battery_history_hours (7525170329826274999) -->
<skip />
<!-- no translation found for battery_history_minutes (1467775596084148610) -->
<skip />
<!-- no translation found for battery_history_seconds (4283492130945761685) -->
<skip />
<string name="battery_history_packages_sharing_this_uid">"이 UID를 공유하는 패키지"</string>
<string name="battery_history_no_data">"배터리 사용 데이터가 없습니다."</string>
<string name="battery_history_sensor">"센서:"</string>
<string name="battery_history_wakelock">"부분적 가동 잠금:"</string>
<string name="battery_history_used_by_packages">"패키지가 사용한 센서:"</string>
<string name="battery_history_sensor_usage">"<xliff:g id="PACKAGE">%2$s</xliff:g>에서 <xliff:g id="COUNT">%1$d</xliff:g>번 사용"</string>
<string name="battery_history_sensor_usage_multi">"다음 중 하나가 <xliff:g id="COUNT">%1$d</xliff:g>번 사용:"</string>
<string name="battery_history_awake_label">"실행 중"</string>
<string name="battery_history_screen_on_label">"화면 켜짐"</string>
<string name="battery_history_phone_on_label">"휴대전화 켜짐"</string>
<string name="battery_history_awake">"절전 모드로 전환되지 않고 사용한 시간:"</string>
<string name="battery_history_screen_on">"화면을 켠 상태에서 소비한 시간:"</string>
<string name="battery_history_phone_on">"휴대전화가 켜진 상태로 사용한 시간:"</string>
<string name="battery_history_screen_on_battery">"배터리 켜짐 시간:"</string>
<string name="battery_history_screen_on_plugged">"연결됨:"</string>
<string name="usage_stats_label">"사용 통계"</string>
<string name="testing_usage_stats">"사용 통계"</string>
<string name="display_order_text">"정렬 기준:"</string>
<string name="app_name_label">"응용프로그램"</string>
<string name="launch_count_label">"계수"</string>
<string name="usage_time_label">"사용 시간"</string>
<!-- no translation found for accessibility_settings_title (4239640930601071058) -->
<skip />
<!-- no translation found for accessibility_settings_summary (8185181964847149507) -->
<skip />
<!-- no translation found for toggle_accessibility_title (650839277066574497) -->
<skip />
<!-- no translation found for accessibility_services_category (8127851026323672607) -->
<skip />
<!-- no translation found for no_accessibility_services_summary (694578333333808159) -->
<skip />
<!-- no translation found for accessibility_service_security_warning (8386156287296967181) -->
<skip />
<!-- no translation found for accessibility_service_disable_warning (8930591383312775132) -->
<skip />
<!-- no translation found for power_usage_summary_title (5180282911164282324) -->
<skip />
<!-- no translation found for power_usage_summary (7237084831082848168) -->
<skip />
<!-- no translation found for battery_since_unplugged (338073389740738437) -->
<skip />
<!-- no translation found for battery_since_reset (7464546661121187045) -->
<skip />
<!-- no translation found for battery_stats_duration (7464501326709469282) -->
<skip />
<!-- no translation found for awake (387122265874485088) -->
<skip />
<!-- no translation found for wifi_on_time (4630925382578609056) -->
<skip />
<!-- no translation found for bluetooth_on_time (4478515071957280711) -->
<skip />
<!-- no translation found for usage_name_percent (1899151069711662289) -->
<skip />
<!-- no translation found for details_title (7564809986329021063) -->
<skip />
<!-- no translation found for details_subtitle (32593908269911734) -->
<skip />
<!-- no translation found for controls_subtitle (390468421138288702) -->
<skip />
<!-- no translation found for packages_subtitle (4736416171658062768) -->
<skip />
<!-- no translation found for power_screen (2353149143338929583) -->
<skip />
<!-- no translation found for power_wifi (2382791137776486974) -->
<skip />
<!-- no translation found for power_bluetooth (4373329044379008289) -->
<skip />
<!-- no translation found for power_cell (6596471490976003056) -->
<skip />
<!-- no translation found for power_phone (5392641106474567277) -->
<skip />
<!-- no translation found for power_idle (9055659695602194990) -->
<skip />
<!-- no translation found for usage_type_cpu (715162150698338714) -->
<skip />
<!-- no translation found for usage_type_cpu_foreground (6500579611933211831) -->
<skip />
<!-- no translation found for usage_type_gps (7989688715128160790) -->
<skip />
<!-- no translation found for usage_type_phone (9108247984998041853) -->
<skip />
<!-- no translation found for usage_type_data_send (2857401966985425427) -->
<skip />
<!-- no translation found for usage_type_data_recv (7251090882025234185) -->
<skip />
<!-- no translation found for usage_type_audio (6957269406840886290) -->
<skip />
<!-- no translation found for usage_type_video (4295357792078579944) -->
<skip />
<!-- no translation found for usage_type_on_time (7052979399415080971) -->
<skip />
<!-- no translation found for battery_action_stop (649958863744041872) -->
<skip />
<!-- no translation found for battery_action_app_details (3275013531871113681) -->
<skip />
<!-- no translation found for battery_action_app_settings (350562653472577250) -->
<skip />
<!-- no translation found for battery_action_display (5302763261448580102) -->
<skip />
<!-- no translation found for battery_action_wifi (5452076674659927993) -->
<skip />
<!-- no translation found for battery_action_bluetooth (8374789049507723142) -->
<skip />
<!-- no translation found for battery_desc_voice (8980322055722959211) -->
<skip />
<!-- no translation found for battery_desc_standby (3009080001948091424) -->
<skip />
<!-- no translation found for battery_desc_radio (5479196477223185367) -->
<skip />
<!-- no translation found for battery_sugg_radio (8211336978326295047) -->
<skip />
<!-- no translation found for battery_desc_display (5432795282958076557) -->
<skip />
<!-- no translation found for battery_sugg_display (3370202402045141760) -->
<skip />
<!-- no translation found for battery_desc_wifi (1702486494565080431) -->
<skip />
<!-- no translation found for battery_sugg_wifi (3003604969548979254) -->
<skip />
<!-- no translation found for battery_desc_bluetooth (7535520658674621902) -->
<skip />
<!-- no translation found for battery_sugg_bluetooth_basic (144393178427277439) -->
<skip />
<!-- no translation found for battery_sugg_bluetooth_headset (8214816222115517479) -->
<skip />
<!-- no translation found for battery_desc_apps (8123202939321333639) -->
<skip />
<!-- no translation found for battery_sugg_apps_info (6065882899391322442) -->
<skip />
<!-- no translation found for battery_sugg_apps_gps (1834412555123982714) -->
<skip />
<!-- no translation found for battery_sugg_apps_settings (8021302847272481168) -->
<skip />
<!-- no translation found for menu_stats_unplugged (8296577130840261624) -->
<skip />
<!-- no translation found for menu_stats_last_unplugged (5922246077592434526) -->
<skip />
<!-- no translation found for menu_stats_total (8973377864854807854) -->
<skip />
<!-- no translation found for menu_stats_refresh (1676215433344981075) -->
<skip />
<!-- no translation found for process_kernel_label (3916858646836739323) -->
<skip />
<!-- no translation found for process_mediaserver_label (6500382062945689285) -->
<skip />
<!-- no translation found for tts_settings (6454363854545277027) -->
<skip />
<!-- no translation found for tts_settings_summary (2627715231944602766) -->
<skip />
<!-- no translation found for tts_settings_title (5064947197040356736) -->
<skip />
<!-- no translation found for use_default_tts_settings_title (1577063839539732930) -->
<skip />
<!-- no translation found for use_default_tts_settings_summary (4253502106159206276) -->
<skip />
<!-- no translation found for tts_default_settings_section (5787915620218907443) -->
<skip />
<!-- no translation found for tts_default_rate_title (6030550998379310088) -->
<skip />
<!-- no translation found for tts_default_rate_summary (4061815292287182801) -->
<skip />
<!-- no translation found for tts_default_pitch_title (6135942113172488671) -->
<skip />
<!-- no translation found for tts_default_pitch_summary (1328298665182885277) -->
<skip />
<!-- no translation found for tts_default_lang_title (8018087612299820556) -->
<skip />
<!-- no translation found for tts_default_lang_summary (5219362163902707785) -->
<skip />
<!-- no translation found for tts_play_example_title (7094780383253097230) -->
<skip />
<!-- no translation found for tts_play_example_summary (8029071615047894486) -->
<skip />
<!-- no translation found for tts_install_data_title (4264378440508149986) -->
<skip />
<!-- no translation found for tts_install_data_summary (5742135732511822589) -->
<skip />
<!-- no translation found for tts_data_installed_summary (9162111552859972809) -->
<skip />
<!-- no translation found for tts_demo (405357591189935876) -->
<skip />
<!-- no translation found for tts_settings_changed_demo (4926518555912328645) -->
<skip />
<!-- no translation found for gadget_title (7455548605888590466) -->
<skip />
<!-- no translation found for vpn_settings_activity_title (7276864950701612579) -->
<skip />
<!-- no translation found for vpn_connect_to (9040615733700098831) -->
<skip />
<!-- no translation found for vpn_username_colon (7854930370861306247) -->
<skip />
<!-- no translation found for vpn_password_colon (5716278710848606626) -->
<skip />
<!-- no translation found for vpn_a_username (6664733641993968692) -->
<skip />
<!-- no translation found for vpn_a_password (1537213632501483753) -->
<skip />
<!-- no translation found for vpn_save_username (1408415289165970790) -->
<skip />
<!-- no translation found for vpn_connect_button (1699007212602470655) -->
<skip />
<!-- no translation found for vpn_yes_button (8034531001149843119) -->
<skip />
<!-- no translation found for vpn_no_button (7620339571187119107) -->
<skip />
<!-- no translation found for vpn_back_button (192036339792734970) -->
<skip />
<!-- no translation found for vpn_mistake_button (1759404628590603933) -->
<skip />
<!-- no translation found for vpn_menu_done (93528279226907926) -->
<skip />
<!-- no translation found for vpn_menu_cancel (7234451214611202868) -->
<skip />
<!-- no translation found for vpn_menu_revert (4407762442281467659) -->
<skip />
<!-- no translation found for vpn_menu_connect (1089399414463784218) -->
<skip />
<!-- no translation found for vpn_menu_disconnect (8254492450022562235) -->
<skip />
<!-- no translation found for vpn_menu_edit (4526245173583195618) -->
<skip />
<!-- no translation found for vpn_menu_delete (3326527392609513129) -->
<skip />
<!-- no translation found for vpn_error_miss_entering (1467455143582547499) -->
<skip />
<!-- no translation found for vpn_error_miss_selecting (953436717902387192) -->
<skip />
<!-- no translation found for vpn_error_duplicate_name (2786397299628471911) -->
<skip />
<!-- no translation found for vpn_confirm_profile_deletion (8679536635364177239) -->
<skip />
<!-- no translation found for vpn_confirm_add_profile_cancellation (3377869170901609182) -->
<skip />
<!-- no translation found for vpn_confirm_edit_profile_cancellation (7496760181072204494) -->
<skip />
<!-- no translation found for vpn_confirm_reconnect (5748535476278674296) -->
<skip />
<!-- no translation found for vpn_unknown_server_dialog_msg (3080742299823671319) -->
<skip />
<!-- no translation found for vpn_auth_error_dialog_msg (5476820106624807614) -->
<skip />
<!-- no translation found for vpn_type_title (6392933604218676224) -->
<skip />
<!-- no translation found for vpn_add_new_vpn (5438260689052714550) -->
<skip />
<!-- no translation found for vpn_edit_title_add (2550661826320709266) -->
<skip />
<!-- no translation found for vpn_edit_title_edit (1769999313158207723) -->
<skip />
<!-- no translation found for vpns (3148141862835492816) -->
<skip />
<!-- no translation found for vpn_connecting (8039521381692090116) -->
<skip />
<!-- no translation found for vpn_disconnecting (7748050200708257066) -->
<skip />
<!-- no translation found for vpn_connected (7641723116362845781) -->
<skip />
<!-- no translation found for vpn_connect_hint (7442898962925875181) -->
<skip />
<!-- no translation found for vpn_name (1550918148476193076) -->
<skip />
<!-- no translation found for vpn_a_name (8445736942405283509) -->
<skip />
<!-- no translation found for vpn_profile_added (2157095890825215726) -->
<skip />
<!-- no translation found for vpn_profile_replaced (384234123486734768) -->
<skip />
<!-- no translation found for vpn_user_certificate_title (6812545893924071742) -->
<skip />
<!-- no translation found for vpn_user_certificate (949322691686938888) -->
<skip />
<!-- no translation found for vpn_a_user_certificate (8943983437956898649) -->
<skip />
<!-- no translation found for vpn_ca_certificate_title (7846466160795589985) -->
<skip />
<!-- no translation found for vpn_ca_certificate (465085144064264742) -->
<skip />
<!-- no translation found for vpn_a_ca_certificate (3374242520974884295) -->
<skip />
<!-- no translation found for vpn_l2tp_secret_string_title (5039677186748940987) -->
<skip />
<!-- no translation found for vpn_l2tp_secret (529359749677142076) -->
<skip />
<!-- no translation found for vpn_a_l2tp_secret (6612042930810981845) -->
<skip />
<!-- no translation found for vpn_ipsec_presharedkey_title (2184060087690539175) -->
<skip />
<!-- no translation found for vpn_ipsec_presharedkey (5434316521616673741) -->
<skip />
<!-- no translation found for vpn_a_ipsec_presharedkey (1255301923217898418) -->
<skip />
<!-- no translation found for vpn_vpn_server_title (8897005887420358913) -->
<skip />
<!-- no translation found for vpn_vpn_server (1141754908824209260) -->
<skip />
<!-- no translation found for vpn_a_vpn_server (5960906152125045853) -->
<skip />
<!-- no translation found for vpn_vpn_server_dialog_title (7850850940160521918) -->
<skip />
<!-- no translation found for vpn_dns_search_list_title (1022776976104584251) -->
<skip />
<!-- no translation found for vpn_dns_search_list (4230034234026605360) -->
<skip />
<!-- no translation found for vpn_field_is_set (1880980734721258127) -->
<skip />
<!-- no translation found for vpn_field_not_set (6827205815004809490) -->
<skip />
<!-- no translation found for vpn_field_not_set_optional (8665901697706781015) -->
<skip />
<!-- no translation found for vpn_enable_field (3348948489989523325) -->
<skip />
<!-- no translation found for vpn_disable_field (2286966253789266389) -->
<skip />
<!-- no translation found for vpn_is_enabled (5128973727115662815) -->
<skip />
<!-- no translation found for vpn_is_disabled (8028085699769751756) -->
<skip />
<!-- no translation found for vpn_settings_title (7327468307909556719) -->
<skip />
<!-- no translation found for vpn_settings_summary (8849924181594963972) -->
<skip />
<!-- no translation found for cstor_settings_category (2284299080682591107) -->
<skip />
<!-- no translation found for cstor_access_title (1739505390736236717) -->
<skip />
<!-- no translation found for cstor_access_summary (4512681868217546677) -->
<skip />
<!-- no translation found for cstor_access_dialog_title (3024256293191879190) -->
<skip />
<!-- no translation found for cstor_access_dialog_hint_from_action (679746865623760961) -->
<skip />
<!-- no translation found for cstor_set_passwd_title (6156763762703061470) -->
<skip />
<!-- no translation found for cstor_set_passwd_summary (5248560429856597398) -->
<skip />
<!-- no translation found for cstor_set_passwd_dialog_title (4071157542842979977) -->
<skip />
<!-- no translation found for cstor_reset_title (6001600882136794382) -->
<skip />
<!-- no translation found for cstor_reset_summary (7509525030771504833) -->
<skip />
<!-- no translation found for cstor_reset_hint (5331632794451859788) -->
<skip />
<!-- no translation found for cstor_name_credential_dialog_title (1723509156126180662) -->
<skip />
<!-- no translation found for cstor_credential_name (2958936431813760259) -->
<skip />
<!-- no translation found for cstor_credential_info (6097346149400207440) -->
<skip />
<!-- no translation found for cstor_name_credential_hint (6889198058976515785) -->
<skip />
<!-- no translation found for cstor_old_password (979282118063084561) -->
<skip />
<!-- no translation found for cstor_new_password (6218562692435670047) -->
<skip />
<!-- no translation found for cstor_confirm_password (8996028123356342466) -->
<skip />
<!-- no translation found for cstor_first_time_hint (1831593416099224962) -->
<skip />
<!-- no translation found for cstor_first_time_hint_from_action (4690937025845780557) -->
<skip />
<!-- no translation found for cstor_password_error (2917326097260402464) -->
<skip />
<!-- no translation found for cstor_password_error_reset_warning (3336370539045905953) -->
<skip />
<!-- no translation found for cstor_password_error_reset_warning_plural (6209069679269017200) -->
<skip />
<!-- no translation found for cstor_passwords_error (956773958408751155) -->
<skip />
<!-- no translation found for cstor_passwords_empty_error (6062539742626760734) -->
<skip />
<!-- no translation found for cstor_password_empty_error (7249632576906961482) -->
<skip />
<!-- no translation found for cstor_password_verification_error (8553930704493511389) -->
<skip />
<!-- no translation found for cstor_name_empty_error (7499971191993770322) -->
<skip />
<!-- no translation found for cstor_name_char_error (8048089317968192516) -->
<skip />
<!-- no translation found for cstor_is_enabled (4054049098081482785) -->
<skip />
<!-- no translation found for cstor_is_added (794788474010251572) -->
<skip />
<!-- no translation found for cstor_add_error (7799232544686721435) -->
<skip />
<!-- no translation found for emergency_tone_title (1055954530111587114) -->
<skip />
<!-- no translation found for emergency_tone_summary (722259232924572153) -->
<skip />
</resources>
|