1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
|
<?xml version="1.0" encoding="UTF-8"?>
<!-- Copyright (C) 2007 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="yes" msgid="4676390750360727396">"Sim"</string>
<string name="no" msgid="6731231425810196216">"Não"</string>
<string name="device_info_default" msgid="7847265875578739287">"Desconhecido"</string>
<string name="header_category_wireless_networks" msgid="4944823405420438623">"REDES SEM FIO E OUTRAS"</string>
<string name="header_category_device" msgid="5781174212691167553">"DISPOSITIVO"</string>
<string name="header_category_personal" msgid="6225932173498802187">"PESSOAL"</string>
<string name="header_category_system" msgid="2073558547468647128">"SISTEMA"</string>
<string name="turn_on_radio" msgid="8706561489788373676">"Ativar o rádio"</string>
<string name="turn_off_radio" msgid="1820294552893884115">"Desativar o rádio"</string>
<string name="radioInfo_menu_viewADN" msgid="8743377494429930831">"Visualizar o catálogo de endereços do SIM"</string>
<string name="radioInfo_menu_viewFDN" msgid="7934301566925610318">"Visualizar números de chamada fixa"</string>
<string name="radioInfo_menu_viewSDN" msgid="7130280686244955669">"Visualizar números de chamada de serviço"</string>
<string name="radioInfo_menu_getPDP" msgid="560610293888406317">"Obter a lista PDP"</string>
<string name="radioInfo_service_in" msgid="1915416319177520020">"Em serviço"</string>
<string name="radioInfo_service_out" msgid="5238736759641916278">"Fora de serviço"</string>
<string name="radioInfo_service_emergency" msgid="2485604591272668370">"Apenas chamadas de emergência"</string>
<string name="radioInfo_service_off" msgid="1434084741785525415">"Rádio desativado"</string>
<string name="radioInfo_roaming_in" msgid="9045363884600341051">"Roaming"</string>
<string name="radioInfo_roaming_not" msgid="2851853244069662307">"Não está em roaming"</string>
<string name="radioInfo_phone_idle" msgid="7489244938838742820">"Ocioso"</string>
<string name="radioInfo_phone_ringing" msgid="4883724645684297895">"Tocando"</string>
<string name="radioInfo_phone_offhook" msgid="4174402846862780998">"Chamada em andamento"</string>
<string name="radioInfo_data_disconnected" msgid="1959735267890719418">"Desconectado"</string>
<string name="radioInfo_data_connecting" msgid="8404571440697917823">"Conectando"</string>
<string name="radioInfo_data_connected" msgid="7074301157399238697">"Conectado"</string>
<string name="radioInfo_data_suspended" msgid="5315325487890334196">"Suspenso"</string>
<string name="radioInfo_unknown" msgid="737385314432468266">"desconhecido"</string>
<string name="radioInfo_display_packets" msgid="8654359809877290639">"pkts"</string>
<string name="radioInfo_display_bytes" msgid="4018206969492931883">"bytes"</string>
<string name="radioInfo_display_dbm" msgid="3621221793699882781">"dBm"</string>
<string name="radioInfo_display_asu" msgid="1422248392727818082">"asu"</string>
<string name="radioInfo_lac" msgid="8415219164758307156">"LAC"</string>
<string name="radioInfo_cid" msgid="4362599198392643138">"CID"</string>
<string name="sdcard_unmount" product="nosdcard" msgid="6325292633327972272">"Desconectar armaz. USB"</string>
<string name="sdcard_unmount" product="default" msgid="3364184561355611897">"Desmontar cartão SD"</string>
<string name="sdcard_format" product="nosdcard" msgid="6285310523155166716">"Apagar armazenamento USB"</string>
<string name="sdcard_format" product="default" msgid="6713185532039187532">"Apagar cartão SD"</string>
<string name="small_font" msgid="2295331917424072635">"Pequeno"</string>
<string name="medium_font" msgid="2068475425515133701">"Médio"</string>
<string name="large_font" msgid="599055175160971446">"Grande"</string>
<string name="font_size_save" msgid="3450855718056759095">"OK"</string>
<string name="sdcard_setting" product="nosdcard" msgid="8281011784066476192">"Armaz. USB"</string>
<string name="sdcard_setting" product="default" msgid="5922637503871474866">"Cartão SD"</string>
<string name="battery_info_status_label" msgid="8109155295509700309">"Status da bateria:"</string>
<string name="battery_info_power_label" msgid="7465140230991349382">"Tomada de alimentação:"</string>
<string name="battery_info_scale_label" msgid="3649763192389778437">"Escala da bateria:"</string>
<string name="battery_info_level_label" msgid="8706526709307788737">"Nível da bateria:"</string>
<string name="battery_info_health_label" msgid="6416051542741886958">"Integridade da bateria:"</string>
<string name="battery_info_technology_label" msgid="788304533220748681">"Tecnologia da bateria:"</string>
<string name="battery_info_voltage_label" msgid="8971764146757637863">"Voltagem da bateria:"</string>
<string name="battery_info_voltage_units" msgid="8658490792208288107">"mV"</string>
<string name="battery_info_temperature_label" msgid="1968383098818648037">"Temperatura da bateria:"</string>
<string name="battery_info_temperature_units" msgid="9098950587249987550">"° C"</string>
<string name="battery_info_uptime" msgid="5548545143573527992">"Tempo desde a inicialização:"</string>
<string name="battery_info_awake_battery" msgid="2557725975486185849">"Tempo ativo da bateria:"</string>
<string name="battery_info_awake_plugged" msgid="176716874713478188">"Tempo ativo ao carregar:"</string>
<string name="battery_info_screen_on" msgid="376277447175613889">"Tempo ativo da tela:"</string>
<string name="battery_info_status_unknown" msgid="196130600938058547">"Desconhecido"</string>
<string name="battery_info_status_charging" msgid="1705179948350365604">"Carregando"</string>
<string name="battery_info_status_charging_ac" msgid="5874340256342956252">"(CA)"</string>
<string name="battery_info_status_charging_usb" msgid="4059070156126770959">"(USB)"</string>
<string name="battery_info_status_discharging" msgid="6222697503392774475">"Descarregando"</string>
<string name="battery_info_status_not_charging" msgid="2820070506621483576">"Não está carregando"</string>
<string name="battery_info_status_full" msgid="2824614753861462808">"Cheio"</string>
<string name="battery_info_power_unplugged" msgid="5987246575519551081">"Desconectado"</string>
<string name="battery_info_power_ac" msgid="6808516193001604634">"CA"</string>
<string name="battery_info_power_usb" msgid="8012931702516331797">"USB"</string>
<string name="battery_info_power_ac_usb" msgid="6777734146838328688">"CA+USB"</string>
<string name="battery_info_power_unknown" msgid="7344115502868899881">"Desconhecido"</string>
<string name="battery_info_health_unknown" msgid="5664295556921944255">"Desconhecido"</string>
<string name="battery_info_health_good" msgid="8070356565806711806">"Bom"</string>
<string name="battery_info_health_overheat" msgid="8442959549291368806">"Superaquecimento"</string>
<string name="battery_info_health_dead" msgid="1725917445762829059">"Descarregada"</string>
<string name="battery_info_health_over_voltage" msgid="2420269351664490121">"Sobretensão"</string>
<string name="battery_info_health_unspecified_failure" msgid="6347021103185471590">"Erro desconhecido"</string>
<string name="battery_info_health_cold" msgid="3835692786176707318">"Menos vistos"</string>
<string name="bluetooth" msgid="5549625000628014477">"Bluetooth"</string>
<string name="bluetooth_visibility" msgid="2930835434091839916">"Detectável"</string>
<string name="bluetooth_is_discoverable" msgid="8373421452106840526">"Visível para todos os disp. Bluetooth próx. (<xliff:g id="DISCOVERABLE_TIME_PERIOD">%1$s</xliff:g>)"</string>
<string name="bluetooth_is_discoverable_always" msgid="2849387702249327748">"Visível para todos os dispos. Bluetooth próximos"</string>
<string name="bluetooth_not_visible_to_other_devices" msgid="9120274591523391910">"Não visível para outros dispositivos Bluetooth"</string>
<string name="bluetooth_only_visible_to_paired_devices" msgid="2049983392373296028">"Visível somente para dispositivos pareados"</string>
<string name="bluetooth_not_discoverable" msgid="128269993123955177">"Tornar o dispositivo detectável"</string>
<string name="bluetooth_visibility_timeout" msgid="8002247464357005429">"Tempo limite de visibilidade"</string>
<string name="bluetooth_visibility_timeout_summary" msgid="6483353842671501585">"Definir por quanto tempo o aparelho ficará detectável"</string>
<string name="bluetooth_lock_voice_dialing" msgid="3139322992062086225">"Bloquear discagem por voz"</string>
<string name="bluetooth_lock_voice_dialing_summary" msgid="4741338867496787042">"Impedir o uso do discador Bluetooth quando a tela estiver bloqueada."</string>
<string name="bluetooth_devices" msgid="1886018064039454227">"Dispositivos Bluetooth"</string>
<string name="bluetooth_device_name" msgid="8415828355207423800">"Nome do dispositivo"</string>
<string name="bluetooth_name_not_set" msgid="2653752006416027426">"Não há nenhum nome definido. Usando o nome da conta."</string>
<string name="bluetooth_scan_for_devices" msgid="9214184305566815727">"Procurar dispositivos"</string>
<string name="bluetooth_rename_device" product="tablet" msgid="787970073150631155">"Renomear tablet"</string>
<string name="bluetooth_rename_device" product="default" msgid="6267987985556136749">"Renomear telefone"</string>
<string name="bluetooth_rename_button" msgid="1648028693822994566">"Renomear"</string>
<string name="bluetooth_disconnect_title" msgid="6026705382020027966">"Desconectar?"</string>
<string name="bluetooth_disconnect_all_profiles" msgid="9148530542956217908">"Isso encerrará sua conexão com:<br><b><xliff:g id="DEVICE_NAME">%1$s</xliff:g></b>"</string>
<string name="bluetooth_disconnect_blank" msgid="8102076504922229274">"O <xliff:g id="DEVICE_NAME">%1$s</xliff:g> será desconectado."</string>
<string name="bluetooth_connected" msgid="6038755206916626419">"Conectado"</string>
<string name="bluetooth_disconnected" msgid="6557104142667339895">"Desconectado"</string>
<string name="bluetooth_disconnecting" msgid="8913264760027764974">"Desconectando…"</string>
<string name="bluetooth_connecting" msgid="8555009514614320497">"Conectando..."</string>
<string name="bluetooth_unknown" msgid="644716244548801421"></string>
<string name="bluetooth_not_connected" msgid="3389882907500605937">"Parear com este dispositivo"</string>
<string name="bluetooth_pairing" msgid="1426882272690346242">"Pareando…"</string>
<string name="bluetooth_paired" msgid="1247541089000057726">"Pareado, mas não conectado"</string>
<string name="bluetooth_device" msgid="5291950341750186887">"Dispositivo Bluetooth sem nome"</string>
<string name="progress_scanning" msgid="192587958424295789">"Pesquisar"</string>
<string name="progress_tap_to_pair" msgid="4192342336107106334">"Toque p/ pareamento"</string>
<string name="bluetooth_no_devices_found" msgid="2412462335116297668">"Nenhum Bluetooth encontrado nas proxim."</string>
<string name="bluetooth_notif_ticker" msgid="4726721390078512173">"Solicitação de pareamento Bluetooth"</string>
<string name="bluetooth_notif_title" msgid="2485175521845371514">"Solicitação de pareamento"</string>
<string name="bluetooth_notif_message" msgid="618099089987569242">"Selecione para parear <xliff:g id="DEVICE_NAME">%1$s</xliff:g>"</string>
<string name="bluetooth_show_received_files" msgid="5164787486105868895">"Mostrar arquivos recebidos"</string>
<string name="device_picker" msgid="8721012448931226323">"Selecionador de dispositivo Bluetooth"</string>
<string name="bluetooth_permission_request" msgid="1523129741266262748">"Solicitação de permissão para Bluetooth"</string>
<string name="bluetooth_ask_enablement" msgid="8211158472876087588">"Um aplicativo está solicitando permissão para ativar o Bluetooth. Deseja fazer isso?"</string>
<string name="bluetooth_ask_discovery" product="tablet" msgid="5950965604673262829">"Um aplicativo em seu tablet está solicitando permissão para tornar seu tablet detectável por outros dispositivos Bluetooth por <xliff:g id="TIMEOUT">%1$d</xliff:g> segundos. Deseja fazer isso?"</string>
<string name="bluetooth_ask_discovery" product="default" msgid="669870705606180872">"Um aplicativo no seu telefone está solicitando permissão para tornar o seu telefone detectável por outros dispositivos Bluetooth por <xliff:g id="TIMEOUT">%1$d</xliff:g> segundos. Deseja fazer isso?"</string>
<string name="bluetooth_ask_lasting_discovery" product="tablet" msgid="1680661751413856600">"Um aplicativo em seu tablet está solicitando permissão para tornar seu tablet sempre detectável por outros dispositivos Bluetooth. Deseja fazer isso?"</string>
<string name="bluetooth_ask_lasting_discovery" product="default" msgid="3413855805411554871">"Um aplicativo no seu telefone está solicitando permissão para tornar o seu telefone sempre detectável por outros dispositivos Bluetooth. Deseja fazer isso?"</string>
<string name="bluetooth_ask_enablement_and_discovery" product="tablet" msgid="5716077575971497298">"Um aplicativo em seu tablet está solicitando permissão para ativar o Bluetooth e tornar seu tablet detectável por outros dispositivos por <xliff:g id="TIMEOUT">%1$d</xliff:g> segundos. Deseja fazer isso?"</string>
<string name="bluetooth_ask_enablement_and_discovery" product="default" msgid="7220210326619399542">"Um aplicativo no seu telefone está solicitando permissão para ativar o Bluetooth e tornar o seu telefone detectável por outros dispositivos por <xliff:g id="TIMEOUT">%1$d</xliff:g> segundos. Deseja fazer isso?"</string>
<string name="bluetooth_ask_enablement_and_lasting_discovery" product="tablet" msgid="6132824454823539873">"Um aplicativo em seu tablet está solicitando permissão para ativar o Bluetooth e tornar seu tablet detectável por outros dispositivos. Deseja fazer isso?"</string>
<string name="bluetooth_ask_enablement_and_lasting_discovery" product="default" msgid="7471195931669103553">"Um aplicativo em seu telefone está solicitando permissão para ativar o Bluetooth e tornar o seu telefone detectável por outros dispositivos. Deseja fazer isso?"</string>
<string name="bluetooth_turning_on" msgid="4850574877288036646">"Ativar Bluetooth?"</string>
<!-- no translation found for bluetooth_turning_off (2337747302892025192) -->
<skip />
<string name="bluetooth_auto_connect" msgid="8013003320667198460">"Conexão automática"</string>
<string name="bluetooth_connection_permission_request" msgid="4747918249032890077">"Solicitação de conexão Bluetooth"</string>
<string name="bluetooth_connection_notif_message" msgid="1833221950512058309">"Toque para conectar-se ao \"<xliff:g id="DEVICE_NAME">%1$s</xliff:g>\""</string>
<string name="bluetooth_connection_dialog_text" msgid="8455427559949998023">"Deseja conectar-se ao \"<xliff:g id="DEVICE_NAME">%1$s</xliff:g>\"?"</string>
<string name="bluetooth_phonebook_request" msgid="457033227379858269">"Solicitação da lista telefônica"</string>
<string name="bluetooth_pb_acceptance_dialog_text" msgid="5203107624986011263">"%1$s gostaria de acessar os seus contatos e histórico de chamadas. Conceder acesso a %2$s?"</string>
<string name="bluetooth_pb_alwaysallowed" msgid="3953839482721299910">"Sempre permitir?"</string>
<string name="date_and_time" msgid="4114084177056654663">"Configurações de data e hora"</string>
<string name="date_time_12_hour_sample" msgid="3259617262618020574">"1:00 pm"</string>
<string name="date_time_24_hour_sample" msgid="8916857570746212357">"13:00"</string>
<string name="choose_timezone" msgid="7762866468013985022">"Selecionar fuso horário"</string>
<string name="normal_date_format" msgid="1982904221918374153">"Normal (<xliff:g id="DATE">%s</xliff:g>)"</string>
<string name="display_preview_label" msgid="1127597250917274792">"Visualizar:"</string>
<string name="display_font_size_label" msgid="8941851418397475389">"Tamanho da fonte:"</string>
<!-- no translation found for intent_sender_data_label (6332324780477289261) -->
<skip />
<string name="intent_sender_sendbroadcast_text" msgid="1415735148895872715">"Enviar<xliff:g id="BROADCAST">broadcast</xliff:g>"</string>
<string name="intent_sender_action_label" msgid="616458370005452389">"<xliff:g id="ACTION">Action</xliff:g>:"</string>
<string name="intent_sender_startactivity_text" msgid="5080516029580421895">"Iniciar <xliff:g id="ACTIVITY">activity</xliff:g>"</string>
<string name="intent_sender_resource_label" msgid="6963659726895482829">"<xliff:g id="RESOURCE">Resource</xliff:g>:"</string>
<string name="intent_sender_account_label" msgid="465210404475603404">"Conta:"</string>
<string name="proxy_settings_title" msgid="5912878565897294401">"Configurações de proxy"</string>
<string name="proxy_clear_text" msgid="5555400754952012657">"Limpar"</string>
<string name="proxy_port_label" msgid="5655276502233453400">"Porta do proxy"</string>
<string name="proxy_exclusionlist_label" msgid="7700491504623418701">"Evitar proxy para"</string>
<string name="proxy_exclusionlist_hint" msgid="6084099226687226948">"example.com,mycomp.test.com,localhost"</string>
<string name="proxy_defaultView_text" msgid="6387985519141433291">"Restaurar padrões"</string>
<string name="proxy_action_text" msgid="2957063145357903951">"Concluído"</string>
<string name="proxy_hostname_label" msgid="8490171412999373362">"Hostname do proxy"</string>
<string name="proxy_hostname_hint" msgid="2076157057003936176">"proxy.example.com"</string>
<string name="proxy_error" msgid="8926675299638611451">"Atenção"</string>
<string name="proxy_error_dismiss" msgid="4993171795485460060">"OK"</string>
<string name="proxy_error_invalid_host" msgid="9120776460063182119">"O nome de host digitado não é válido."</string>
<string name="proxy_error_invalid_exclusion_list" msgid="4753810662233875893">"A lista de exclusão digitada não está formatada corretamente. Insira uma lista dos domínios excluídos separados por vírgula."</string>
<string name="proxy_error_empty_port" msgid="3525734169948795417">"Você deve completar o campo de porta."</string>
<string name="proxy_error_empty_host_set_port" msgid="2451694104858226781">"O campo da porta deverá estar vazio se o campo do host estiver vazio."</string>
<string name="proxy_error_invalid_port" msgid="1816315605424943626">"A porta digitada não é válida."</string>
<string name="proxy_warning_limited_support" msgid="7442676587591460854">"O proxy HTTP é usado pelo navegador, mas não pode ser usado por outros aplicativos"</string>
<string name="radio_info_signal_location_label" msgid="16475158265551708">"Localização:"</string>
<string name="radio_info_neighboring_location_label" msgid="2385625674055934880">"CID vizinho:"</string>
<string name="radio_info_data_attempts_label" msgid="1731106244577323381">"Tentativas de dados:"</string>
<string name="radio_info_gprs_service_label" msgid="2331818110375395364">"Serviço GPRS:"</string>
<string name="radio_info_roaming_label" msgid="6141505430275138647">"Roaming:"</string>
<string name="radio_info_imei_label" msgid="1220524224732944192">"IMEI:"</string>
<string name="radio_info_call_redirect_label" msgid="1654674226961476872">"Redirecionamento da chamada:"</string>
<string name="radio_info_ppp_resets_label" msgid="3241667824729310546">"Número de redefinições PPP desde a inicialização:"</string>
<string name="radio_info_gsm_disconnects_label" msgid="1683069665736339820">"Desconexões GSM:"</string>
<string name="radio_info_current_network_label" msgid="3256402602440102610">"Rede atual:"</string>
<string name="radio_info_data_successes_label" msgid="4417894113689054945">"Êxito dos dados:"</string>
<string name="radio_info_ppp_received_label" msgid="3345184342444878849">"PPP recebido:"</string>
<string name="radio_info_gsm_service_label" msgid="2082332114596916985">"Serviço GSM:"</string>
<string name="radio_info_signal_strength_label" msgid="1931937920896925766">"Potência do sinal:"</string>
<string name="radio_info_call_status_label" msgid="4896238900685510883">"Status da chamada:"</string>
<string name="radio_info_ppp_sent_label" msgid="5009102250704375687">"PPP enviado:"</string>
<string name="radio_info_radio_resets_label" msgid="9211343458143291617">"Redefinições de rádio:"</string>
<string name="radio_info_message_waiting_label" msgid="6981842420058672207">"Mensagem em espera:"</string>
<string name="radio_info_phone_number_label" msgid="7192944627907412169">"Número de telefone:"</string>
<string name="radio_info_band_mode_label" msgid="441469694142042022">"Selecionar frequência de rádio"</string>
<string name="radio_info_network_type_label" msgid="3706382548257257987">"Tipo de rede:"</string>
<string name="radio_info_set_perferred_label" msgid="9039200405863503267">"Definir tipo de rede preferido:"</string>
<string name="radio_info_ping_ipaddr" msgid="498747917793263530">"Aplicar ping em IpAddr:"</string>
<string name="radio_info_ping_hostname" msgid="3054888474808217853">"Aplicar ping no nome do host (www.google.com):"</string>
<string name="radio_info_http_client_test" msgid="5733604021077701555">"Teste do Cliente HTTP:"</string>
<string name="ping_test_label" msgid="7255376471490860631">"Executar teste de ping"</string>
<string name="radio_info_smsc_label" msgid="6399460520126501354">"SMSC:"</string>
<string name="radio_info_smsc_update_label" msgid="7258686760358791539">"Atualizar"</string>
<string name="radio_info_smsc_refresh_label" msgid="6902302130315125102">"Atualizar"</string>
<string name="radio_info_toggle_dns_check_label" msgid="8292252930563286858">"Ativar/desativar verificação de DNS"</string>
<string name="oem_radio_info_label" msgid="6163141792477958941">"Informações/configurações específicas de OEM"</string>
<string name="band_mode_title" msgid="954174198903776205">"Definir frequência GSM/UMTS"</string>
<string name="band_mode_loading" msgid="548764766363847336">"Carregando a lista de frequências…"</string>
<string name="band_mode_set" msgid="5730560180249458484">"Definir"</string>
<string name="band_mode_failed" msgid="1495968863884716379">"Falha"</string>
<string name="band_mode_succeeded" msgid="2701016190055887575">"Êxito"</string>
<string name="sdcard_changes_instructions" msgid="1364712901180556244">"As alterações são aplicadas quando o cabo USB é reconectado."</string>
<string name="sdcard_settings_screen_mass_storage_text" msgid="3741220147296482474">"Ativar o armazenamento USB em massa"</string>
<string name="sdcard_settings_total_bytes_label" msgid="9184160745785062144">"Total de bytes:"</string>
<string name="sdcard_settings_not_present_status" product="nosdcard" msgid="2902787003418172125">"Armazenam. USB não conectado"</string>
<string name="sdcard_settings_not_present_status" product="default" msgid="6666688653496819947">"Nenhum cartão SD"</string>
<string name="sdcard_settings_available_bytes_label" msgid="763232429899373001">"Bytes disponíveis:"</string>
<string name="sdcard_settings_mass_storage_status" product="nosdcard" msgid="2736378870889777857">"Arm. USB usado p/ arm. massa"</string>
<string name="sdcard_settings_mass_storage_status" product="default" msgid="4786433969313661655">"O cartão SD está sendo usado como um dispositivo de armazenamento em massa."</string>
<string name="sdcard_settings_unmounted_status" product="nosdcard" msgid="7503300818792750913">"Armaz. USB pode ser removido"</string>
<string name="sdcard_settings_unmounted_status" product="default" msgid="3812022095683863087">"O cartão SD já pode ser removido com segurança."</string>
<string name="sdcard_settings_bad_removal_status" product="nosdcard" msgid="7761390725880773697">"Armaz. USB removido em uso!"</string>
<string name="sdcard_settings_bad_removal_status" product="default" msgid="5145797653495907970">"O cartão SD foi removido enquanto ainda estava em uso!"</string>
<string name="sdcard_settings_used_bytes_label" msgid="8820289486001170836">"Bytes usados:"</string>
<string name="sdcard_settings_scanning_status" product="nosdcard" msgid="7503429447676219564">"Procurando mídia armaz. USB..."</string>
<string name="sdcard_settings_scanning_status" product="default" msgid="2763464949274455656">"Procurando mídia no cartão SD…"</string>
<string name="sdcard_settings_read_only_status" product="nosdcard" msgid="3771783090621312312">"Armaz. USB é somente leitura"</string>
<string name="sdcard_settings_read_only_status" product="default" msgid="5706115860484118911">"Cartão SD montado como somente leitura"</string>
<string name="skip_label" msgid="47510779345218297">"Pular"</string>
<string name="next_label" msgid="4693520878012668114">"Avançar"</string>
<string name="language_picker_title" msgid="5349877711342869319">"Idioma"</string>
<string name="activity_picker_label" msgid="4910700713930693329">"Selecionar atividade"</string>
<string name="device_info_label" msgid="6551553813651711205">"Informações do dispositivo"</string>
<string name="battery_info_label" msgid="4132685016148679403">"Informações da bateria"</string>
<string name="display_label" msgid="8074070940506840792">"Tela"</string>
<string name="phone_info_label" product="tablet" msgid="7820855350955963628">"Informações do tablet"</string>
<string name="phone_info_label" product="default" msgid="2127552523124277664">"Informações do telefone"</string>
<string name="sd_card_settings_label" product="nosdcard" msgid="8101475181301178428">"Armaz. USB"</string>
<string name="sd_card_settings_label" product="default" msgid="5743100901106177102">"Cartão SD"</string>
<string name="proxy_settings_label" msgid="3271174136184391743">"Configurações de proxy"</string>
<string name="cancel" msgid="6859253417269739139">"Cancelar"</string>
<string name="settings_label" msgid="1626402585530130914">"Configurações"</string>
<string name="settings_label_launcher" msgid="8344735489639482340">"Configurações"</string>
<!-- outdated translation 8597387747077828217 --> <string name="settings_shortcut" msgid="3936651951364030415">"Selecionar atalho de configurações"</string>
<string name="airplane_mode" msgid="8837269988154128601">"Modo para avião"</string>
<string name="radio_controls_title" msgid="6889937359495515769">"Mais..."</string>
<string name="wireless_networks_settings_title" msgid="3643009077742794212">"Redes sem fio e outras"</string>
<string name="radio_controls_summary" msgid="2998818677094465517">"Gerenciar rede Wi-Fi, Bluetooth, modo avião, redes e VPNs"</string>
<string name="roaming" msgid="3596055926335478572">"Roaming de dados"</string>
<string name="roaming_enable" msgid="3737380951525303961">"Conectar aos serviços de dados quando estiver em roaming"</string>
<string name="roaming_disable" msgid="1295279574370898378">"Conectar aos serviços de dados quando estiver em roaming"</string>
<string name="roaming_reenable_message" msgid="9141007271031717369">"Você perdeu a conectividade de dados porque deixou o roaming de dados da sua rede doméstica desativado."</string>
<string name="roaming_turn_it_on_button" msgid="4387601818162120589">"Ativar"</string>
<string name="roaming_warning" msgid="1269870211689178511">"Permitir roaming de dados? Isso pode causar cobranças significativas de roaming!"</string>
<string name="roaming_reenable_title" msgid="7626425894611573131">"Atenção"</string>
<string name="networks" msgid="6333316876545927039">"Seleção de operador"</string>
<string name="sum_carrier_select" msgid="6648929373316748020">"Selecione um operador de rede"</string>
<string name="date_and_time_settings_title" msgid="3350640463596716780">"Data e hora"</string>
<string name="date_and_time_settings_title_setup_wizard" msgid="2391530758339384324">"Configurar data e hora"</string>
<string name="date_and_time_settings_summary" msgid="2435705040205950381">"Definir data, hora, fuso horário e formatos"</string>
<string name="date_time_auto" msgid="7076906458515908345">"Data e hora automáticas"</string>
<string name="date_time_auto_summaryOn" msgid="4609619490075140381">"Usar horário fornecido pela rede"</string>
<string name="date_time_auto_summaryOff" msgid="8698762649061882791">"Usar horário fornecido pela rede"</string>
<string name="zone_auto" msgid="334783869352026648">"Fuso horário automático"</string>
<string name="zone_auto_summaryOn" msgid="6142830927278458314">"Usar fuso horário fornecido pela rede"</string>
<string name="zone_auto_summaryOff" msgid="2597745783162041390">"Usar fuso horário fornecido pela rede"</string>
<string name="date_time_24hour" msgid="1193032284921000063">"Formato de 24 horas"</string>
<string name="date_time_set_time" msgid="5716856602742530696">"Definir data e hora"</string>
<string name="date_time_set_timezone" msgid="5045627174274377814">"Selecionar fuso horário"</string>
<string name="date_time_set_date" msgid="7021491668550232105">"Definir data"</string>
<string name="date_time_date_format" msgid="436706100255870967">"Formato de data"</string>
<string name="zone_list_menu_sort_alphabetically" msgid="5683377702671088588">"Classificar em ordem alfabética"</string>
<string name="zone_list_menu_sort_by_timezone" msgid="2720190443744884114">"Classificar por fuso horário"</string>
<string name="date_picker_title" msgid="1338210036394128512">"Data"</string>
<string name="time_picker_title" msgid="483460752287255019">"Hora"</string>
<string name="lock_after_timeout" msgid="940509402681580537">"Tempo limite"</string>
<string name="lock_after_timeout_summary" msgid="4726009794344934278">"Bloquear tela <xliff:g id="TIMEOUT_STRING">%1$s</xliff:g> depois de ser automaticamente desativada"</string>
<string name="show_owner_info_on_lockscreen_label" msgid="5074906168357568434">"Mostrar inf. do proprietário ao bloquear a tela"</string>
<string name="owner_info_settings_title" msgid="2723190010708381889">"Info do proprietário"</string>
<string name="owner_info_settings_summary" msgid="3800834657847339570"></string>
<string name="owner_info_settings_edit_text_hint" msgid="2382525043173672857">"Digite o texto a ser exibido na tela de bloqueio"</string>
<string name="location_settings_title" msgid="8935806698251432196">"Serviços de local"</string>
<string name="security_settings_title" msgid="7945465324818485460">"Segurança"</string>
<string name="security_settings_summary" msgid="967393342537986570">"Definir Meu local, desbloqueio de tela, bloqueio do SIM e do armazenamento de credenciais"</string>
<string name="cdma_security_settings_summary" msgid="6068799952798901542">"Definir o Meu local, o desbloqueio de tela, o bloqueio do armazenamento de credenciais"</string>
<string name="security_passwords_title" msgid="2930627259125138363">"Senhas"</string>
<string name="crypt_keeper_settings_title" msgid="4219233835490520414">"Criptografia"</string>
<string name="crypt_keeper_encrypt_title" product="tablet" msgid="1060273569887301457">"Criptografar tablet"</string>
<string name="crypt_keeper_encrypt_title" product="default" msgid="1878996487755806122">"Criptografar telefone"</string>
<string name="crypt_keeper_encrypt_summary" product="tablet" msgid="6291564408810586">"Solicite um PIN ou uma senha numérica para decodificar seu tablet sempre que o ligar"</string>
<string name="crypt_keeper_encrypt_summary" product="default" msgid="514138079795442371">"Solicite um PIN ou senha numérica para decodificar seu telefone sempre que o ligar"</string>
<string name="crypt_keeper_encrypted_summary" msgid="1868233637888132906">"Criptografado"</string>
<string name="crypt_keeper_desc" product="tablet" msgid="2150571569618349332">"Você poderá criptografar contas, configurações, aplicativos baixados e seus dados, arquivos de mídia e de outros formatos. Assim que criptografar seu tablet, insira um PIN ou senha numérica para decodificá-lo sempre que o dispositivo for ligado. Não é possível desfazer a criptografia do tablet, exceto se a configuração original for redefinida, o que apagará todos os seus dados."\n\n"A criptografia leva uma hora ou mais. Você deve iniciar com a bateria carregada e manter o tablet conectado na tomada até que o processo esteja concluído. Se houver alguma interrupção, seus dados poderão ser perdidos por completo."</string>
<string name="crypt_keeper_desc" product="default" msgid="7366703764847750586">"Você poderá criptografar contas, configurações, aplicativos baixados e seus dados, arquivos de mídia e de outros formatos. Assim que criptografar seu telefone, insira um PIN ou senha numérica para decodificá-lo sempre que o dispositivo for ligado. Não é possível desfazer a criptografia do telefone, exceto se a configuração original for redefinida, o que apagará todos os seus dados."\n\n" A criptografia leva uma hora ou mais. Você deve iniciar com a bateria carregada e manter o telefone conectado na tomada até que o processo esteja concluído. Se houver alguma interrupção, seus dados poderão ser perdidos por completo."</string>
<string name="crypt_keeper_button_text" product="tablet" msgid="1189623490604750854">"Criptografar tablet"</string>
<string name="crypt_keeper_button_text" product="default" msgid="2008346408473255519">"Criptografar telefone"</string>
<string name="crypt_keeper_low_charge_text" msgid="5920622844033087792">"Carregue sua bateria e tente novamente."</string>
<string name="crypt_keeper_unplugged_text" msgid="3360883915598669748">"Insira seu carregador e tente novamente."</string>
<string name="crypt_keeper_dialog_need_password_title" msgid="4058971800557767">"Não há PIN ou senha da tela de bloqueio"</string>
<string name="crypt_keeper_dialog_need_password_message" msgid="17076329416977176">"Defina um PIN ou uma senha para a tela de bloqueio antes de iniciar a criptografia."</string>
<string name="crypt_keeper_confirm_title" msgid="3637925350381905012">"Confirmar criptografia"</string>
<string name="crypt_keeper_final_desc" product="tablet" msgid="2496639211575162172">"Criptografar o tablet? Essa operação é irreversível e, se for interrompida, você perderá seus dados. A criptografia leva cerca de uma hora ou mais, sendo que nesse período o tablet será reiniciado várias vezes."</string>
<string name="crypt_keeper_final_desc" product="default" msgid="3248595818246515395">"Criptografar o telefone? Essa operação é irreversível e, se for interrompida, você perderá seus dados. A criptografia leva cerca de uma hora ou mais, sendo que nesse período o telefone será reiniciado várias vezes."</string>
<string name="crypt_keeper_setup_title" msgid="1783951453124244969">"Criptografando"</string>
<string name="crypt_keeper_setup_description" product="tablet" msgid="5317479293244660361">"Aguarde enquanto seu tablet está sendo criptografado. <xliff:g id="PERCENT">^1</xliff:g>% concluído."</string>
<string name="crypt_keeper_setup_description" product="default" msgid="8166730416836285875">"Aguarde enquanto seu telefone está sendo criptografado. <xliff:g id="PERCENT">^1</xliff:g>% concluído."</string>
<string name="crypt_keeper_cooldown" msgid="685210918307862395">"Tente novamente em <xliff:g id="DELAY">^1</xliff:g> segundos."</string>
<string name="crypt_keeper_enter_password" msgid="1492603008983893532">"Insira sua senha"</string>
<string name="crypt_keeper_failed_title" msgid="1166918236711686187">"Falha na criptografia"</string>
<string name="crypt_keeper_failed_summary" product="tablet" msgid="1075638996134310507">"A criptografia foi interrompida e não pode ser concluída. Você deverá redefinir a configuração original (o que apagará todos os seus dados) antes de retomar o uso de seu tablet. Como opção, tente criptografar seu tablet novamente após a redefinição estar concluída."</string>
<string name="crypt_keeper_failed_summary" product="default" msgid="3394708817932222518">"A criptografia foi interrompida e não pode ser concluída. Você deverá redefinir a configuração original (o que apagará todos os seus dados) antes de retomar o uso de seu telefone. Como opção, tente criptografar seu telefone novamente após a redefinição estar concluída."</string>
<string name="lock_settings_picker_title" msgid="8665454308380158195">"Config. tela de bloqueio"</string>
<string name="unlock_set_unlock_launch_picker_title" msgid="4461562893699328786">"Config. tela de bloqueio"</string>
<string name="unlock_set_unlock_launch_picker_change_title" msgid="6987228635944678726">"Alterar bloqueio de tela"</string>
<string name="unlock_set_unlock_launch_picker_change_summary" msgid="2790960639554590668">"Alterar ou desativar o padrão, o PIN ou a segurança da senha"</string>
<string name="unlock_set_unlock_launch_picker_enable_summary" msgid="4791110798817242301">"Escolha um método para bloquear a tela"</string>
<string name="unlock_set_unlock_off_title" msgid="1613932765246180079">"Desativado"</string>
<string name="unlock_set_unlock_off_summary" msgid="2791013557563587655">"Nunca bloquear a tela"</string>
<string name="unlock_set_unlock_none_title" msgid="7560817055143323842">"Desprotegido"</string>
<string name="unlock_set_unlock_none_summary" msgid="2609139908913114644">"Não exige padrão, PIN e senha p/ desbl. a tela"</string>
<string name="unlock_set_unlock_pattern_title" msgid="2912067603917311700">"Padrão"</string>
<string name="unlock_set_unlock_pattern_summary" msgid="8467282436608077882">"Exige um padrão para desbloquear a tela"</string>
<string name="unlock_set_unlock_pin_title" msgid="5846029709462329515">"PIN"</string>
<string name="unlock_set_unlock_pin_summary" msgid="5556722736289132512">"Exige senha numérica para desbloquear a tela"</string>
<string name="unlock_set_unlock_password_title" msgid="8775603825675090937">"Senha"</string>
<string name="unlock_set_unlock_password_summary" msgid="7871968012198279034">"Exige uma senha para desbloquear a tela"</string>
<string name="unlock_set_unlock_disabled_summary" msgid="2120729867788851674">"Des. pelo adm., pol. de cript. ou armaz. de cred."</string>
<string name="unlock_set_unlock_mode_off" msgid="378729687629105388">"Desativado"</string>
<string name="unlock_set_unlock_mode_none" msgid="7137296704741184239">"Sem segurança"</string>
<string name="unlock_set_unlock_mode_pattern" msgid="464022606293547390">"Protegido com padrão"</string>
<string name="unlock_set_unlock_mode_pin" msgid="1379365142708807163">"Protegido com PIN"</string>
<string name="unlock_set_unlock_mode_password" msgid="6955742995327081060">"Protegido com senha"</string>
<string name="unlock_disable_lock_title" msgid="1427036227416979120">"Desativar o bloqueio da tela"</string>
<string name="unlock_disable_lock_pattern_summary" msgid="6801602880568869201">"Remover padrão de desbloqueio"</string>
<string name="unlock_disable_lock_pin_summary" msgid="8856842745366993387">"Remover PIN de desbloqueio"</string>
<string name="unlock_disable_lock_password_summary" msgid="192161194564577025">"Remover senha de desbloqueio"</string>
<string name="unlock_change_lock_pattern_title" msgid="2044092014872741130">"Alterar padrão de desbloqueio"</string>
<string name="unlock_change_lock_pin_title" msgid="806629901095938484">"Alterar PIN de desbloqueio"</string>
<string name="unlock_change_lock_password_title" msgid="5606298470358768865">"Alterar senha de desbloqueio"</string>
<string name="lockpassword_password_too_short" msgid="7328975683669256660">"A senha deve ter no mínimo %d caracteres"</string>
<string name="lockpassword_pin_too_short" msgid="2252847623267704683">"O PIN deve ter no mínimo %d caracteres."</string>
<string name="lockpassword_press_continue" msgid="122706614386757182">"Toque em Continuar quando terminar"</string>
<string name="lockpassword_continue_label" msgid="4602203784934526940">"Continuar"</string>
<string name="lockpassword_password_too_long" msgid="5487426077939378487">"A senha deve ter menos de <xliff:g id="NUMBER">%d</xliff:g> caracteres"</string>
<string name="lockpassword_pin_too_long" msgid="6382649850551200693">"O PIN deve ter menos de <xliff:g id="NUMBER">%d</xliff:g> dígitos"</string>
<string name="lockpassword_pin_contains_non_digits" msgid="3379277100136600632">"O PIN precisa conter apenas dígitos de 0 a 9"</string>
<string name="lockpassword_pin_recently_used" msgid="2729073062730842496">"O administrador do aparelho não permite o uso de um PIN recente"</string>
<string name="lockpassword_illegal_character" msgid="6204396794254688549">"A senha contém um caractere ilegal"</string>
<string name="lockpassword_password_requires_alpha" msgid="5668524505560400449">"A senha precisa ter no mínimo uma letra."</string>
<string name="lockpassword_password_requires_digit" msgid="4840579514154254907">"A senha precisa ter no mínimo um dígito."</string>
<string name="lockpassword_password_requires_symbol" msgid="4140602725865312078">"A senha precisa ter no mínimo um símbolo."</string>
<plurals name="lockpassword_password_requires_letters">
<item quantity="one" msgid="1462968118065694590">"A senha deve conter pelo menos uma letra"</item>
<item quantity="other" msgid="7278096339907683541">"A senha deve conter pelo menos %d letras"</item>
</plurals>
<plurals name="lockpassword_password_requires_lowercase">
<item quantity="one" msgid="2048653993044269649">"A senha deve conter pelo menos uma letra minúscula"</item>
<item quantity="other" msgid="588499075580432178">"A senha deve conter pelo menos %d letras minúsculas"</item>
</plurals>
<plurals name="lockpassword_password_requires_uppercase">
<item quantity="one" msgid="7677454174080582601">"A senha deve conter pelo menos uma letra maiúscula"</item>
<item quantity="other" msgid="2183090598541826806">"A senha deve conter pelo menos %d letras maiúsculas"</item>
</plurals>
<plurals name="lockpassword_password_requires_numeric">
<item quantity="one" msgid="8585088032818933985">"A senha deve conter pelo menos um dígito numérico"</item>
<item quantity="other" msgid="995673409754935278">"A senha deve conter pelo menos %d dígitos numéricos"</item>
</plurals>
<plurals name="lockpassword_password_requires_symbols">
<item quantity="one" msgid="3930886641317826293">"A senha deve conter pelo menos um símbolo especial"</item>
<item quantity="other" msgid="3047460862484105274">"A senha deve conter pelo menos %d símbolos especiais"</item>
</plurals>
<plurals name="lockpassword_password_requires_nonletter">
<item quantity="one" msgid="1716355580615489062">"A senha deve conter pelo menos um caractere que não seja letra"</item>
<item quantity="other" msgid="5574191164708145973">"A senha deve conter pelo menos %d caracteres que não sejam letras"</item>
</plurals>
<string name="lockpassword_password_recently_used" msgid="2739642871806935825">"O administrador do aparelho não permite o uso de uma senha recente"</string>
<string name="lockpassword_ok_label" msgid="313822574062553672">"OK"</string>
<string name="lockpassword_cancel_label" msgid="8818529276331121899">"Cancelar"</string>
<string name="lockpattern_tutorial_cancel_label" msgid="6431583477570493261">"Cancelar"</string>
<string name="lockpattern_tutorial_continue_label" msgid="3559793618653400434">"Avançar"</string>
<string name="device_admin_title" msgid="3562216873644263804">"Administração do dispositivo"</string>
<string name="manage_device_admin" msgid="5059296715271077278">"Administradores do dispositivo"</string>
<string name="manage_device_admin_summary" msgid="7672709110988761075">"Visualizar ou desativar administradores do dispositivo"</string>
<string name="bluetooth_quick_toggle_title" msgid="1037056952714061893">"Bluetooth"</string>
<string name="bluetooth_quick_toggle_summary" msgid="5293641680139873341">"Ativar Bluetooth"</string>
<string name="bluetooth_settings" msgid="1810521656168174329">"Bluetooth"</string>
<string name="bluetooth_settings_title" msgid="1908745291161353016">"Bluetooth"</string>
<string name="bluetooth_settings_summary" msgid="2091062709530570462">"Gerenciar conexões, definir o nome e detecção do dispositivo"</string>
<string name="bluetooth_pairing_request" msgid="6385750334766370310">"Solicitação de pareamento Bluetooth"</string>
<string name="bluetooth_enter_pin_msg" msgid="7437165032040778458">"Para parear com:<br><b><xliff:g id="DEVICE_NAME">%1$s</xliff:g></b><br><br>Digite o PIN solicitado pelo dispositivo:"</string>
<string name="bluetooth_enter_passkey_msg" msgid="711115233006730281">"Para parear com:<br><b><xliff:g id="DEVICE_NAME">%1$s</xliff:g></b><br><br>Digite a senha solicitada pelo dispositivo:"</string>
<string name="bluetooth_enable_alphanumeric_pin" msgid="7222713483058171357">"O PIN contém letras ou símbolos"</string>
<string name="bluetooth_pin_values_hint" msgid="3815897557875873646">"Geralmente 0000 ou 1234"</string>
<string name="bluetooth_enter_pin_other_device" msgid="3617812138113586885">"Talvez seja necessário digitar este PIN no outro dispositivo."</string>
<string name="bluetooth_enter_passkey_other_device" msgid="1808735246794073465">"Talvez seja necessário digitar esta senha em outro dispositivo."</string>
<string name="bluetooth_confirm_passkey_msg" msgid="3708312912841950052">"Para parear com:<br><b><xliff:g id="DEVICE_NAME">%1$s</xliff:g></b><br><br>Verifique se ele está mostrando a seguinte senha:<br><b><xliff:g id="PASSKEY">%2$s</xliff:g></b>"</string>
<string name="bluetooth_incoming_pairing_msg" msgid="1615930853859551491">"De:<br><b><xliff:g id="DEVICE_NAME">%1$s</xliff:g></b><br><br>Parear com este dispositivo?"</string>
<string name="bluetooth_display_passkey_pin_msg" msgid="2084350245062266220">"Para parear com:<br><b><xliff:g id="DEVICE_NAME">%1$s</xliff:g></b><br><br>Digite:<br><b><xliff:g id="PASSKEY">%2$s</xliff:g></b> e depois aperte a tecla Return ou Enter."</string>
<string name="bluetooth_pairing_accept" msgid="6163520056536604875">"Emparelhar"</string>
<string name="bluetooth_pairing_decline" msgid="4185420413578948140">"Cancelar"</string>
<string name="bluetooth_error_title" msgid="538287072376677166">"Atenção"</string>
<string name="bluetooth_pairing_error_message" msgid="2852744547246910349">"Houve um problema no pareamento com <xliff:g id="DEVICE_NAME">%1$s</xliff:g>."</string>
<string name="bluetooth_pairing_pin_error_message" msgid="6065697229258906937">"Houve um problema ao emparelhar com o <xliff:g id="DEVICE_NAME">%1$s</xliff:g> porque o PIN ou a senha está incorreto."</string>
<string name="bluetooth_pairing_device_down_error_message" msgid="6688215193824686741">"Não é possível estabelecer comunicação com <xliff:g id="DEVICE_NAME">%1$s</xliff:g>."</string>
<string name="bluetooth_pairing_rejected_error_message" msgid="1648157108520832454">"Emparelhamento rejeitado por <xliff:g id="DEVICE_NAME">%1$s</xliff:g>."</string>
<string name="bluetooth_connecting_error_message" msgid="1779660510084746802">"Houve um problema na conexão com <xliff:g id="DEVICE_NAME">%1$s</xliff:g>."</string>
<string name="bluetooth_preference_scan_title" msgid="2277464653118896016">"Procurar dispositivos"</string>
<string name="bluetooth_search_for_devices" msgid="5957007154213560390">"Procurar disposit."</string>
<string name="bluetooth_searching_for_devices" msgid="9203739709307871727">"Pesquisando..."</string>
<string name="bluetooth_preference_device_settings" msgid="907776049862799122">"Configurações do aparelho"</string>
<string name="bluetooth_preference_paired_devices" msgid="1970524193086791964">"Dispositivos pareados"</string>
<string name="bluetooth_preference_found_devices" msgid="1647983835063249680">"Dispositivos disponíveis"</string>
<string name="bluetooth_device_context_connect" msgid="3997659895003244941">"Conectar"</string>
<string name="bluetooth_device_context_disconnect" msgid="8220072022970148683">"Desconectar"</string>
<string name="bluetooth_device_context_pair_connect" msgid="7611522504813927727">"Parear e conectar"</string>
<string name="bluetooth_device_context_unpair" msgid="662992425948536144">"Cancelar pareamento"</string>
<string name="bluetooth_device_context_disconnect_unpair" msgid="7644014238070043798">"Desconectar e cancelar pareamento"</string>
<string name="bluetooth_device_context_connect_advanced" msgid="2643129703569788771">"Opções…"</string>
<string name="bluetooth_menu_advanced" msgid="8572178316357220524">"Avançado"</string>
<string name="bluetooth_advanced_titlebar" msgid="2142159726881547669">"Bluetooth avançado"</string>
<string name="bluetooth_empty_list_bluetooth_off" msgid="4793562956642282639">"Para ver os dispositivos, ative o Bluetooth."</string>
<string name="bluetooth_connect_specific_profiles_title" msgid="6952214406025825164">"Conectar-se a..."</string>
<string name="bluetooth_profile_a2dp" msgid="3259633293424539529">"Mídia"</string>
<string name="bluetooth_profile_headset" msgid="81844079120986198">"Viva-voz"</string>
<string name="bluetooth_profile_opp" msgid="3799470046565284440">"Transferir"</string>
<string name="bluetooth_profile_hid" msgid="3000858580917633478">"Dispositivo de entrada"</string>
<string name="bluetooth_profile_pan" msgid="3391606497945147673">"Acesso à Internet"</string>
<string name="bluetooth_disconnect_a2dp_profile" msgid="3524648279150937177">"<xliff:g id="DEVICE_NAME">%1$s</xliff:g> será desconectado do áudio da mídia."</string>
<string name="bluetooth_disconnect_headset_profile" msgid="8635908811168780720">"<xliff:g id="DEVICE_NAME">%1$s</xliff:g> será desconectado do áudio do viva-voz."</string>
<string name="bluetooth_disconnect_hid_profile" msgid="3282295189719352075">"<xliff:g id="DEVICE_NAME">%1$s</xliff:g> será desconectado do dispositivo de entrada."</string>
<string name="bluetooth_disconnect_pan_user_profile" msgid="8037627994382458698">"O acesso à Internet por meio de <xliff:g id="DEVICE_NAME">%1$s</xliff:g> será desconectado."</string>
<string name="bluetooth_disconnect_pan_nap_profile" product="tablet" msgid="5455448395850929200">"<xliff:g id="DEVICE_NAME">%1$s</xliff:g> será desconectado e perderá o compart. da conexão de Internet deste tablet."</string>
<string name="bluetooth_disconnect_pan_nap_profile" product="default" msgid="5266851881175033601">"O <xliff:g id="DEVICE_NAME">%1$s</xliff:g> será desconectado do compart. da conexão de Internet deste telefone."</string>
<string name="bluetooth_device_advanced_title" msgid="528816860793581131">"Opções de <xliff:g id="DEVICE_NAME">%1$s</xliff:g>"</string>
<string name="bluetooth_device_advanced_device_actions_title" msgid="3793430949811946844">"Ações do dispositivo"</string>
<string name="bluetooth_device_advanced_online_mode_title" msgid="3689050071425683114">"Conectar"</string>
<string name="bluetooth_device_advanced_online_mode_summary" msgid="1204424107263248336">"Conecta ao dispositivo Bluetooth"</string>
<string name="bluetooth_device_advanced_profile_header_title" msgid="3764437426089639639">"Perfis"</string>
<string name="bluetooth_device_advanced_rename_device" msgid="350508394033808532">"Renomear dispositivo"</string>
<string name="bluetooth_device_advanced_enable_opp_title" msgid="8222550640371627365">"Permitir transfer. de arquivo"</string>
<string name="bluetooth_a2dp_profile_summary_connected" msgid="963376081347721598">"Conectado ao áudio da mídia"</string>
<string name="bluetooth_headset_profile_summary_connected" msgid="7661070206715520671">"Conectado ao áudio do telefone"</string>
<string name="bluetooth_opp_profile_summary_connected" msgid="2611913495968309066">"Conectado ao servidor de transferência de arquivo"</string>
<string name="bluetooth_opp_profile_summary_not_connected" msgid="1267091356089086285">"Não está conectado ao servidor de transferência de arquivo"</string>
<string name="bluetooth_hid_profile_summary_connected" msgid="3381760054215168689">"Conectado ao dispositivo de entrada"</string>
<string name="bluetooth_pan_user_profile_summary_connected" msgid="4602294638909590612">"Conectado ao dispositivo para acesso à Internet"</string>
<string name="bluetooth_pan_nap_profile_summary_connected" msgid="1561383706411975199">"Compart. conexão local de Intern. com disp."</string>
<string name="bluetooth_a2dp_profile_summary_use_for" msgid="4630849022250168427">"Usar para áudio de mídia"</string>
<string name="bluetooth_headset_profile_summary_use_for" msgid="8705753622443862627">"Usar para áudio do telefone"</string>
<string name="bluetooth_opp_profile_summary_use_for" msgid="1255674547144769756">"Usado para transferência de arquivo"</string>
<string name="bluetooth_hid_profile_summary_use_for" msgid="232727040453645139">"Usar para entrada"</string>
<string name="bluetooth_pan_profile_summary_use_for" msgid="5664884523822068653">"Usar para acesso à Internet"</string>
<string name="bluetooth_dock_settings" msgid="3218335822716052885">"Configurações de dock"</string>
<string name="bluetooth_dock_settings_title" msgid="5543069893044375188">"Usar dock para áudio"</string>
<string name="bluetooth_dock_settings_headset" msgid="1001821426078644650">"Como viva-voz"</string>
<string name="bluetooth_dock_settings_a2dp" msgid="8791004998846630574">"Para música e mídia"</string>
<string name="bluetooth_dock_settings_remember" msgid="5551459057010609115">"Lembrar configurações"</string>
<string name="nfc_quick_toggle_title" msgid="6769159366307299004">"NFC"</string>
<!-- no translation found for zeroclick_settings_title (3105038392089982549) -->
<skip />
<string name="zeroclick_settings_summary" msgid="1552171461663258522"></string>
<!-- no translation found for zeroclick_on_summary (3157018760403281266) -->
<skip />
<!-- no translation found for zeroclick_off_summary (2896320184904157018) -->
<skip />
<string name="zeroclick_label" msgid="6908892664706309626">"Compartilhamento Zero-click"</string>
<!-- no translation found for zeroclick_explained (3953149564512166049) -->
<skip />
<string name="wifi_quick_toggle_title" msgid="874495178395350104">"Wi-Fi"</string>
<string name="wifi_quick_toggle_summary" msgid="1047950931623694366">"Ativar Wi-Fi"</string>
<string name="wifi_settings" msgid="1277428034634973011">"Wi-Fi"</string>
<string name="wifi_settings_category" msgid="2810363951104753710">"Configurações de Wi-Fi"</string>
<string name="wifi_settings_title" msgid="4351120897298124250">"Wi-Fi"</string>
<string name="wifi_settings_summary" msgid="668767638556052820">"Configurar e gerenciar pontos de acesso sem fio"</string>
<string name="wifi_starting" msgid="6716593470710880000">"Ativar Wi-Fi?"</string>
<string name="wifi_stopping" msgid="244864762599017659">"Desativando Wi-Fi..."</string>
<string name="wifi_error" msgid="3207971103917128179">"Erro"</string>
<string name="wifi_in_airplane_mode" msgid="7618393787965366655">"No modo para avião"</string>
<string name="wifi_fail_to_scan" msgid="6194542252808587669">"Não é possível verificar a existência de redes"</string>
<string name="wifi_notify_open_networks" msgid="3755768188029653293">"Notificação de rede"</string>
<string name="wifi_notify_open_networks_summary" msgid="3038290727701553612">"Receber notificação quando uma rede aberta estiver disponível"</string>
<string name="wifi_enable_watchdog_service" msgid="4723544454066601706">"Verificações de conectividade Wi-Fi"</string>
<string name="wifi_enable_watchdog_service_summary" msgid="8687400936839455926">"Detectar e controlar problemas potenciais de conectividade de rede"</string>
<string name="wifi_setting_sleep_policy_title" msgid="2256739245628081979">"Política de desconexão de Wi-Fi"</string>
<string name="wifi_setting_sleep_policy_summary" msgid="7573693311804602041">"Especificar quando alternar de Wi-Fi para dados móveis"</string>
<string name="wifi_setting_sleep_policy_summary_wifi_only" msgid="5025244230722670496">"Especificar quando desconectar da rede Wi-Fi"</string>
<string name="wifi_setting_sleep_policy_error" msgid="8174902072673071961">"Ocorreu um problema com a mudança de configuração"</string>
<string name="wifi_add_network" msgid="6234851776910938957">"Adicionar rede"</string>
<string name="wifi_access_points" msgid="2664629396767022441">"Redes Wi-Fi"</string>
<string name="wifi_menu_scan" msgid="1470911530412095868">"Verificar"</string>
<string name="wifi_menu_advanced" msgid="7522252991919573664">"Avançado"</string>
<string name="wifi_menu_connect" msgid="4996220309848349408">"Conectar-se à rede"</string>
<string name="wifi_menu_forget" msgid="8736964302477327114">"Esquecer a rede"</string>
<string name="wifi_menu_modify" msgid="2068554918652440105">"Modificar rede"</string>
<string name="wifi_empty_list_wifi_off" msgid="4722299515264875943">"Para ver as redes disponíveis, ative o Wi-Fi."</string>
<string name="wifi_network_setup" msgid="7974851890019344870">"Configuração da rede"</string>
<string name="wifi_wps_pin" msgid="5471842298708321115">"Inserir o pin do ponto de acesso"</string>
<string name="wifi_wps_setup_title" msgid="150518971269252336">"Configuração do WPS"</string>
<string name="wifi_wps_pin_output" msgid="8682102965680650853">"Digite o pin <xliff:g id="WPS_PIN">%1$s</xliff:g> no ponto de acesso"</string>
<string name="wifi_wps_in_progress" msgid="2776555137392461525">"O WPS já está em andamento e pode levar vários segundos para ser concluído"</string>
<string name="wifi_wps_failed" msgid="2277409652621482331">"Falha ao iniciar o WPS, tente novamente"</string>
<string name="wifi_ssid" msgid="641393708309146745">"SSID da rede"</string>
<string name="wifi_security" msgid="6603611185592956936">"Segurança"</string>
<string name="wifi_signal" msgid="5514120261628065287">"Potência do sinal"</string>
<string name="wifi_status" msgid="4824568012414605414">"Status"</string>
<string name="wifi_speed" msgid="3526198708812322037">"Velocidade do link"</string>
<string name="wifi_ip_address" msgid="1440054061044402918">"Endereço IP"</string>
<string name="wifi_eap_method" msgid="8529436133640730382">"Método EAP"</string>
<string name="please_select_phase2" msgid="5231074529772044898">"Autenticação da Fase 2"</string>
<string name="wifi_eap_ca_cert" msgid="3521574865488892851">"Certificado CA"</string>
<string name="wifi_eap_user_cert" msgid="1291089413368160789">"Certificado do usuário"</string>
<string name="wifi_eap_identity" msgid="4359453783379679103">"Identidade"</string>
<string name="wifi_eap_anonymous" msgid="2989469344116577955">"Identidade anônima"</string>
<string name="wifi_password" msgid="5948219759936151048">"Senha"</string>
<string name="wifi_show_password" msgid="6461249871236968884">"Mostrar senha"</string>
<string name="wifi_ip_settings" msgid="3359331401377059481">"Configurações de IP"</string>
<string name="wifi_unchanged" msgid="3410422020930397102">"(não alterado)"</string>
<string name="wifi_unspecified" msgid="5431501214192991253">"(não especificado)"</string>
<string name="wifi_remembered" msgid="8426719916135950136">"Lembrado"</string>
<string name="wifi_disabled" msgid="2104752038187543712">"Desativado"</string>
<string name="wifi_not_in_range" msgid="1136191511238508967">"Não está dentro do alcance"</string>
<string name="wifi_open_with_wps" msgid="2606968531452521147">"WPS disponível"</string>
<string name="wifi_secured" msgid="6759903183748011566">"Protegido por <xliff:g id="WIFI_SECURITY">%1$s</xliff:g>"</string>
<string name="wifi_secured_with_wps" msgid="1822538701086256007">"Protegido com <xliff:g id="WIFI_SECURITY">%1$s</xliff:g> (disponível em WPS)"</string>
<string name="wifi_secured_with_status" msgid="6489317496506267302">"<xliff:g id="WIFI_STATUS">%2$s</xliff:g>, protegido por <xliff:g id="WIFI_SECURITY">%1$s</xliff:g>"</string>
<string name="wifi_connect" msgid="1076622875777072845">"Conectar"</string>
<string name="wifi_forget" msgid="8168174695608386644">"Esquecer"</string>
<string name="wifi_save" msgid="3331121567988522826">"Salvar"</string>
<string name="wifi_cancel" msgid="6763568902542968964">"Cancelar"</string>
<string name="wifi_wps_overlap_error" msgid="6820987241637459748">"Outra sessão do WPS detectada, tente novamente em alguns minutos"</string>
<string name="wifi_advanced_titlebar" msgid="1627063574532930090">"Wi-Fi avançado"</string>
<string name="wifi_setting_frequency_band_title" msgid="7493768705046080060">"Banda de frequência Wi-Fi"</string>
<string name="wifi_setting_frequency_band_summary" msgid="3250740757118009784">"Especifique a faixa de frequência da operação"</string>
<string name="wifi_setting_frequency_band_error" msgid="837281974489794378">"Houve um erro ao configurar a banda de frequência."</string>
<string name="wifi_advanced_mac_address_title" msgid="6571335466330978393">"Endereço MAC"</string>
<string name="wifi_advanced_ip_address_title" msgid="6215297094363164846">"Endereço IP"</string>
<string name="wifi_advanced_settings_label" msgid="3654366894867838338">"Configurações de IP"</string>
<string name="wifi_ip_settings_menu_save" msgid="7296724066102908366">"Salvar"</string>
<string name="wifi_ip_settings_menu_cancel" msgid="6582567330136502340">"Cancelar"</string>
<string name="wifi_ip_settings_invalid_ip_address" msgid="6387653152103405443">"Digite um endereço IP válido."</string>
<string name="wifi_ip_settings_invalid_gateway" msgid="6383012465511093067">"Digite um endereço de gateway válido."</string>
<string name="wifi_ip_settings_invalid_dns" msgid="3428867750550854065">"Digite um endereço de DNS válido."</string>
<string name="wifi_ip_settings_invalid_network_prefix_length" msgid="8145730615716855433">"Digite um tamanho do prefixo de rede entre 0 e 32."</string>
<string name="wifi_dns1" msgid="7344118050720080045">"DNS 1"</string>
<string name="wifi_dns2" msgid="1368601006824882659">"DNS 2"</string>
<string name="wifi_gateway" msgid="163914742461092086">"Gateway"</string>
<string name="wifi_network_prefix_length" msgid="3028785234245085998">"Tamanho do pref. de rede"</string>
<string name="wifi_p2p_settings_title" msgid="400503541488064638">"WiFi Direct"</string>
<string name="wifi_p2p_settings_summary" msgid="819202165773287900">"Configurações de conectividade ponto a ponto"</string>
<string name="wifi_p2p_device_info" msgid="6092748173212362426">"Informações do dispositivo"</string>
<string name="wifi_p2p_wps_setup" msgid="7706254437161351448">"Configuração protegida do WiFi"</string>
<string name="wifi_p2p_wps_pin" msgid="492162570392614138">"Digite o PIN"</string>
<string name="wifi_p2p_persist_network" msgid="1646424791818168590">"Lembrar desta conexão"</string>
<string name="wifi_p2p_menu_search" msgid="7189970585393813135">"Pesquisar"</string>
<string name="wifi_p2p_menu_create_group" msgid="7595229161883902082">"Criar grupo"</string>
<string name="wifi_p2p_menu_advanced" msgid="2578792521809265949">"Avançado"</string>
<string name="wifi_tether_checkbox_text" msgid="6961605862058056788">"Ponto de acesso Wi-Fi portátil"</string>
<string name="wifi_tether_enabled_subtext" msgid="8948641212931906143">"Ponto de acesso portátil <xliff:g id="NETWORK_SSID">%1$s</xliff:g> ativo"</string>
<string name="wifi_tether_failed_subtext" msgid="2654888578056042315">"Erro de ponto de acesso Wi-Fi portátil"</string>
<string name="wifi_tether_configure_ap_text" msgid="3474995108398156258">"Configurar ponto de acesso Wi-Fi"</string>
<string name="wifi_tether_configure_subtext" msgid="1927454307836232128">"Ponto de acesso Wi-Fi portátil <xliff:g id="NETWORK_SSID">%1$s</xliff:g> <xliff:g id="NETWORK_SECURITY">%2$s</xliff:g>"</string>
<string name="wifi_tether_configure_ssid_default" msgid="8467525402622138547">"Ponto de acesso Android"</string>
<string name="display_settings_title" msgid="1708697328627382561">"Tela"</string>
<!-- outdated translation 5007659014828162881 --> <string name="sound_settings" msgid="5534671337768745343">"Configurações de som"</string>
<string name="silent_mode_title" msgid="3181479108593217704">"Modo silencioso"</string>
<string name="ringtone_title" msgid="5379026328015343686">"Toque do telefone"</string>
<string name="ringtone_summary" msgid="2630023412632683493"></string>
<!-- outdated translation 8741571721868253103 --> <string name="all_volume_title" msgid="4296957391257836961">"Volume"</string>
<string name="musicfx_title" msgid="3853457094486073206">"Efeitos sonoros"</string>
<string name="ring_volume_title" msgid="7938706566797464165">"Volume da campainha"</string>
<string name="vibrate_in_silent_title" msgid="3897968069156767036">"Vibrar no modo silencioso"</string>
<string name="vibrate_title" msgid="6045820877942801599">"Vibrar"</string>
<!-- outdated translation 6316316069880531693 --> <string name="notification_sound_title" msgid="312032901303146002">"Toque de notificação"</string>
<string name="notification_pulse_title" msgid="1247988024534030629">"Pulsar luz de notificação"</string>
<string name="incoming_call_volume_title" msgid="8073714801365904099">"Toque"</string>
<string name="notification_volume_title" msgid="2012640760341080408">"Notificação"</string>
<string name="checkbox_notification_same_as_incoming_call" msgid="1073644356290338921">"Usar volume de chamada recebida para notificações"</string>
<string name="notification_sound_dialog_title" msgid="7057274209079144726">"Selecionar toque de notificação"</string>
<string name="media_volume_title" msgid="3576565767317118106">"Mídia"</string>
<string name="media_volume_summary" msgid="5363248930648849974">"Definir o volume para música e vídeos"</string>
<string name="alarm_volume_title" msgid="2285597478377758706">"Alarme"</string>
<string name="dock_settings_summary" msgid="455802113668982481">"Configurações de áudio para dock anexo"</string>
<!-- outdated translation 1453831168789523185 --> <string name="dtmf_tone_enable_title" msgid="8533399267725365088">"Sons de toque audíveis"</string>
<!-- outdated translation 3197313718929122833 --> <string name="sound_effects_enable_title" msgid="1171590821131077296">"Seleção audível"</string>
<!-- outdated translation 1575990840389107141 --> <string name="lock_sounds_enable_title" msgid="450098505659399520">"Sons de bloqueio de tela"</string>
<!-- outdated translation 6311736559245411290 --> <string name="haptic_feedback_enable_title" msgid="2438293710530828760">"Retorno com vibração"</string>
<string name="audio_record_proc_title" msgid="4271091199976457534">"Cancelamento dos ruídos"</string>
<!-- no translation found for volume_media_description (3352166372220845956) -->
<skip />
<!-- no translation found for volume_ring_description (5936851631698298989) -->
<skip />
<!-- no translation found for volume_notification_description (5810902320215328321) -->
<skip />
<!-- no translation found for volume_alarm_description (8322615148532654841) -->
<skip />
<string name="dock_settings" msgid="1820107306693002541">"Dock"</string>
<string name="dock_settings_title" msgid="9161438664257429372">"Configurações de dock"</string>
<string name="dock_audio_settings_title" msgid="3324750259959570305">"Áudio"</string>
<string name="dock_audio_summary_desk" msgid="6487784412371139335">"Configurações para o dock do computador anexo"</string>
<string name="dock_audio_summary_car" msgid="6740897586006248450">"Configurações para o dock do carro anexo"</string>
<string name="dock_audio_summary_none" product="tablet" msgid="8215337394914283607">"Tablet não encaixado"</string>
<string name="dock_audio_summary_none" product="default" msgid="289909253741048784">"Telefone não encaixado"</string>
<string name="dock_audio_summary_unknown" msgid="4465059868974255693">"Configurações para o dock anexo"</string>
<string name="dock_not_found_title" msgid="3290961741828952424">"Dock não encontrado"</string>
<string name="dock_not_found_text" product="tablet" msgid="7935403744079168804">"O tablet deve estar encaixado para configurar o áudio do dock"</string>
<string name="dock_not_found_text" product="default" msgid="3035260358985111855">"O telefone deve estar encaixado para configurar o áudio do dock"</string>
<string name="dock_sounds_enable_title" msgid="3659084028644948905">"Som de inserção no dock"</string>
<string name="dock_sounds_enable_summary_on" product="tablet" msgid="838102386448981339">"Reproduzir sons ao inserir ou remover o tablet do dock"</string>
<string name="dock_sounds_enable_summary_on" product="default" msgid="8491180514199743771">"Reproduzir sons ao inserir ou remover o telefone do dock."</string>
<string name="dock_sounds_enable_summary_off" product="tablet" msgid="5077843049805652363">"Não reproduzir sons ao inserir ou remover o tablet do dock"</string>
<string name="dock_sounds_enable_summary_off" product="default" msgid="3151046599205265919">"Não reproduzir sons ao inserir ou remover o telefone do dock."</string>
<string name="sync_settings" msgid="9186125469300013491">"Contas e sincronização"</string>
<string name="sync_settings_summary" msgid="2962179505214965667">"Adicionar ou remover contas e alterar as configurações da conta"</string>
<string name="search_settings" msgid="1910951467596035063">"Pesquisar"</string>
<string name="search_settings_summary" msgid="9205656546570654169">"Gerenciar configurações e histórico de pesquisa"</string>
<!-- outdated translation 5947830029420609057 --> <string name="display_settings" msgid="7965901687241669598">"Configurações da tela"</string>
<string name="accelerometer_title" msgid="7854608399547349157">"Girar tela autom."</string>
<string name="accelerometer_summary_on" product="tablet" msgid="429982132339828942">"Alternar orientação automaticamente ao girar o tablet"</string>
<string name="accelerometer_summary_on" product="default" msgid="1133737282813048021">"Alternar orientação automaticamente ao girar o telefone"</string>
<string name="accelerometer_summary_off" product="tablet" msgid="4781734213242521682">"Alternar orientação automaticamente ao girar o tablet"</string>
<string name="accelerometer_summary_off" product="default" msgid="5485489363715740761">"Alternar orientação automaticamente ao girar o telefone"</string>
<string name="brightness" msgid="2354961343555249270">"Brilho"</string>
<string name="brightness_summary" msgid="838917350127550703">"Ajustar o brilho da tela"</string>
<string name="screen_timeout" msgid="6962654593018319466">"Tempo limite"</string>
<string name="screen_timeout_summary" msgid="4471347210332380587">"A tela é automaticamente desativada após <xliff:g id="TIMEOUT_DESCRIPTION">%1$s</xliff:g>"</string>
<string name="wallpaper_settings_title" msgid="5449180116365824625">"Plano de fundo"</string>
<!-- no translation found for wallpaper_settings_fragment_title (443941273453987627) -->
<skip />
<string name="dream_settings_title" msgid="6536876013377446805">"Android Dreams"</string>
<string name="dream_settings_summary" msgid="6809871648071408259">"Protetores de tela e outras distrações"</string>
<string name="dream_component_title" msgid="505229894674572578">"Sonho selecionado"</string>
<string name="dream_timeout_title" msgid="1385909618566514628">"Quando ativar"</string>
<string name="dream_timeout_summary" msgid="6721955887728454226">"Após <xliff:g id="TIMEOUT_DESCRIPTION">%1$s</xliff:g> inativo"</string>
<string name="dream_timeout_zero_summary" msgid="2450290346381400092">"Nunca"</string>
<string name="dream_test" msgid="5968002644622194481">"Experimente!"</string>
<string name="automatic_brightness" msgid="5014143533884135461">"Brilho automático"</string>
<string name="title_font_size" msgid="4405544325522105222">"Tamanho da fonte"</string>
<string name="dialog_title_font_size" msgid="4503471078477715461">"Selecionar o tamanho da fonte"</string>
<string name="sim_lock_settings" msgid="3392331196873564292">"Bloqueio do SIM"</string>
<string name="sim_lock_settings_category" msgid="5136244267576697004">"Conf. bloqueio do SIM"</string>
<string name="sim_lock_settings_title" msgid="9018585580955414596">"Bloqueio do cartão SIM"</string>
<string name="sim_pin_toggle" msgid="1742123478029451888">"Bloquear cartão SIM"</string>
<string name="sim_lock_on" product="tablet" msgid="5058355081270397764">"Exigir PIN para usar o tablet"</string>
<string name="sim_lock_on" product="default" msgid="2503536505568814324">"Exigir PIN para usar o telefone"</string>
<string name="sim_lock_off" product="tablet" msgid="2813800553917012356">"Exigir PIN para usar o tablet"</string>
<string name="sim_lock_off" product="default" msgid="258981978215428916">"Exigir PIN para usar o telefone"</string>
<string name="sim_pin_change" msgid="6311414184279932368">"Alterar PIN do SIM"</string>
<string name="sim_enter_pin" msgid="6608715137008508432">"PIN do SIM"</string>
<string name="sim_enable_sim_lock" msgid="4517742794997166918">"Bloquear cartão SIM"</string>
<string name="sim_disable_sim_lock" msgid="7664729528754784824">"Desbloquear o cartão SIM"</string>
<string name="sim_enter_old" msgid="6074196344494634348">"PIN do SIM antigo"</string>
<string name="sim_enter_new" msgid="8742727032729243562">"Novo PIN do SIM"</string>
<string name="sim_reenter_new" msgid="3178510434642201544">"Digitar novamente o novo PIN"</string>
<string name="sim_change_pin" msgid="7328607264898359112">"PIN do SIM"</string>
<string name="sim_bad_pin" msgid="2746201276896134075">"PIN incorreto."</string>
<string name="sim_pins_dont_match" msgid="4664611595579163214">"Os PINs não correspondem!"</string>
<string name="sim_change_failed" msgid="4823538458798362222">"Não é possível alterar o PIN."\n"PIN possivelmente incorreto."</string>
<string name="sim_change_succeeded" msgid="8556135413096489627">"PIN do SIM alterado"</string>
<string name="sim_lock_failed" msgid="6676748290838006404">"Não é possível alterar o estado de bloqueio do cartão SIM."\n"PIN possivelmente incorreto."</string>
<string name="sim_enter_ok" msgid="6475946836899218919">"OK"</string>
<string name="sim_enter_cancel" msgid="6240422158517208036">"Cancelar"</string>
<string name="device_info_settings" product="tablet" msgid="1119755927536987178">"Status do tablet"</string>
<string name="device_info_settings" product="default" msgid="475872867864762157">"Status do telefone"</string>
<string name="system_update_settings_list_item_title" msgid="3342887311059985961">"Atualizações do sistema"</string>
<string name="system_update_settings_list_item_summary" msgid="3853057315907710747"></string>
<string name="firmware_version" msgid="4801135784886859972">"Versão do Android"</string>
<string name="model_number" msgid="3765737700545384794">"Número do modelo"</string>
<string name="baseband_version" msgid="1848990160763524801">"Versão da banda de base"</string>
<string name="kernel_version" msgid="9192574954196167602">"Versão do kernel"</string>
<string name="build_number" msgid="3075795840572241758">"Número da versão"</string>
<string name="device_info_not_available" msgid="8062521887156825182">"Não disponível"</string>
<string name="device_status_activity_title" msgid="1411201799384697904">"Status"</string>
<string name="device_status" msgid="607405385799807324">"Status"</string>
<string name="device_status_summary" product="tablet" msgid="3292717754497039686">"Status da bateria, da rede e outras informações"</string>
<string name="device_status_summary" product="default" msgid="2599162787451519618">"Número de telefone, sinal etc."</string>
<string name="storage_settings" msgid="4211799979832404953">"Armazenamento"</string>
<string name="storage_settings_title" msgid="8746016738388094064">"Configurações de armazenamento"</string>
<string name="storage_settings_summary" product="nosdcard" msgid="3543813623294870759">"Desconectar armazenamento USB, ver armazenamento disponível"</string>
<string name="storage_settings_summary" product="default" msgid="9176693537325988610">"Desmontar o cartão SD, visualizar armazenamento disponível"</string>
<string name="status_number" product="tablet" msgid="1138837891091222272">"MDN"</string>
<string name="status_number" product="default" msgid="5123197324870153205">"Meu número de telefone"</string>
<string name="status_min_number" msgid="3519504522179420597">"MIN"</string>
<string name="status_msid_number" msgid="909010114445780530">"MSID"</string>
<string name="status_prl_version" msgid="8499039751817386529">"Versão PRL"</string>
<string name="status_meid_number" msgid="1751442889111731088">"MEID"</string>
<string name="status_icc_id" msgid="943368755577172747">"ICCID"</string>
<string name="status_network_type" msgid="3279383550222116235">"Tipo de rede móvel"</string>
<string name="status_data_state" msgid="5503181397066522950">"Estado da rede móvel"</string>
<string name="status_service_state" msgid="2323931627519429503">"Estado do serviço"</string>
<string name="status_signal_strength" msgid="3732655254188304547">"Potência do sinal"</string>
<string name="status_roaming" msgid="2638800467430913403">"Roaming"</string>
<string name="status_operator" msgid="2274875196954742087">"Rede"</string>
<string name="status_wifi_mac_address" msgid="33109409206264790">"Endereço MAC da rede Wi-Fi"</string>
<string name="status_bt_address" msgid="4195174192087439720">"Endereço Bluetooth"</string>
<string name="status_serial_number" msgid="2257111183374628137">"Número de série"</string>
<string name="status_unavailable" msgid="7862009036663793314">"Não disponível"</string>
<string name="status_up_time" msgid="7294859476816760399">"Tempo de atividade"</string>
<string name="status_awake_time" msgid="2393949909051183652">"Tempo ativo"</string>
<string name="internal_memory" msgid="9129595691484260784">"Armazenamento interno"</string>
<string name="sd_memory" product="nosdcard" msgid="2510246194083052841">"Armaz. USB"</string>
<string name="sd_memory" product="default" msgid="151871913888051515">"Cartão SD"</string>
<string name="memory_available" msgid="5052397223077021181">"Disponível"</string>
<string name="memory_size" msgid="6629067715017232195">"Espaço total"</string>
<string name="memory_calculating_size" msgid="2188358544203768588">"Calculando..."</string>
<string name="memory_apps_usage" msgid="9079237985722858506">"Aplicativos"</string>
<string name="memory_media_usage" msgid="3738830697707880405">"Mídia"</string>
<string name="memory_downloads_usage" msgid="3755173051677533027">"Downloads"</string>
<string name="memory_dcim_usage" msgid="6679615808140067136">"Imagens, Vídeos"</string>
<string name="memory_music_usage" msgid="4040027367622874108">"Áudio (música, ringtones, podcasts etc.)"</string>
<string name="memory_media_misc_usage" msgid="235452944021647124">"Diversos"</string>
<string name="sd_eject" product="nosdcard" msgid="4988563376492400073">"Desconectar armaz. comp."</string>
<string name="sd_eject" product="default" msgid="6915293408836853020">"Desmontar cartão SD"</string>
<string name="sd_eject_summary" product="nosdcard" msgid="5009296896648072891">"Desconectar armaz. USB interno"</string>
<string name="sd_eject_summary" product="default" msgid="3300599435073550246">"Desconecte o cartão SD para poder removê-lo com segurança"</string>
<string name="sd_insert_summary" product="nosdcard" msgid="5264016886409577313">"Insira armazen. USB"</string>
<string name="sd_insert_summary" product="default" msgid="2048640010381803841">"Insira um cartão SD para conexão"</string>
<string name="sd_mount" product="nosdcard" msgid="8966695015677343116">"Conectar armazenam. USB"</string>
<string name="sd_mount" product="default" msgid="5940523765187704135">"Conectar cartão SD"</string>
<string name="sd_mount_summary" product="nosdcard" msgid="4673411327373419641"></string>
<string name="sd_mount_summary" product="default" msgid="4673411327373419641"></string>
<string name="sd_format" product="nosdcard" msgid="2148179271623099054">"Apagar armazenamento USB"</string>
<string name="sd_format" product="default" msgid="2576054280507119870">"Apagar cartão SD"</string>
<string name="sd_format_summary" product="nosdcard" msgid="6331905044907914603">"Apaga todos os dados do armazenamento USB interno, como músicas e fotos"</string>
<string name="sd_format_summary" product="default" msgid="212703692181793109">"Apaga todos os dados do cartão SD, como músicas e fotos"</string>
<string name="read_only" msgid="6702420168629076340">" (Somente leitura)"</string>
<string name="dlg_confirm_unmount_title" product="nosdcard" msgid="2349876662428231297">"Desconectar armaz. USB"</string>
<string name="dlg_confirm_unmount_title" product="default" msgid="8612140627310646730">"Desconectar cartão SD"</string>
<string name="dlg_confirm_unmount_text" product="nosdcard" msgid="3390169455621185223">"Se você desconectar o armazenamento USB, alguns aplicativos que estão em uso serão interrompidos e podem não estar disponíveis até você conectar o armazenamento USB novamente."</string>
<string name="dlg_confirm_unmount_text" product="default" msgid="5851214273718817727">"Se você desconectar o cartão SD, alguns aplicativos que estão em uso serão interrompidos e podem não estar disponíveis até você conectar o cartão SD novamente."</string>
<string name="dlg_error_unmount_title" product="nosdcard" msgid="7695491947411836733">"Falha ao descon. armaz. USB"</string>
<string name="dlg_error_unmount_title" product="default" msgid="4004106918266783081">"Falha ao desconectar cartão SD"</string>
<string name="dlg_error_unmount_text" product="nosdcard" msgid="1450864147013376592">"Não é possível desconectar o armazenamento USB. Tente novamente mais tarde."</string>
<string name="dlg_error_unmount_text" product="default" msgid="9188972789897713180">"Não é possível desconectar o cartão SD. Tente novamente mais tarde."</string>
<string name="unmount_inform_text" product="nosdcard" msgid="7120241136790744265">"O armazenamento USB será desconectado."</string>
<string name="unmount_inform_text" product="default" msgid="1904212716075458402">"O cartão SD será desconectado."</string>
<string name="sd_ejecting_title" msgid="8824572198034365468">"Desconectando"</string>
<string name="sd_ejecting_summary" msgid="2028753069184908491">"Desconexão em andamento"</string>
<!-- no translation found for storage_menu_usb (5708207885333243384) -->
<skip />
<!-- no translation found for storage_title_usb (679612779321689418) -->
<skip />
<!-- no translation found for usb_connection_category (7805945595165422882) -->
<skip />
<!-- no translation found for usb_mtp_title (3399663424394065964) -->
<skip />
<!-- no translation found for usb_mtp_summary (4617321473211391236) -->
<skip />
<!-- no translation found for usb_ptp_title (3852760810622389620) -->
<skip />
<!-- no translation found for usb_ptp_summary (7673397474756664929) -->
<skip />
<!-- no translation found for usb_label_installer_cd (4331173824920630215) -->
<skip />
<string name="battery_status_title" msgid="9159414319574976203">"Status da bateria"</string>
<string name="battery_level_title" msgid="2965679202786873272">"Nível da bateria"</string>
<string name="apn_settings" msgid="3743170484827528406">"APNs"</string>
<string name="apn_edit" msgid="1354715499708424718">"Editar ponto de acesso"</string>
<string name="apn_not_set" msgid="7422262558097875757">"<Não definido>"</string>
<string name="apn_name" msgid="4115580098369824123">"Nome"</string>
<string name="apn_apn" msgid="2479425126733513353">"APN"</string>
<string name="apn_http_proxy" msgid="1826885957243696354">"Proxy"</string>
<string name="apn_http_port" msgid="3763259523984976226">"Porta"</string>
<string name="apn_user" msgid="455637547356117761">"Nome de usuário"</string>
<string name="apn_password" msgid="5412301994998250968">"Senha"</string>
<string name="apn_server" msgid="2436185314756372858">"Servidor"</string>
<string name="apn_mmsc" msgid="3670124402105585737">"MMSC"</string>
<string name="apn_mms_proxy" msgid="5374082621073999275">"Proxy MMS"</string>
<string name="apn_mms_port" msgid="4074188088199243040">"Porta MMS"</string>
<string name="apn_mcc" msgid="4258628382260674636">"MCC"</string>
<string name="apn_mnc" msgid="8629374076888809874">"MNC"</string>
<string name="apn_auth_type" msgid="6167205395676037015">"Tipo de autenticação"</string>
<string name="apn_auth_type_none" msgid="5069592676845549926">"Nenhum"</string>
<string name="apn_auth_type_pap" msgid="1666934536996033383">"PAP"</string>
<string name="apn_auth_type_chap" msgid="3369626283789068360">"CHAP"</string>
<string name="apn_auth_type_pap_chap" msgid="9102343063036134541">"PAP ou CHAP"</string>
<string name="apn_type" msgid="469613123902220544">"Tipo APN"</string>
<string name="apn_protocol" msgid="3272222921649348640">"Protocolo APN"</string>
<string name="menu_delete" msgid="6981294422841124659">"Excluir APN"</string>
<string name="menu_new" msgid="3014205883303921729">"Novo APN"</string>
<string name="menu_save" msgid="8109345640668285399">"Salvar"</string>
<string name="menu_cancel" msgid="2194502410474697474">"Descartar"</string>
<string name="error_title" msgid="1319225301794168762">"Atenção"</string>
<string name="error_name_empty" msgid="1498238337687930558">"O campo Nome não pode ficar vazio."</string>
<string name="error_apn_empty" msgid="1513892291812404310">"O APN não pode estar vazio."</string>
<string name="error_mcc_not3" msgid="4560171714156251661">"O campo MCC deve ter 3 dígitos."</string>
<string name="error_mnc_not23" msgid="8418177072458379439">"O campo MNC deve ter 2 ou 3 dígitos."</string>
<string name="restore_default_apn" msgid="2724583218635739913">"Restaurando as configurações APN padrão"</string>
<string name="menu_restore" msgid="8260067415075573273">"Redefinir para o padrão"</string>
<string name="restore_default_apn_completed" msgid="3990449939234957281">"Redefinição das configurações padrão do APN concluída"</string>
<string name="master_clear_title" msgid="5907939616087039756">"Configuração original"</string>
<string name="master_clear_summary" product="tablet" msgid="4036344100254678429">"Apaga todos os dados no tablet"</string>
<string name="master_clear_summary" product="default" msgid="4986154238001088492">"Apaga todos os dados no telefone"</string>
<string name="master_clear_desc" product="tablet" msgid="590799767511283567">"Esta ação apagará todos os dados do "<b>"armazenamento interno"</b>" do seu tablet, incluindo:"\n\n<li>"Sua Conta do Google"</li>\n<li>"Configurações e dados de aplicativos e sistema "</li>\n<li>"Aplicativos que você fez download"</li></string>
<string name="master_clear_desc" product="default" msgid="3251400937758241249">"Esta ação apagará todos os dados do "<b>"armazenamento interno"</b>" de seu telefone, incluindo:"\n\n<li>"Sua Conta do Google"</li>\n<li>"Configurações e dados de aplicativos e sistema "</li>\n<li>"Aplicativos que você fez download"</li></string>
<string name="master_clear_accounts" product="default" msgid="6412857499147999073">\n\n"No momento você está conectado às seguintes contas:"\n</string>
<string name="master_clear_desc_also_erases_external" msgid="1903185203791274237"><li>"Músicas"</li>\n<li>"Fotos"</li>\n<li>"Outros dados do usuário"</li></string>
<string name="master_clear_desc_erase_external_storage" product="nosdcard" msgid="4740866328425123395">\n\n"Para também limpar músicas, fotos e outros dados de usuário, o "<b>"armazenamento USB"</b>" precisa ser apagado."</string>
<string name="master_clear_desc_erase_external_storage" product="default" msgid="7339100478676372901">\n" "\n"Para também apagar músicas, fotos e outros dados de usuário, o "<b>"cartão SD "</b>"precisa ser apagado."</string>
<string name="erase_external_storage" product="nosdcard" msgid="969364037450286809">"Apagar armazenamento USB"</string>
<string name="erase_external_storage" product="default" msgid="1397239046334307625">"Apagar cartão SD"</string>
<string name="erase_external_storage_description" product="nosdcard" msgid="444834593696342279">"Apagar todos os dados do armazenamento USB interno, como músicas e fotos."</string>
<string name="erase_external_storage_description" product="default" msgid="46603515218075174">"Apagar todos os dados do cartão SD, como músicas e fotos."</string>
<string name="master_clear_button_text" product="tablet" msgid="3130786116528304116">"Redefinir tablet"</string>
<string name="master_clear_button_text" product="default" msgid="7550632653343157971">"Redefinir telefone"</string>
<string name="master_clear_final_desc" msgid="6917971132484622696">"Apagar todas as informações pessoais e os aplicativos dos quais você fez download? É impossível reverter essa ação."</string>
<string name="master_clear_final_button_text" msgid="5390908019019242910">"Apagar tudo"</string>
<string name="master_clear_gesture_prompt" msgid="1428645764883536750">"Desenhe o seu padrão de desbloqueio"</string>
<string name="master_clear_gesture_explanation" msgid="2234954758550554549">"Você precisa desenhar seu padrão de desbloqueio para confirmar uma redefinição da configuração original."</string>
<string name="master_clear_failed" msgid="8655202125010189406">"Nenhuma redefinição foi realizada porque o serviço de Limpeza do sistema não está disponível."</string>
<string name="master_clear_confirm_title" msgid="4845794266129586839">"Confirmar redefinição"</string>
<string name="media_format_title" product="nosdcard" msgid="3999653431422767156">"Apagar armazenamento USB"</string>
<string name="media_format_title" product="default" msgid="4427528440306787972">"Apagar cartão SD"</string>
<string name="media_format_summary" product="nosdcard" msgid="776603298628082065">"Apaga dados do armazen. USB"</string>
<string name="media_format_summary" product="default" msgid="3805714639375830120">"Apaga todos os dados no cartão SD"</string>
<string name="media_format_desc" product="nosdcard" msgid="4553860683952763905">"Esta ação apagará o armazenamento USB. Você perderá "<b>"todos"</b>" os dados armazenados!"</string>
<string name="media_format_desc" product="default" msgid="1598627584181935513">"Esta ação apagará o cartão SD. Você perderá "<b>"todos"</b>" os dados do cartão!"</string>
<string name="media_format_button_text" product="nosdcard" msgid="6293669371185352810">"Apagar armazenamento USB"</string>
<string name="media_format_button_text" product="default" msgid="6721544380069373626">"Apagar cartão SD"</string>
<string name="media_format_final_desc" product="nosdcard" msgid="8094635533378487255">"Apagar o armazenamento USB, apagando todos os arquivos armazenados? A ação não pode ser revertida!"</string>
<string name="media_format_final_desc" product="default" msgid="9015504991522581434">"Apagar cartão SD, apagando todos os arquivos armazenados? A ação não pode ser revertida!"</string>
<string name="media_format_final_button_text" msgid="4881713344315923175">"Apagar tudo"</string>
<string name="media_format_gesture_prompt" msgid="3109349468816856670">"Desenhe o seu padrão de desbloqueio"</string>
<string name="media_format_gesture_explanation" product="nosdcard" msgid="1379736318750958338">"Você deve desenhar sua sequência de desbloqueio para confirmar que deseja apagar o armazenamento USB."</string>
<string name="media_format_gesture_explanation" product="default" msgid="1681213416497647321">"Você deve desenhar sua sequência de desbloqueio para confirmar que deseja apagar o cartão SD."</string>
<string name="call_settings_title" msgid="5188713413939232801">"Conf. de chamada"</string>
<string name="call_settings_summary" msgid="7291195704801002886">"Configurar correio voz, encaminhamento, espera etc."</string>
<string name="tether_settings_title_usb" msgid="6688416425801386511">"Vínculo USB"</string>
<string name="tether_settings_title_wifi" msgid="3277144155960302049">"Ponto de acesso portátil"</string>
<string name="tether_settings_title_bluetooth" msgid="355855408317564420">"Vínculo Bluetooth"</string>
<string name="tether_settings_title_usb_bluetooth" msgid="5355828977109785001">"Vínculo"</string>
<string name="tether_settings_title_all" msgid="8356136101061143841">"Vínculo e acesso portátil"</string>
<string name="usb_title" msgid="7483344855356312510">"USB"</string>
<string name="usb_tethering_button_text" msgid="585829947108007917">"Vínculo USB"</string>
<string name="usb_tethering_available_subtext" msgid="156779271296152605">"USB conectado, marque para vincular"</string>
<string name="usb_tethering_active_subtext" msgid="8916210851136467042">"Vinculado"</string>
<string name="usb_tethering_storage_active_subtext" msgid="6608933594288072573">"Não é possível vincular quando o armazenamento USB estiver em uso"</string>
<string name="usb_tethering_unavailable_subtext" msgid="1044622421184007254">"USB não conectado"</string>
<string name="usb_tethering_errored_subtext" msgid="1377574819427841992">"Erro de vínculo de USB"</string>
<string name="bluetooth_tether_checkbox_text" msgid="2379175828878753652">"Vínculo Bluetooth"</string>
<string name="bluetooth_tethering_available_subtext" product="tablet" msgid="8811610320942954709">"Compartilhando a conexão de Internet deste tablet"</string>
<string name="bluetooth_tethering_available_subtext" product="default" msgid="4229220575771946723">"Compartilhando a conexão à Internet deste telefone"</string>
<string name="bluetooth_tethering_device_connected_subtext" product="tablet" msgid="2730938191906597896">"Compart. a conexão de Internet deste tablet com um disp."</string>
<string name="bluetooth_tethering_device_connected_subtext" product="default" msgid="1666736165420290466">"Compart. a conexão de Internet deste telefone com um disp."</string>
<string name="bluetooth_tethering_devices_connected_subtext" product="tablet" msgid="1180765608259580143">"Compart. a conexão de Internet deste tablet com <xliff:g id="CONNECTEDDEVICECOUNT">%1$d</xliff:g> disp."</string>
<string name="bluetooth_tethering_devices_connected_subtext" product="default" msgid="8248942539362173005">"Compart. a conexão de Internet deste telefone com <xliff:g id="CONNECTEDDEVICECOUNT">%1$d</xliff:g> disp."</string>
<string name="bluetooth_tethering_off_subtext" product="tablet" msgid="2093881379028235555">"A conexão de Internet não está compartilhada"</string>
<string name="bluetooth_tethering_off_subtext" product="default" msgid="706860924389041342">"Não está compart. a conexão de Internet deste tel."</string>
<string name="bluetooth_tethering_errored_subtext" msgid="1344187103463073993">"Erro ao vincular Bluetooth"</string>
<string name="bluetooth_tethering_overflow_error" msgid="2222060504731415763">"Não é possível vincular a mais de <xliff:g id="MAXCONNECTION">%1$d</xliff:g> dispositivos"</string>
<string name="bluetooth_untether_blank" msgid="2871192409329334813">"<xliff:g id="DEVICE_NAME">%1$s</xliff:g> será vinculado."</string>
<string name="tethering_help_button_text" msgid="656117495547173630">"Ajuda"</string>
<string name="network_settings_title" msgid="7967552516440151852">"Redes móveis"</string>
<string name="location_title" msgid="1029961368397484576">"Meu Local"</string>
<!-- outdated translation 8815705866861993344 --> <string name="location_network_based" msgid="1093258647152327199">"Usar redes sem fio"</string>
<!-- outdated translation 4656658097932515921 --> <string name="location_neighborhood_level" msgid="4260886124154148129">"Local determinado pela rede Wi-Fi e/ou pelas redes móveis"</string>
<string name="location_neighborhood_level_wifi" msgid="7457348712272184793">"Localização determinada por Wi-Fi"</string>
<!-- outdated translation 6296125378829097831 --> <string name="location_gps" msgid="8392461023569708478">"Usar satélites GPS"</string>
<!-- outdated translation 7456259025474443314 --> <string name="location_street_level" msgid="4244496898967415234">"Durante a localização, usar precisão no nível de rua"</string>
<string name="assisted_gps" msgid="4649317129586736885">"Usar GPS associado"</string>
<string name="assisted_gps_enabled" msgid="8751899609589792803">"Usar servidor para auxiliar GPS (desmarque para reduzir o uso da rede)"</string>
<string name="assisted_gps_disabled" msgid="6982698333968010748">"Usar servidor para auxiliar GPS (desmarque para aprimorar o desempenho do GPS)"</string>
<!-- outdated translation 3659340070401464551 --> <string name="use_location_title" msgid="5206937465504979977">"Usar local na Pesquisa do Google"</string>
<!-- outdated translation 1816849484040070431 --> <string name="use_location_summary" msgid="3978805802386162520">"Usar Meu local para os resultados da pesquisa do Google e outros serviços do Google"</string>
<string name="about_settings" product="tablet" msgid="593457295516533765">"Sobre o tablet"</string>
<string name="about_settings" product="default" msgid="1743378368185371685">"Sobre o telefone"</string>
<string name="about_settings_summary" msgid="3371517697156165959">"Ver informações legais, status, versão do software"</string>
<string name="legal_information" msgid="5769301644270604095">"Informações legais"</string>
<string name="contributors_title" msgid="5917703088825286504">"Colaboradores"</string>
<string name="copyright_title" msgid="865906688917260647">"Direitos autorais"</string>
<string name="license_title" msgid="1990487604356037871">"Licença"</string>
<string name="terms_title" msgid="7697580845616764642">"Termos e Condições"</string>
<string name="system_tutorial_list_item_title" msgid="9082844446660969729">"Tutorial do sistema"</string>
<string name="system_tutorial_list_item_summary" product="tablet" msgid="3341504384445734067">"Aprenda a usar seu tablet"</string>
<string name="system_tutorial_list_item_summary" product="default" msgid="3861815254521030201">"Aprenda a usar o seu telefone"</string>
<string name="settings_license_activity_title" msgid="7553683406244228650">"Licenças código aberto"</string>
<string name="settings_license_activity_unavailable" msgid="4210539215951487627">"Há um problema ao carregar as licenças."</string>
<string name="settings_license_activity_loading" msgid="3337535809093591740">"Carregando..."</string>
<string name="settings_safetylegal_title" msgid="1289483965535937431">"Informações de segurança"</string>
<string name="settings_safetylegal_activity_title" msgid="6901214628496951727">"Informações de segurança"</string>
<string name="settings_safetylegal_activity_unreachable" msgid="170670055116721810">"Você não tem uma conexão de dados. Para visualizar estas informações agora, acesse %s em qualquer computador conectado à internet."</string>
<string name="settings_safetylegal_activity_loading" msgid="8059022597639516348">"Carregando..."</string>
<string name="lockpassword_choose_your_password_header" msgid="8624900666929394990">"Escolha a sua senha"</string>
<string name="lockpassword_choose_your_pattern_header" msgid="6949761069941694050">"Escolha seu padrão"</string>
<string name="lockpassword_choose_your_pin_header" msgid="7598849519816138302">"Escolha o seu PIN"</string>
<string name="lockpassword_confirm_your_password_header" msgid="6308478184889846633">"Confirme a sua senha"</string>
<string name="lockpassword_confirm_your_pattern_header" msgid="7543433733032330821">"Confirme seu padrão"</string>
<string name="lockpassword_confirm_your_pin_header" msgid="49038294648213197">"Confirme o seu PIN"</string>
<string name="lockpassword_confirm_passwords_dont_match" msgid="6850677112663979120">"As senhas não correspondem"</string>
<string name="lockpassword_confirm_pins_dont_match" msgid="4757532830594400147">"Os PINs não correspondem"</string>
<string name="lockpassword_choose_lock_generic_header" msgid="3811438094903786145">"Desbloquear seleção"</string>
<string name="lockpassword_password_set_toast" msgid="4875050283108629383">"A senha foi definida"</string>
<string name="lockpassword_pin_set_toast" msgid="6011826444725291475">"O PIN foi definido"</string>
<string name="lockpassword_pattern_set_toast" msgid="6867259621331406236">"O padrão foi definido"</string>
<string name="lock_settings_title" msgid="8943058958424073651">"Bloquear tela"</string>
<string name="lockpattern_change_lock_pattern_label" msgid="5679630792003440352">"Alterar padrão de desbloqueio"</string>
<string name="lockpattern_change_lock_pin_label" msgid="266707138486731661">"Alterar PIN de desbloqueio"</string>
<string name="lockpattern_need_to_unlock" msgid="757935356911054465">"Confirmar padrão salvo"</string>
<string name="lockpattern_need_to_unlock_wrong" msgid="5629093548611791080">"Tente novamente:"</string>
<string name="lockpattern_recording_intro_header" msgid="308287052221942814">"Desenhe um padrão de desbloqueio"</string>
<string name="lockpattern_recording_intro_footer" msgid="1118579101409152113">"Pressione Menu para obter ajuda."</string>
<string name="lockpattern_recording_inprogress" msgid="4622772178078818425">"Solte o dedo quando terminar."</string>
<string name="lockpattern_recording_incorrect_too_short" msgid="3103250430366718996">"Conectar no mínimo <xliff:g id="NUMBER">%d</xliff:g> pontos. Tente novamente:"</string>
<string name="lockpattern_pattern_entered_header" msgid="5012716272001299362">"Padrão registrado."</string>
<string name="lockpattern_need_to_confirm" msgid="5144676887162575050">"Desenhe o padrão novamente para confirmar:"</string>
<string name="lockpattern_pattern_confirmed_header" msgid="2223856038485537716">"Seu novo padrão de desbloqueio:"</string>
<string name="lockpattern_confirm_button_text" msgid="1128204343957002841">"Confirmar"</string>
<string name="lockpattern_restart_button_text" msgid="3337574403350953926">"Desenhar novamente"</string>
<string name="lockpattern_retry_button_text" msgid="1949847413862309134">"Tentar novamente"</string>
<string name="lockpattern_continue_button_text" msgid="4723771754714471410">"Continuar"</string>
<string name="lockpattern_settings_title" msgid="3207750489460466680">"Padrão de desbloqueio"</string>
<string name="lockpattern_settings_enable_title" msgid="6920616873671115281">"Exigir padrão"</string>
<string name="lockpattern_settings_enable_summary" msgid="1165707416664252167">"É necessário desenhar o padrão para desbloquear a tela"</string>
<string name="lockpattern_settings_enable_visible_pattern_title" msgid="104851667540971729">"Usar padrão visível"</string>
<string name="lockpattern_settings_enable_tactile_feedback_title" msgid="972174133075372341">"Usar retorno táctil"</string>
<string name="lockpattern_settings_choose_lock_pattern" msgid="1652352830005653447">"Padrão de desbloqueio"</string>
<string name="lockpattern_settings_change_lock_pattern" msgid="1123908306116495545">"Alterar padrão"</string>
<string name="lockpattern_settings_help_how_to_record" msgid="2614673439060830433">"Como desenhar um padrão de desbloqueio"</string>
<string name="lockpattern_too_many_failed_confirmation_attempts_header" msgid="819903817323783498">"Muitas tentativas incorretas!"</string>
<string name="lockpattern_too_many_failed_confirmation_attempts_footer" msgid="6759029360597122873">"Tente novamente em <xliff:g id="NUMBER">%d</xliff:g> segundos."</string>
<string name="skip_button_label" msgid="8680422740354436943">"Cancelar"</string>
<string name="next_button_label" msgid="8890792540116568321">"Avançar"</string>
<string name="lock_title" product="tablet" msgid="2909697418179419990">"Como proteger seu tablet"</string>
<string name="lock_title" product="default" msgid="4059246467204273930">"Proteção do seu telefone"</string>
<string name="lock_intro_message" product="tablet" msgid="3692151094288835065">"Proteja seu tablet contra o uso não autorizado criando um padrão de desbloqueio de tela pessoal. Use os dedos para ligar os pontos em qualquer ordem na próxima tela. Você deve conectar pelo menos quatro pontos. "\n\n"Pronto para começar? Toque em \"Próximo\"."</string>
<string name="lock_intro_message" product="default" msgid="5796785892741212873">"Proteja o telefone contra uso não autorizado criando um padrão de desbloqueio pessoal de tela. Use o dedo para conectar pelo menos quatro pontos em qualquer ordem na próxima tela. "\n\n" Pronto para começar? Toque em \"Próximo\"."</string>
<string name="manageapplications_settings_title" msgid="5712405848153426706">"Gerenciar aplicativos"</string>
<string name="manageapplications_settings_summary" msgid="6097117021500651232">"Gerenciar e remover aplicativos instalados"</string>
<string name="applications_settings" msgid="3736173521008476946">"Aplicativos"</string>
<string name="applications_settings_summary" msgid="2714215108369119717">"Gerenciar aplicativos, configurar atalhos de inicialização rápida"</string>
<string name="applications_settings_header" msgid="6018266337275422250">"Configurações de aplicativos"</string>
<string name="install_applications" msgid="4872012136210802181">"Fontes desconhecidas"</string>
<string name="install_unknown_applications" msgid="6612824788917283662">"Permite a instalação de aplicativos que não são do Market"</string>
<string name="install_all_warning" product="tablet" msgid="8143969767997876735">"Os dados de seu tablet e os dados pessoais estão mais vulneráveis a ataques de aplicativos de fontes desconhecidas. Você concorda que é o único responsável por qualquer dano causado a seu tablet ou pela perda de dados que possa resultar do uso desses aplicativos."</string>
<string name="install_all_warning" product="default" msgid="1923717607319933741">"Os dados do seu telefone e os dados pessoais estão mais vulneráveis a ataques de aplicativos de fontes desconhecidas. Você concorda que é o único responsável por qualquer dano causado ao seu telefone ou pela perda de dados que possa resultar do uso desses aplicativos."</string>
<string name="advanced_settings" msgid="1777249286757067969">"Configurações avançadas"</string>
<string name="advanced_settings_summary" msgid="145134386044169043">"Ativar mais opções de configuração."</string>
<string name="application_info_label" msgid="1150486628158409543">"Informações do aplicativo"</string>
<string name="storage_label" msgid="8700867073480107253">"Armazenamento"</string>
<string name="auto_launch_label" msgid="3012617472833815382">"Iniciar por padrão"</string>
<string name="screen_compatibility_label" msgid="663250687205465394">"Compatibilidade de tela"</string>
<string name="permissions_label" msgid="2605296874922726203">"Permissões"</string>
<string name="cache_header_label" msgid="1877197634162461830">"Cache"</string>
<string name="clear_cache_btn_text" msgid="5756314834291116325">"Limpar cache"</string>
<string name="cache_size_label" msgid="7505481393108282913">"Cache"</string>
<string name="controls_label" msgid="7611113077086853799">"Controles"</string>
<string name="force_stop" msgid="7435006169872876756">"Forçar parada"</string>
<string name="total_size_label" msgid="1048676419552557254">"Total"</string>
<string name="application_size_label" msgid="5055196275624686382">"Aplicativo"</string>
<string name="external_code_size_label" msgid="3459343140355961335">"Aplicativo de armazenamento USB"</string>
<string name="data_size_label" msgid="8679376373625710107">"Dados"</string>
<string name="external_data_size_label" product="nosdcard" msgid="7533821466482000453">"Dados de armazenamento USB"</string>
<string name="external_data_size_label" product="default" msgid="626414192825329708">"Cartão SD"</string>
<string name="uninstall_text" msgid="3644892466144802466">"Desinstalar"</string>
<string name="disable_text" msgid="6544054052049395202">"Desativar"</string>
<string name="enable_text" msgid="9217362512327828987">"Ativar"</string>
<string name="clear_user_data_text" msgid="5597622864770098388">"Limpar dados"</string>
<string name="app_factory_reset" msgid="6635744722502563022">"Desinstalar atualizações"</string>
<string name="auto_launch_enable_text" msgid="2630656657744196691">"Você selecionou a inicialização padrão deste aplicativo para algumas ações."</string>
<string name="auto_launch_disable_text" msgid="7800385822185540166">"Nenhum padrão definido."</string>
<string name="clear_activities" msgid="7408923511535174430">"Limpar padrão"</string>
<string name="screen_compatibility_text" msgid="2398570332021220651">"Talvez este aplicativo não seja desenvolvido para sua tela. Você pode controlar o ajuste da tela aqui."</string>
<string name="ask_compatibility" msgid="7225195569089607846">"Perguntar ao iniciar"</string>
<string name="enable_compatibility" msgid="3257284255974065538">"Dimensionar aplicativo"</string>
<string name="unknown" msgid="1592123443519355854">"Desconhecido"</string>
<string name="sort_order_alpha" msgid="1410278099123670628">"Classificar por nome"</string>
<string name="sort_order_size" msgid="7024513286636502362">"Classificar por tamanho"</string>
<string name="show_running_services" msgid="5736278767975544570">"Mostrar serviços em exec."</string>
<string name="show_background_processes" msgid="2009840211972293429">"Mostrar processo em cache"</string>
<string name="manage_space_text" msgid="8852711522447794676">"Gerenciar espaço"</string>
<string name="filter" msgid="2018011724373033887">"Filtro"</string>
<string name="filter_dlg_title" msgid="6507663329723966854">"Selecionar as opções de filtro"</string>
<string name="filter_apps_all" msgid="5142129378749391876">"Todos"</string>
<string name="filter_apps_third_party" msgid="7786348047690140979">"Descarregados"</string>
<string name="filter_apps_running" msgid="7767071454371350486">"Rodando"</string>
<string name="filter_apps_onsdcard" product="nosdcard" msgid="4843063154701023349">"Armazenamento USB"</string>
<string name="filter_apps_onsdcard" product="default" msgid="1477351142334784771">"Cartão SD"</string>
<string name="disabled" msgid="9206776641295849915">"Desativado"</string>
<string name="no_applications" msgid="5190227407135243904">"Nenhum aplicativo."</string>
<string name="internal_storage" msgid="1584700623164275282">"Armaz. interno"</string>
<string name="sd_card_storage" product="nosdcard" msgid="2673203150465132465">"Armaz. USB"</string>
<string name="sd_card_storage" product="default" msgid="7623513618171928235">"Armaz. cart. SD"</string>
<string name="recompute_size" msgid="7722567982831691718">"Recalculando o tamanho…"</string>
<string name="clear_data_dlg_title" msgid="4470209520936375508">"Excluir"</string>
<string name="clear_data_dlg_text" msgid="8368035073300828451">"Todos os dados deste aplicativo serão excluídos permanentemente. Isso inclui todos os arquivos, configurações, contas, bancos de dados e outros."</string>
<string name="dlg_ok" msgid="2402639055725653590">"OK"</string>
<string name="dlg_cancel" msgid="1674753358972975911">"Cancelar"</string>
<string name="app_not_found_dlg_title" msgid="8458335716378083713">"Aplicativo não encontrado"</string>
<string name="app_not_found_dlg_text" msgid="2980271680333341554">"O aplicativo não foi encontrado na lista de aplicativos instalados."</string>
<string name="clear_data_failed" msgid="581956197586913865">"Não é possível limpar os dados do aplicativo."</string>
<string name="app_factory_reset_dlg_title" msgid="6116199391150388147">"Desinstalar atualizações"</string>
<string name="app_factory_reset_dlg_text" msgid="438395129140568893">"Deseja desinstalar todas as atualizações deste aplicativo do sistema Android?"</string>
<string name="clear_failed_dlg_title" msgid="2387060805294783175">"Limpar dados"</string>
<string name="clear_failed_dlg_text" msgid="7943411157007320290">"Falha ao limpar os dados do aplicativo"</string>
<string name="security_settings_desc" product="tablet" msgid="6158636779728455276">"Este aplicativo pode acessar os seguintes itens em seu tablet:"</string>
<string name="security_settings_desc" product="default" msgid="3116027624526915561">"Este aplicativo pode acessar os seguintes itens no seu telefone:"</string>
<string name="computing_size" msgid="1599186977475211186">"Calculando…"</string>
<string name="invalid_size_value" msgid="1901940003700269523">"Não é possível calcular o tamanho do pacote"</string>
<string name="empty_list_msg" msgid="2901049162265094971">"Você não tem aplicativos de terceiros instalados."</string>
<string name="version_text" msgid="9189073826278676425">"versão <xliff:g id="VERSION_NUM">%1$s</xliff:g>"</string>
<string name="move_app" msgid="5042838441401731346">"Mover"</string>
<string name="move_app_to_internal" product="tablet" msgid="2299714147283854957">"Mover para o tablet"</string>
<string name="move_app_to_internal" product="default" msgid="3895430471913858185">"Mover para telefone"</string>
<string name="move_app_to_sdcard" product="nosdcard" msgid="4350451696315265420">"Mover para armaz. USB"</string>
<string name="move_app_to_sdcard" product="default" msgid="1143379049903056407">"Mover para cartão SD"</string>
<string name="moving" msgid="6431016143218876491">"Movendo"</string>
<string name="insufficient_storage" msgid="8566913062094452962">"Não há espaço de armazenamento suficiente disponível."</string>
<string name="does_not_exist" msgid="837163572898468245">"O aplicativo não existe."</string>
<string name="app_forward_locked" msgid="5747805144210389585">"O aplicativo é protegido contra cópia."</string>
<string name="invalid_location" msgid="4934491353200240499">"O local especificado para instalação não é válido."</string>
<string name="system_package" msgid="1030561474413022831">"As atualizações do sistema não podem ser instaladas em mídia externa."</string>
<string name="force_stop_dlg_title" msgid="4289453224368188476">"Forçar parada"</string>
<string name="force_stop_dlg_text" msgid="5157374701213502922">"Forçar a parada do aplicativo pode causar um comportamento inesperado. Continuar?"</string>
<string name="move_app_failed_dlg_title" msgid="4337731903265156405">"Mover aplicativo"</string>
<string name="move_app_failed_dlg_text" msgid="8824246817947643697">"Falha ao mover aplicativo. <xliff:g id="REASON">%1$s</xliff:g>"</string>
<string name="app_install_location_title" msgid="2068975150026852168">"Local de instalação preferido"</string>
<string name="app_install_location_summary" msgid="879753854530300436">"Alterar o local de instalação preferido para novos aplicativos."</string>
<string name="app_disable_dlg_title" msgid="6662184657838747395">"Desativar aplicativo integrado"</string>
<string name="app_disable_dlg_text" msgid="1328080928456579599">"Desativar um aplicativo integrado poderá causar o mau funcionamento de outros aplicativos. Tem certeza que deseja desativá-lo?"</string>
<string name="storageuse_settings_title" msgid="5657014373502630403">"Uso do armazenamento"</string>
<string name="storageuse_settings_summary" msgid="2556057379120846792">"Visualizar armazenamento usado pelos aplicativos"</string>
<string name="runningservices_settings_title" msgid="8097287939865165213">"Serviços em execução"</string>
<string name="runningservices_settings_summary" msgid="854608995821032748">"Visualizar e controlar os serviços em execução no momento"</string>
<string name="service_restarting" msgid="2242747937372354306">"Reiniciando"</string>
<string name="cached" msgid="1059590879740175019">"Processo em segundo plano em cache"</string>
<string name="no_running_services" msgid="2059536495597645347">"Nada em execução."</string>
<string name="service_started_by_app" msgid="6575184738671598131">"Iniciado pelo aplicativo."</string>
<!-- no translation found for service_client_name (4037193625611815517) -->
<skip />
<string name="service_background_processes" msgid="6844156253576174488">"<xliff:g id="MEMORY">%1$s</xliff:g> grat."</string>
<string name="service_foreground_processes" msgid="7583975676795574276">"<xliff:g id="MEMORY">%1$s</xliff:g> usada"</string>
<string name="memory" msgid="6609961111091483458">"RAM"</string>
<!-- no translation found for service_process_name (4098932168654826656) -->
<skip />
<string name="running_processes_item_description_s_s" msgid="5790575965282023145">"<xliff:g id="NUMPROCESS">%1$d</xliff:g> processo e <xliff:g id="NUMSERVICES">%2$d</xliff:g> serviço"</string>
<string name="running_processes_item_description_s_p" msgid="8019860457123222953">"<xliff:g id="NUMPROCESS">%1$d</xliff:g> processo e <xliff:g id="NUMSERVICES">%2$d</xliff:g> serviços"</string>
<string name="running_processes_item_description_p_s" msgid="744424668287252915">"<xliff:g id="NUMPROCESS">%1$d</xliff:g> processos e <xliff:g id="NUMSERVICES">%2$d</xliff:g> serviço"</string>
<string name="running_processes_item_description_p_p" msgid="1607384595790852782">"<xliff:g id="NUMPROCESS">%1$d</xliff:g> processos e <xliff:g id="NUMSERVICES">%2$d</xliff:g> serviços"</string>
<string name="runningservicedetails_settings_title" msgid="6188692418986988288">"Aplicativo em execução"</string>
<string name="no_services" msgid="7133900764462288263">"Não ativo"</string>
<string name="runningservicedetails_services_title" msgid="391168243725357375">"Serviços"</string>
<string name="runningservicedetails_processes_title" msgid="928115582044655268">"Processos"</string>
<string name="service_stop" msgid="6369807553277527248">"Parar"</string>
<string name="service_manage" msgid="1876642087421959194">"Configurações"</string>
<string name="service_stop_description" msgid="3261798282116866961">"Este serviço foi iniciado pelo aplicativo correspondente. Interrompê-lo pode provocar a falha do aplicativo."</string>
<string name="heavy_weight_stop_description" msgid="6855241582643136019">"Este aplicativo não pode ser interrompido com segurança. Isso poderia resultar na perda do seu trabalho atual."</string>
<string name="background_process_stop_description" msgid="1728354083304746737">"Este é um processo antigo do aplicativo que está sendo mantido para obter melhor velocidade caso seja necessário novamente. Geralmente não há motivos para interrompê-lo."</string>
<string name="service_manage_description" msgid="7050092269951613102">"<xliff:g id="CLIENT_NAME">%1$s</xliff:g>: em uso no momento. Toque em Configurações para controlá-lo."</string>
<string name="main_running_process_description" msgid="929204645380391397">"O processo principal que está em uso."</string>
<string name="process_service_in_use_description" msgid="8993335064403217080">"O serviço <xliff:g id="COMP_NAME">%1$s</xliff:g> está em uso."</string>
<string name="process_provider_in_use_description" msgid="5586603325677678940">"O provedor <xliff:g id="COMP_NAME">%1$s</xliff:g> está em uso."</string>
<string name="runningservicedetails_stop_dlg_title" msgid="4253292537154337233">"Interromper o serviço do sistema?"</string>
<string name="runningservicedetails_stop_dlg_text" product="tablet" msgid="5420033091144016389">"Tem certeza de que deseja interromper este serviço do sistema? Se o fizer, alguns recursos de seu tablet podem parar de funcionar corretamente até que você o desligue e ligue novamente."</string>
<string name="runningservicedetails_stop_dlg_text" product="default" msgid="6929716497425738387">"Tem certeza de que deseja interromper este serviço do sistema? Se o fizer, alguns recursos do seu telefone podem parar de funcionar corretamente até que você o desligue e ligue novamente."</string>
<string name="language_settings" msgid="5292716747264442359">"Idioma e entrada"</string>
<string name="language_keyboard_settings_title" msgid="243220021717425813">"Idioma e entrada"</string>
<string name="language_settings_category" msgid="2288258489940617043">"Configurações de idioma"</string>
<string name="keyboard_settings_category" msgid="7060453865544070642">"Configurações do teclado"</string>
<string name="phone_language" msgid="1165758957501090679">"Selecionar idioma"</string>
<string name="phone_language_summary" msgid="3871309445655554211"></string>
<string name="auto_replace" msgid="6199184757891937822">"Substituição automática"</string>
<string name="auto_replace_summary" msgid="370288728200084466">"Corrigir palavras digitadas incorretamente"</string>
<string name="auto_caps" msgid="6379232078052591265">"Capitaliz. automática"</string>
<string name="auto_caps_summary" msgid="6358102538315261466">"Escrever a primeira letra nas sentenças com letra maiúscula"</string>
<string name="auto_punctuate" msgid="4595367243950425833">"Pontuação automática"</string>
<string name="hardkeyboard_category" msgid="5957168411305769899">"Configurações de teclado físico"</string>
<string name="auto_punctuate_summary" msgid="4372126865670574837">"Pressione a tecla de Espaço duas vezes para inserir \".\""</string>
<string name="show_password" msgid="2198798062604049206">"Senhas visíveis"</string>
<string name="show_password_summary" msgid="3806709974395178121">"Mostrar senha ao digitar"</string>
<string name="ime_security_warning" msgid="812267421486877917">"Este método de entrada pode coletar todo o texto que você digitar, incluindo dados pessoais como senhas e números de cartão de crédito. Ele é proveniente do aplicativo <xliff:g id="IME_APPLICATION_NAME">%1$s</xliff:g>. Usar este método de entrada?"</string>
<string name="pointer_settings_category" msgid="6090176550039035130">"Configurações de mouse e trackpad"</string>
<string name="pointer_speed" msgid="1221342330217861616">"Velocidade do ponteiro"</string>
<string name="user_dict_settings_titlebar" msgid="765659257455000490">"Dicionário do usuário"</string>
<string name="user_dict_single_settings_title" msgid="5454855286173849284">"Dicionário do usuário"</string>
<string name="user_dict_multiple_settings_title" msgid="326583195525296750">"Gerenciar dicionários do usuário"</string>
<string name="user_dict_settings_summary" msgid="7965571192902870454"></string>
<string name="user_dict_settings_add_menu_title" msgid="4056762757149923551">"Adicionar"</string>
<string name="user_dict_settings_add_dialog_title" msgid="4702613990174126482">"Adicionar ao dicionário"</string>
<string name="user_dict_settings_edit_dialog_title" msgid="8967476444840548674">"Editar palavra"</string>
<string name="user_dict_settings_context_menu_edit_title" msgid="2210564879320004837">"Editar"</string>
<string name="user_dict_settings_context_menu_delete_title" msgid="9140703913776549054">"Excluir"</string>
<string name="user_dict_settings_empty_text" product="tablet" msgid="1766522102636921529">"Você não possui palavras no dicionário do usuário. Adicione uma palavra tocando o botão \"Adicionar\" (+)."</string>
<string name="user_dict_settings_empty_text" product="default" msgid="6209268025109242806">"Você não possui palavras no dicionário do usuário. Você pode adicionar uma palavra por meio do menu."</string>
<string name="user_dict_settings_all_languages" msgid="7713910347678213719">"Todos os idiomas"</string>
<string name="testing" msgid="6584352735303604146">"Testando"</string>
<string name="testing_phone_info" product="tablet" msgid="193561832258534798">"Informações do tablet"</string>
<string name="testing_phone_info" product="default" msgid="8656693364332840056">"Informações do telefone"</string>
<string name="testing_battery_info" msgid="3497865525976497848">"Informações da bateria"</string>
<string name="quick_launch_title" msgid="7904609846945905306">"Início rápido"</string>
<string name="quick_launch_summary" msgid="3453825712466417452">"Define atalhos do teclado para iniciar aplicativos"</string>
<string name="quick_launch_assign_application" msgid="4521368464929956350">"Atribuir aplicativo"</string>
<string name="quick_launch_no_shortcut" msgid="5998005833838278693">"Sem atalho"</string>
<string name="quick_launch_shortcut" msgid="5090405067413522300">"Pesquisar + <xliff:g id="SHORTCUT_LETTER">%1$s</xliff:g>"</string>
<string name="quick_launch_clear_dialog_title" msgid="5546543501250320220">"Limpar"</string>
<string name="quick_launch_clear_dialog_message" msgid="3921015601470260722">"O seu atalho para <xliff:g id="SHORTCUT_LETTER">%1$s</xliff:g> (<xliff:g id="APPLICATION_NAME">%2$s</xliff:g>) será apagado."</string>
<string name="quick_launch_clear_ok_button" msgid="2634568926597586716">"OK"</string>
<string name="quick_launch_clear_cancel_button" msgid="1892854652197747064">"Cancelar"</string>
<string name="quick_launch_display_mode_applications" msgid="3748789806447639039">"Aplicativos"</string>
<string name="quick_launch_display_mode_shortcuts" msgid="4177934019174169042">"Atalhos"</string>
<string name="input_methods_settings_title" msgid="6800066636850553887">"Entrada de texto"</string>
<string name="input_method" msgid="5434026103176856164">"Método de entrada"</string>
<string name="current_input_method" msgid="2146807723398303917">"Método atual de entrada"</string>
<string name="input_method_selector" msgid="4311213129681430709">"Seletor do método de entrada"</string>
<string name="input_method_selector_show_automatically_title" msgid="1001612945471546158">"Automático"</string>
<string name="input_method_selector_always_show_title" msgid="3891824124222371634">"Mostrar sempre"</string>
<string name="input_method_selector_always_hide_title" msgid="7699647095118680424">"Sempre ocultar"</string>
<string name="configure_input_method" msgid="7773992829158322455">"Configurar métodos de entrada"</string>
<string name="input_method_settings" msgid="5801295625486269553">"Configurações"</string>
<!-- no translation found for input_method_settings_button (6778344383871619368) -->
<skip />
<string name="active_input_method_subtypes" msgid="3596398805424733238">"Métodos ativos de entrada"</string>
<string name="use_system_language_to_select_input_method_subtypes" msgid="3346751753141428573">"Usar idioma do sistema"</string>
<string name="input_methods_settings_label_format" msgid="6002887604815693322">"Configurações de <xliff:g id="IME_NAME">%1$s</xliff:g>"</string>
<string name="input_methods_and_subtype_enabler_title" msgid="4018402267502337338">"Selecionar métodos ativos de entrada"</string>
<string name="onscreen_keyboard_settings_summary" msgid="5841558383556238653">"Configurações do teclado virtual"</string>
<string name="builtin_keyboard_settings_title" msgid="7688732909551116798">"Teclado físico"</string>
<string name="builtin_keyboard_settings_summary" msgid="2392531685358035899">"Configurações de teclado físico"</string>
<string name="development_settings_title" msgid="215179176067683667">"Opções do desenvolvedor"</string>
<string name="development_settings_summary" msgid="2151320488701538355">"Define as opções para o desenvolvimento do aplicativo"</string>
<string name="enable_adb" msgid="7982306934419797485">"Depuração USB"</string>
<string name="enable_adb_summary" msgid="4881186971746056635">"Modo de depuração quando o USB estiver conectado"</string>
<string name="keep_screen_on" msgid="1146389631208760344">"Permanecer ativo"</string>
<string name="keep_screen_on_summary" msgid="2173114350754293009">"A tela nunca entrará em inatividade enquanto estiver carregando."</string>
<string name="allow_mock_location" msgid="2787962564578664888">"Permitir locais fictícios"</string>
<string name="allow_mock_location_summary" msgid="317615105156345626">"Permitir locais fictícios"</string>
<string name="adb_warning_title" msgid="6234463310896563253">"Permitir a depuração USB?"</string>
<string name="adb_warning_message" msgid="5352555112049663033">"A depuração USB serve apenas para fins de desenvolvimento. Ela pode ser usada para copiar dados entre o computador e o aparelho, instalar aplicativos no seu aparelho sem notificação e ler dados de registro."</string>
<string name="gadget_picker_title" msgid="98374951396755811">"Escolher o gadget"</string>
<string name="widget_picker_title" msgid="9130684134213467557">"Escolher widget"</string>
<string name="battery_history_days" msgid="7110262897769622564">"<xliff:g id="DAYS">%1$d</xliff:g>d <xliff:g id="HOURS">%2$d</xliff:g>h <xliff:g id="MINUTES">%3$d</xliff:g>m <xliff:g id="SECONDS">%4$d</xliff:g>s"</string>
<string name="battery_history_hours" msgid="7525170329826274999">"<xliff:g id="HOURS">%1$d</xliff:g>h <xliff:g id="MINUTES">%2$d</xliff:g>m <xliff:g id="SECONDS">%3$d</xliff:g>s"</string>
<string name="battery_history_minutes" msgid="1467775596084148610">"<xliff:g id="MINUTES">%1$d</xliff:g>m <xliff:g id="SECONDS">%2$d</xliff:g>s"</string>
<string name="battery_history_seconds" msgid="4283492130945761685">"<xliff:g id="SECONDS">%1$d</xliff:g>s"</string>
<string name="usage_stats_label" msgid="5890846333487083609">"Estatísticas de uso"</string>
<string name="testing_usage_stats" msgid="7823048598893937339">"Estatísticas de uso"</string>
<string name="display_order_text" msgid="8592776965827565271">"Classificar por:"</string>
<string name="app_name_label" msgid="2000949925256858308">"Aplicativo"</string>
<string name="launch_count_label" msgid="4019444833263957024">"Contagem"</string>
<string name="usage_time_label" msgid="295954901452833058">"Tempo de uso"</string>
<string name="accessibility_settings" msgid="3975902491934816215">"Acessibilidade"</string>
<string name="accessibility_settings_title" msgid="2130492524656204459">"Configurações de acessibilidade"</string>
<!-- no translation found for accessibility_services_title (2592221829284342237) -->
<skip />
<!-- no translation found for accessibility_system_title (7187919089874130484) -->
<skip />
<!-- no translation found for accessibility_toggle_large_text_title (6618674985313017711) -->
<skip />
<!-- no translation found for accessibility_power_button_ends_call_title (5468375366375940894) -->
<skip />
<!-- no translation found for accessibility_touch_exploration_title (4171477646863806078) -->
<skip />
<!-- no translation found for accessibility_touch_exploration_summary (1163951209315238103) -->
<skip />
<!-- no translation found for accessibility_long_press_timeout_title (2373216941395035306) -->
<skip />
<!-- no translation found for accessibility_script_injection_title (7661286619870144136) -->
<skip />
<!-- no translation found for accessibility_menu_item_settings (3344942964710773365) -->
<skip />
<!-- no translation found for accessibility_menu_item_tutorial (567989492004682307) -->
<skip />
<!-- no translation found for accessibility_service_state_on (8791337599927106344) -->
<skip />
<!-- no translation found for accessibility_service_state_off (2458594460762620776) -->
<skip />
<!-- no translation found for accessibility_script_injection_allowed (7624804397748427621) -->
<skip />
<!-- no translation found for accessibility_script_injection_disallowed (5156785826922460983) -->
<skip />
<!-- no translation found for accessibility_script_injection_button_allow (2201503285877102870) -->
<skip />
<!-- no translation found for accessibility_script_injection_button_disallow (1846740874310014190) -->
<skip />
<!-- no translation found for accessibility_service_security_warning (8318281678500467596) -->
<skip />
<!-- no translation found for accessibility_disable_warning_title (6094507649988366153) -->
<skip />
<!-- no translation found for accessibility_disable_warning_summary (3421051138834637486) -->
<skip />
<!-- outdated translation 898893674114288531 --> <string name="accessibility_service_no_apps_title" msgid="6101087395877319765">"Nenhum aplicativo relacionado à acessibilidade encontrado."</string>
<!-- unknown placeholder BREAK_0 in accessibility_service_no_apps_message -->
<skip />
<!-- no translation found for accessibility_service_no_apps_message (3019731308902198093) -->
<skip />
<!-- outdated translation 1113600871264359828 --> <string name="accessibility_script_injection_security_warning" msgid="3222458225014522516">"Alguns aplicativos podem pedir ao Google para fazer o download de scripts para o seu tablet para tornar o conteúdo mais acessível. Tem certeza de que deseja permitir que o Google instale scripts de acessibilidade no seu tablet?"</string>
<!-- no translation found for accessibility_touch_exploration_warning (3545647203361863891) -->
<skip />
<!-- no translation found for accessibility_service_default_description (7913667934411055972) -->
<skip />
<string name="settings_button" msgid="3006713718908152930">"Configurações"</string>
<string name="power_usage_summary_title" msgid="7190304207330319919">"Bateria"</string>
<string name="power_usage_summary" msgid="7237084831082848168">"O que está consumindo a bateria"</string>
<string name="power_usage_not_available" msgid="3583407442633768046">"Dados bateria não disponíveis"</string>
<!-- no translation found for power_usage_level_and_status (1457675765137705432) -->
<skip />
<string name="battery_since_unplugged" msgid="338073389740738437">"Uso da bateria desde a desconexão do aparelho"</string>
<string name="battery_since_reset" msgid="7464546661121187045">"Uso da bateria desde a redefinição"</string>
<string name="battery_stats_on_battery" msgid="4970762168505236033">"<xliff:g id="TIME">%1$s</xliff:g> da bateria"</string>
<string name="battery_stats_duration" msgid="7464501326709469282">"<xliff:g id="TIME">%1$s</xliff:g> desde que foi desconectado"</string>
<string name="battery_stats_charging_label" msgid="4223311142875178785">"Carregando"</string>
<string name="battery_stats_screen_on_label" msgid="7150221809877509708">"Tela ativada"</string>
<string name="battery_stats_gps_on_label" msgid="1193657533641951256">"GPS ligado"</string>
<string name="battery_stats_wifi_running_label" msgid="3093545080361658269">"Wi-Fi"</string>
<string name="battery_stats_wake_lock_label" msgid="1908942681902324095">"Ativo"</string>
<string name="battery_stats_phone_signal_label" msgid="4137799310329041341">"Sinal da rede móvel"</string>
<!-- no translation found for battery_stats_last_duration (1535831453827905957) -->
<skip />
<string name="awake" msgid="387122265874485088">"Tempo ativo do aparelho"</string>
<string name="wifi_on_time" msgid="6310209835617490616">"Tempo ativo da rede Wi-Fi"</string>
<string name="bluetooth_on_time" msgid="6157799524996162271">"Tempo ativo da rede Wi-Fi"</string>
<string name="usage_name_percent" msgid="7976919382448235858">"<xliff:g id="NAME">%1$s</xliff:g> - <xliff:g id="NUMBER">%2$s</xliff:g><xliff:g id="PERCENT">%%</xliff:g>"</string>
<string name="history_details_title" msgid="3608240585315506067">"Detalhes do histórico"</string>
<string name="details_title" msgid="3792801565213935385">"Detalhes de uso"</string>
<string name="details_subtitle" msgid="32593908269911734">"Detalhes de uso"</string>
<string name="controls_subtitle" msgid="390468421138288702">"Ajustar uso de energia"</string>
<string name="packages_subtitle" msgid="4736416171658062768">"Pacotes incluídos"</string>
<string name="power_screen" msgid="3023346080675904613">"Tela"</string>
<string name="power_wifi" msgid="2382791137776486974">"Wi-Fi"</string>
<string name="power_bluetooth" msgid="4373329044379008289">"Bluetooth"</string>
<string name="power_cell" msgid="6596471490976003056">"Célula em espera"</string>
<string name="power_phone" msgid="5392641106474567277">"Chamadas de voz"</string>
<string name="power_idle" product="tablet" msgid="4612478572401640759">"Tablet ocioso"</string>
<string name="power_idle" product="default" msgid="9055659695602194990">"Telefone ocioso"</string>
<string name="usage_type_cpu" msgid="715162150698338714">"Total da CPU"</string>
<string name="usage_type_cpu_foreground" msgid="6500579611933211831">"CPU prioritária"</string>
<string name="usage_type_wake_lock" msgid="5125438890233677880">"Permanecer ativo"</string>
<string name="usage_type_gps" msgid="7989688715128160790">"GPS"</string>
<string name="usage_type_wifi_running" msgid="8234997940652067049">"Wi-Fi em execução"</string>
<string name="usage_type_phone" product="tablet" msgid="262638572890253393">"Tablet"</string>
<string name="usage_type_phone" product="default" msgid="9108247984998041853">"Telefone"</string>
<string name="usage_type_data_send" msgid="2857401966985425427">"Dados enviados"</string>
<string name="usage_type_data_recv" msgid="7251090882025234185">"Dados recebidos"</string>
<string name="usage_type_audio" msgid="6957269406840886290">"Áudio"</string>
<string name="usage_type_video" msgid="4295357792078579944">"Vídeo"</string>
<string name="usage_type_on_time" msgid="3351200096173733159">"Horário de ativação"</string>
<string name="usage_type_no_coverage" msgid="3797004252954385053">"Horário sem o sinal"</string>
<string name="battery_action_stop" msgid="649958863744041872">"Forçar parada"</string>
<string name="battery_action_app_details" msgid="3275013531871113681">"Informações do aplicativo"</string>
<string name="battery_action_app_settings" msgid="350562653472577250">"Configurações de aplicativos"</string>
<string name="battery_action_display" msgid="7338551244519110831">"Configurações da tela"</string>
<string name="battery_action_wifi" msgid="2272741639606146903">"Configurações de Wi-Fi"</string>
<string name="battery_action_bluetooth" msgid="8374789049507723142">"Conf. de Bluetooth"</string>
<string name="battery_desc_voice" msgid="8980322055722959211">"Bateria usada por chamadas de voz"</string>
<string name="battery_desc_standby" product="tablet" msgid="6284747418668280364">"Bateria usada quando o tablet está ocioso"</string>
<string name="battery_desc_standby" product="default" msgid="3009080001948091424">"Bateria usada quando o telefone está ocioso"</string>
<string name="battery_desc_radio" msgid="5479196477223185367">"Bateria usada por rádio celular"</string>
<string name="battery_sugg_radio" msgid="8211336978326295047">"Alternar para o modo para avião para economizar energia nas áreas sem cobertura celular"</string>
<string name="battery_desc_display" msgid="5432795282958076557">"Bateria usada pela tela e pela luz de fundo"</string>
<string name="battery_sugg_display" msgid="3370202402045141760">"Reduzir o brilho e/ou o tempo limite da tela"</string>
<string name="battery_desc_wifi" msgid="1702486494565080431">"Bateria usada por Wi-Fi"</string>
<string name="battery_sugg_wifi" msgid="7542345142282261691">"Desativar rede Wi-Fi quando não estiver em uso ou disponível"</string>
<string name="battery_desc_bluetooth" msgid="7535520658674621902">"Bateria usada por Bluetooth"</string>
<string name="battery_sugg_bluetooth_basic" msgid="817276933922157788">"Desativar Bluetooth quando não estiver em uso"</string>
<string name="battery_sugg_bluetooth_headset" msgid="8214816222115517479">"Tente conectar a um dispositivo Bluetooth diferente"</string>
<string name="battery_desc_apps" msgid="6665712811746233450">"Bateria usada pelo aplicativo"</string>
<string name="battery_sugg_apps_info" msgid="6065882899391322442">"Parar ou desinstalar o aplicativo"</string>
<string name="battery_sugg_apps_gps" msgid="4545056413090932541">"Controlar o GPS manualmente para evitar sua utilização pelo aplicativo"</string>
<string name="battery_sugg_apps_settings" msgid="8021302847272481168">"O aplicativo pode oferecer configurações para reduzir o uso da bateria"</string>
<string name="menu_stats_unplugged" msgid="8296577130840261624">"<xliff:g id="UNPLUGGED">%1$s</xliff:g> desde que foi desconectado"</string>
<string name="menu_stats_last_unplugged" msgid="5922246077592434526">"Quando foi desconectado pela última vez para <xliff:g id="UNPLUGGED">%1$s</xliff:g>"</string>
<string name="menu_stats_total" msgid="8973377864854807854">"Total de uso"</string>
<string name="menu_stats_refresh" msgid="1676215433344981075">"Atualizar"</string>
<string name="process_kernel_label" msgid="3916858646836739323">"Sistema operacional do Android"</string>
<string name="process_mediaserver_label" msgid="6500382062945689285">"Servidor de mídia"</string>
<string name="voice_input_output_settings" msgid="1336135218350444783">"Entrada e saída de voz"</string>
<string name="voice_input_output_settings_title" msgid="2442850635048676991">"Configurações de entrada e saída de voz"</string>
<string name="voice_search_settings_title" msgid="2775469246913196536">"Pesquisa por voz"</string>
<string name="keyboard_settings_title" msgid="5080115226780201234">"Teclado Android"</string>
<string name="voice_input_category" msgid="1589318440824204736">"Entrada de voz"</string>
<string name="voice_output_category" msgid="2624538587784986229">"Saída de voz"</string>
<string name="recognizer_title" msgid="3231385184559054457">"Reconhecedor de voz"</string>
<string name="recognizer_settings_title" msgid="6038598099039717232">"Config. do reconhecedor de voz"</string>
<string name="recognizer_settings_summary" msgid="4472287934134546902">"Configurações para \'<xliff:g id="RECOGNIZER_NAME">%s</xliff:g>\'"</string>
<string name="tts_settings" msgid="8186971894801348327">"Configurações da conversão de texto em voz"</string>
<string name="tts_settings_title" msgid="4182348653053000933">"Configurações da conversão de texto em voz"</string>
<string name="use_default_tts_settings_title" msgid="1577063839539732930">"Usar minhas config."</string>
<string name="use_default_tts_settings_summary" msgid="4253502106159206276">"As conf. padrão abaixo substituem as conf. do aplicativo"</string>
<string name="tts_default_settings_section" msgid="5787915620218907443">"Configurações padrão"</string>
<string name="tts_default_synth_title" msgid="29467896463371992">"Mecanismo padrão"</string>
<string name="tts_default_synth_summary" msgid="6482936537135251690">"Define o mecanismo de síntese de fala a ser usado para texto falado"</string>
<string name="tts_default_rate_title" msgid="6030550998379310088">"Taxa de fala"</string>
<string name="tts_default_rate_summary" msgid="4061815292287182801">"Velocidade em que o texto é falado"</string>
<string name="tts_default_pitch_title" msgid="6135942113172488671">"Frequência do som"</string>
<string name="tts_default_pitch_summary" msgid="1328298665182885277">"Afeta o tom do texto falado"</string>
<string name="tts_default_lang_title" msgid="8018087612299820556">"Idioma"</string>
<string name="tts_default_lang_summary" msgid="5219362163902707785">"Define a voz específica do idioma para o texto falado"</string>
<string name="tts_play_example_title" msgid="7094780383253097230">"Ouça um exemplo"</string>
<string name="tts_play_example_summary" msgid="8029071615047894486">"Reproduzir uma rápida demonstração da voz sintetizada"</string>
<string name="tts_install_data_title" msgid="4264378440508149986">"Instalar dados de voz"</string>
<string name="tts_install_data_summary" msgid="5742135732511822589">"É necessário instalar os dados de voz para a sintetização da fala"</string>
<string name="tts_data_installed_summary" msgid="9162111552859972809">"As vozes necessárias para sintetização já estão instaladas corretamente"</string>
<string name="tts_demo" msgid="405357591189935876">"Este é um exemplo de sintetização de voz."</string>
<string name="tts_settings_changed_demo" msgid="4926518555912328645">"Suas configurações foram alteradas. Veja um exemplo de como elas ficaram."</string>
<string name="tts_engine_error" msgid="5513288178403066867">"O mecanismo selecionado não pode ser executado."</string>
<string name="tts_engine_error_config" msgid="5820525416624637313">"Configurar"</string>
<string name="tts_engine_error_reselect" msgid="3071453963296013376">"Selecione outro mecanismo"</string>
<string name="tts_engine_security_warning" msgid="8786238102020223650">"Este mecanismo de síntese de fala pode coletar todo texto que será falado, inclusive dados pessoais como senhas e números de cartão de crédito. Ele é proveniente do mecanismo <xliff:g id="TTS_PLUGIN_ENGINE_NAME">%s</xliff:g>. Deseja ativar o uso desse mecanismo de síntese de fala?"</string>
<string name="tts_engines_section" msgid="7515470972378742429">"Mecanismos"</string>
<string name="tts_engine_name_settings" msgid="4974538563074395920">"Configurações de <xliff:g id="TTS_PLUGIN_ENGINE_NAME">%s</xliff:g>"</string>
<string name="tts_engine_name_is_enabled_summary" msgid="4909484006804022115">"<xliff:g id="TTS_PLUGIN_ENGINE_NAME">%s</xliff:g> foi ativado"</string>
<string name="tts_engine_name_is_disabled_summary" msgid="7644198182255168200">"<xliff:g id="TTS_PLUGIN_ENGINE_NAME">%s</xliff:g> foi desativado"</string>
<string name="tts_engine_settings_section" msgid="2346105138448751893">"Configurações do mecanismo"</string>
<string name="tts_engine_settings_title" msgid="3499112142425680334">"Configurações para <xliff:g id="TTS_ENGINE_NAME">%s</xliff:g>"</string>
<string name="pico_languages_and_voices" msgid="4611320375917773238">"Idiomas e vozes"</string>
<string name="pico_installed" msgid="2452546687858267414">"Instalado"</string>
<string name="pico_not_installed" msgid="6266845418419994311">"Não instalado"</string>
<string name="pico_voice_summary_female" msgid="8047327176247727492">"Feminino"</string>
<string name="pico_voice_summary_male" msgid="8331266854058577610">"Masculino"</string>
<string name="tts_notif_engine_install_title" msgid="7000346872482649034">"Sintetização de voz instalada"</string>
<string name="tts_notif_engine_install_message" msgid="5304661142202662693">"Ativar novo mecanismo antes"</string>
<string name="gadget_title" msgid="7455548605888590466">"Controle de energia"</string>
<string name="gadget_toggle_wifi" msgid="2382963973155082629">"Atualizando configuração Wi-Fi"</string>
<string name="gadget_toggle_bluetooth" msgid="7538903239807020826">"Atualizando configuração Bluetooth"</string>
<string name="vpn_settings_title" msgid="7327468307909556719">"Configurações de VPN"</string>
<string name="credentials_title" msgid="4446234003860769883">"Armazenamento de credenciais"</string>
<string name="credentials_install" product="nosdcard" msgid="466093273825150847">"Instalar do armazenamento"</string>
<string name="credentials_install" product="default" msgid="953914549998062317">"Instalar do cartão SD"</string>
<string name="credentials_install_summary" product="nosdcard" msgid="4220422806818210676">"Instalar certificados do armazenamento"</string>
<string name="credentials_install_summary" product="default" msgid="5737658257407822713">"Instalar certificados do cartão SD"</string>
<string name="credentials_reset" msgid="3239382277144980418">"Limpar credenciais"</string>
<string name="credentials_reset_summary" msgid="3369361230171260282">"Remover todos os certificados"</string>
<string name="trusted_credentials" msgid="4266945289534242402">"Credenciais confiáveis"</string>
<string name="trusted_credentials_summary" msgid="6735221351155686632">"Mostrar certificados CA de confiança"</string>
<string name="credentials_unlock" msgid="1463040326264133844">"Inserir senha"</string>
<string name="credentials_unlock_hint" msgid="5889551635843338639">"Digite a senha para o armazenamento de credencial."</string>
<string name="credentials_old_password" msgid="7553393815538684028">"Senha atual:"</string>
<string name="credentials_reset_hint" msgid="1566409057833618877">"Todo o conteúdo será removido. Tem certeza de que deseja fazer isso?"</string>
<string name="credentials_password_too_short" msgid="7502749986405522663">"A senha deve ter no mínimo 8 caracteres."</string>
<string name="credentials_wrong_password" msgid="2541932597104054807">"Senha incorreta."</string>
<string name="credentials_reset_warning" msgid="5320653011511797600">"Senha incorreta. Você tem uma ou mais tentativas antes do armazenamento de credencial ser apagado."</string>
<string name="credentials_reset_warning_plural" msgid="6514085665301095279">"Senha incorreta. Você tem mais <xliff:g id="NUMBER">%1$d</xliff:g> tentativas antes do armazenamento de credencial ser apagado."</string>
<string name="credentials_erased" msgid="2907836028586342969">"O armazenamento de credenciais foi apagado."</string>
<string name="credentials_not_erased" msgid="397954733557821269">"Armaz. de credenc. não apagado."</string>
<string name="credentials_enabled" msgid="7588607413349978930">"O armazenamento de credenciais foi ativado."</string>
<string name="credentials_configure_lock_screen_hint" msgid="6816970208840577219">"Você deve configurar um PIN ou uma senha da tela de bloqueio antes de usar o armazenamento de credenciais. Deseja fazer isso agora?"</string>
<string name="emergency_tone_title" msgid="1055954530111587114">"Tom de emergência"</string>
<string name="emergency_tone_summary" msgid="722259232924572153">"Definir comportamento durante uma chamada de emergência"</string>
<string name="privacy_settings" msgid="5446972770562918934">"Fazer backup e redefinir"</string>
<string name="privacy_settings_title" msgid="4856282165773594890">"Fazer backup e redefinir"</string>
<string name="backup_section_title" msgid="8856083167469467588">"Backup e restauração"</string>
<string name="personal_data_section_title" msgid="7815209034443782061">"Dados pessoais"</string>
<string name="backup_data_title" msgid="1239105919852668016">"Fazer backup"</string>
<string name="backup_data_summary" msgid="6515285107793232815">"Fazer backup de dados de aplicativos, senhas da rede Wi-Fi e outras configurações nos servidores do Google"</string>
<string name="backup_configure_account_title" msgid="3790872965773196615">"Conta de backup"</string>
<string name="backup_configure_account_default_summary" msgid="2436933224764745553">"Nenhuma conta está armazenando o backup dos dados"</string>
<string name="auto_restore_title" msgid="5397528966329126506">"Restauração automática"</string>
<string name="auto_restore_summary" msgid="83177150536734378">"Caso o aplicativo seja reinstalado, restaurar as configurações ou outros dados de backup"</string>
<!-- no translation found for local_backup_password_title (8654157395556264248) -->
<skip />
<!-- no translation found for local_backup_password_summary_none (6957183071243950438) -->
<skip />
<!-- no translation found for local_backup_password_summary_change (2838158406324091370) -->
<skip />
<string name="backup_erase_dialog_title" msgid="3438255037256586237">"Backup"</string>
<string name="backup_erase_dialog_message" msgid="7766283133557587608">"Tem certeza de que deseja interromper backup das suas senhas da rede Wi-Fi, dos favoritos e de outras configurações e dados de aplicativo, e apagar todas as cópias dos servidores do Google?"</string>
<string name="device_admin_settings_title" msgid="1335557832906433309">"Configurações de administração do dispositivo"</string>
<string name="active_device_admin_msg" msgid="6930903262612422111">"Administrador do dispositivo"</string>
<string name="remove_device_admin" msgid="3596845261596451437">"Desativar"</string>
<string name="select_device_admin_msg" msgid="2645509057946368094">"Administradores do dispositivo"</string>
<string name="no_device_admins" msgid="702695100241728775">"Não há administradores de dispositivo disponíveis"</string>
<string name="add_device_admin_msg" msgid="6246742476064507965">"Ativar o administrador do dispositivo?"</string>
<string name="add_device_admin" msgid="7133327675884827091">"Ativar"</string>
<string name="device_admin_add_title" msgid="7705551449705676363">"Administrador do dispositivo"</string>
<string name="device_admin_warning" msgid="1149471041373876923">"A ativação deste administrador permitirá que o aplicativo <xliff:g id="APP_NAME">%1$s</xliff:g> execute as seguintes operações:"</string>
<string name="device_admin_status" msgid="7169948053970923035">"Este administrador está ativo e permite que o aplicativo <xliff:g id="APP_NAME">%1$s</xliff:g> execute as seguintes operações:"</string>
<string name="untitled_apn" msgid="1230060359198685513">"Sem título"</string>
<string name="sound_category_sound_title" msgid="1488759370067953996">"Geral"</string>
<!-- no translation found for sound_category_calls_and_notification_title (4703470169010662085) -->
<skip />
<string name="sound_category_notification_title" msgid="3502115998790286943">"Notificações"</string>
<!-- outdated translation 4399742321363475393 --> <string name="sound_category_feedback_title" msgid="6047518536574673606">"Retorno"</string>
<string name="wifi_setup_title" msgid="661074868726906436">"Configuração de Wi-Fi"</string>
<string name="wifi_setup_title_editing_network" msgid="7304321031985059969">"Conectar a uma rede Wi-Fi <xliff:g id="NETWORK_NAME">%s</xliff:g>"</string>
<string name="wifi_setup_title_connecting_network" msgid="2408378435027118687">"Como se conectar a uma rede Wi-Fi <xliff:g id="NETWORK_NAME">%s</xliff:g>..."</string>
<string name="wifi_setup_title_connected_network" msgid="209755856836003839">"Conectado uma rede Wi-Fi <xliff:g id="NETWORK_NAME">%s</xliff:g>"</string>
<string name="wifi_setup_title_add_network" msgid="6932651000151032301">"Adicionar uma rede"</string>
<string name="wifi_setup_not_connected" msgid="6997432604664057052">"Não conectado"</string>
<string name="wifi_setup_add_network" msgid="5939624680150051807">"Adicionar rede"</string>
<string name="wifi_setup_refresh_list" msgid="3411615711486911064">"Atualizar lista"</string>
<string name="wifi_setup_skip" msgid="6661541841684895522">"Ignorar"</string>
<string name="wifi_setup_next" msgid="3388694784447820477">"Avançar"</string>
<string name="wifi_setup_back" msgid="144777383739164044">"Voltar"</string>
<string name="wifi_setup_detail" msgid="2336990478140503605">"Detalhes da rede"</string>
<string name="wifi_setup_connect" msgid="7954456989590237049">"Conectar"</string>
<string name="wifi_setup_forget" msgid="2562847595567347526">"Esquecer"</string>
<string name="wifi_setup_save" msgid="3659235094218508211">"Salvar"</string>
<string name="wifi_setup_cancel" msgid="3185216020264410239">"Cancelar"</string>
<string name="wifi_setup_status_scanning" msgid="7424598483871053657">"Procurando redes..."</string>
<string name="wifi_setup_status_select_network" msgid="7519563569903137003">"Toque em uma rede para se conectar a ela"</string>
<string name="wifi_setup_status_existing_network" msgid="6394925174802598186">"Conectar-se à rede existente"</string>
<string name="wifi_setup_status_unsecured_network" msgid="8143046977328718252">"Conectar-se à rede não segura"</string>
<string name="wifi_setup_status_edit_network" msgid="6582036394332822032">"Inserir configuração da rede"</string>
<string name="wifi_setup_status_new_network" msgid="7468952850452301083">"Conectar-se à nova rede"</string>
<string name="wifi_setup_status_connecting" msgid="2594117697215042584">"Conectando..."</string>
<string name="wifi_setup_status_proceed_to_next" msgid="9071951312604559022">"Prosseguir para próxima etapa"</string>
<string name="wifi_setup_status_eap_not_supported" msgid="3196386445567501484">"EAP não é suportado"</string>
<string name="wifi_setup_eap_not_supported" msgid="683540356393542939">"Não é possível configurar uma conexão Wi-Fi EAP durante a instalação. Após a instalação, você pode fazer isso em Configurações, "<b>"Redes sem fio"</b>"."</string>
<string name="wifi_setup_description_connecting" msgid="1884664966455980182">"A conexão pode demorar alguns minutos..."</string>
<string name="wifi_setup_description_connected" msgid="5235991893829582459">"Toque em "<b>"Próximo"</b>" para continuar a configuração."\n\n"Toque em "<b>"Voltar"</b>" para conectar-se a outra rede Wi-Fi."</string>
<!-- no translation found for accessibility_sync_enabled (558480439730263116) -->
<skip />
<!-- no translation found for accessibility_sync_disabled (1741194106479011384) -->
<skip />
<!-- no translation found for accessibility_sync_error (8703299118794272041) -->
<skip />
<string name="account_sync_settings_title" msgid="4578227872921044660">"Configurações de sincronização"</string>
<string name="sync_is_failing" msgid="1591561768344128377">"A sincronização está enfrentando problemas no momento. Ela retornará em breve."</string>
<string name="add_account_label" msgid="7811707265834013767">"Adicionar conta"</string>
<string name="header_general_sync_settings" msgid="3487451896424238469">"Configurações de sinc. geral"</string>
<string name="background_data" msgid="5779592891375473817">"Dados de segundo plano"</string>
<string name="background_data_summary" msgid="3630389249212620467">"Aplicat. sincronizam, enviam e recebem dados a qualquer hora"</string>
<string name="background_data_dialog_title" msgid="745974259246047425">"Atenção"</string>
<string name="background_data_dialog_message" msgid="9155730118215371308">"A desativação dos dados de segundo plano estende a vida útil da bateria e diminui o uso dos dados. Alguns aplicativos ainda podem usar a conexão de dados de segundo plano."</string>
<string name="sync_automatically" msgid="7558810110682562376">"Sincronização automática"</string>
<string name="sync_automatically_summary" msgid="6662623174608419931">"Aplicativos sincronizam dados automaticamente"</string>
<string name="header_manage_accounts" msgid="6869002423884539607">"Gerenciar contas"</string>
<string name="sync_enabled" msgid="4551148952179416813">"A sinc. está ATIVADA"</string>
<string name="sync_disabled" msgid="8511659877596511991">"A sincronização está DESATIVADA"</string>
<string name="sync_error" msgid="5060969083117872149">"Erro na sinc."</string>
<string name="settings_backup" msgid="2274732978260797031">"Fazer backup das configurações"</string>
<string name="settings_backup_summary" msgid="7916877705938054035">"Fazer backup de minhas configurações"</string>
<string name="sync_menu_sync_now" msgid="6154608350395805683">"Sincronizar agora"</string>
<string name="sync_menu_sync_cancel" msgid="8292379009626966949">"Cancelar sincronização"</string>
<string name="sync_one_time_sync" msgid="6766593624598183090">"Toque para sincronizar agora<xliff:g id="LAST_SYNC_TIME">
%1$s</xliff:g>"</string>
<string name="sync_gmail" msgid="714886122098006477">"Gmail"</string>
<string name="sync_calendar" msgid="9056527206714733735">"Agenda"</string>
<string name="sync_contacts" msgid="9174914394377828043">"Contatos"</string>
<string name="sync_plug" msgid="5952575609349860569"><font fgcolor="#ffffffff">"Bem-vindo ao Google Sync!"</font>" "\n"Um método do Google para sincronizar dados de modo a permitir o acesso aos seus contatos, compromissos e muito mais, onde quer que você esteja."</string>
<string name="header_application_sync_settings" msgid="5514539555293976035">"Configurações de sincronização do aplicativo"</string>
<string name="header_data_and_synchronization" msgid="5165024023936509896">"Dados e sincronização"</string>
<string name="preference_change_password_title" msgid="8955581790270130056">"Alterar senha"</string>
<string name="header_account_settings" msgid="5382475087121880626">"Configurações da conta"</string>
<string name="remove_account_label" msgid="5921986026504804119">"Remover conta"</string>
<string name="header_add_an_account" msgid="756108499532023798">"Adicionar uma conta"</string>
<string name="finish_button_label" msgid="481587707657751116">"Concluir"</string>
<string name="really_remove_account_title" msgid="6574643117748564960">"Remover conta"</string>
<string name="really_remove_account_message" product="tablet" msgid="4448645571715719563">"Deseja mesmo remover esta conta? Sua remoção excluirá todas as suas mensagens, contatos e outros dados do telefone. "\n"Continuar?"</string>
<string name="really_remove_account_message" product="default" msgid="1005751790899989319">"Deseja mesmo remover esta conta? A remoção excluirá todas as suas mensagens, contatos e outros dados do celular. "\n"Continuar?"</string>
<string name="remove_account_failed" product="tablet" msgid="1093911989149396624">"Esta conta é necessária para alguns aplicativos. Só é possível removê-la redefinindo o tablet para os padrões de fábrica (o que exclui todos os seus dados pessoais). Isso é feito no aplicativo \"Configurações\", em \"Privacidade\"."</string>
<string name="remove_account_failed" product="default" msgid="9174390193652391412">"Esta conta é necessária para alguns aplicativos. Só é possível removê-la redefinindo o telefone para os padrões de fábrica (o que exclui todos os seus dados pessoais). Isso é feito na seção de Configurações, em Privacidade."</string>
<string name="provider_label" msgid="7724593781904508866">"Enviar inscrições"</string>
<string name="sync_item_title" msgid="1931551540462877488">"Sincronizar <xliff:g id="AUTHORITY">%s</xliff:g>"</string>
<string name="cant_sync_dialog_title" msgid="7185199796123573317">"Não é possível sincronizar manualmente"</string>
<string name="cant_sync_dialog_message" msgid="2372359241135295930">"A sincronização para o item está desativada no momento. Para alterar a sua preferência, ative os dados de segundo plano e a sincronização automática temporariamente."</string>
<string name="enter_password" msgid="3268224850821675915">"Digite uma senha para criptografar o armazenamento"</string>
<string name="try_again" msgid="5904121494468643129">"Tente novamente"</string>
<string name="service_busy" msgid="225227519012409130">"Serviço ocupado, tente novamente"</string>
<string name="delete" msgid="4219243412325163003">"Excluir"</string>
<string name="misc_files" msgid="6298643430106707497">"Arquivos variados"</string>
<string name="misc_files_selected_count" msgid="4647048020823912088">"selecionados <xliff:g id="NUMBER">%1$d</xliff:g> de <xliff:g id="TOTAL">%2$d</xliff:g>"</string>
<string name="misc_files_selected_count_bytes" msgid="2876232009069114352">"<xliff:g id="NUMBER">%1$s</xliff:g> de <xliff:g id="TOTAL">%2$s</xliff:g>"</string>
<string name="select_all" msgid="6783085295161532497">"Selecionar todos"</string>
<string name="hdcp_checking_title" msgid="8605478913544273282">"Verificação HDCP"</string>
<string name="hdcp_checking_dialog_title" msgid="5141305530923283">"Config. a verificação HDCP"</string>
<string name="debug_ui_category" msgid="9023948280291055349">"Interface do usuário"</string>
<string name="strict_mode" msgid="1938795874357830695">"Modo estrito ativado"</string>
<string name="strict_mode_summary" msgid="142834318897332338">"T. Flash q/ aplic. fazem oper. longas conv. princ."</string>
<string name="pointer_location" msgid="6084434787496938001">"Localização do ponteiro"</string>
<string name="pointer_location_summary" msgid="840819275172753713">"Sobrepos. de tela que mostra dados de toque atual"</string>
<string name="show_screen_updates" msgid="8282711794220426931">"Mostrar atualiz. de tela"</string>
<string name="show_screen_updates_summary" msgid="1716122382094924596">"Áreas Flash de tela quando eles atualizam"</string>
<string name="show_cpu_usage" msgid="2389212910758076024">"Mostrar o uso da CPU"</string>
<string name="show_cpu_usage_summary" msgid="2113341923988958266">"Sobreposição de tela que mostra o uso da CPU atual"</string>
<string name="window_animation_scale_title" msgid="6162587588166114700">"Esc. anim. em janel."</string>
<string name="transition_animation_scale_title" msgid="387527540523595875">"Escala de anim. de trans."</string>
<string name="debug_applications_category" msgid="6221644998451283813">"Aplicativos"</string>
<string name="immediately_destroy_activities" msgid="8366775083630234121">"Não manter atividades"</string>
<string name="immediately_destroy_activities_summary" msgid="3592221124808773368">"Destruir todas as atividades quando o usuário sair"</string>
<string name="app_process_limit_title" msgid="4280600650253107163">"Limite proc. seg. plano"</string>
<!-- no translation found for show_all_anrs (28462979638729082) -->
<skip />
<!-- no translation found for show_all_anrs_summary (92558681104207054) -->
<skip />
<string name="data_usage_summary_title" msgid="3804110657238092929">"Uso de dados"</string>
<string name="data_usage_cycle" msgid="5652529796195787949">"Ciclo do uso de dados"</string>
<string name="data_usage_menu_roaming" msgid="8042359966835203296">"Roaming de dados"</string>
<string name="data_usage_menu_restrict_background" msgid="1989394568592253331">"Restringir dados de segundo plano"</string>
<string name="data_usage_menu_split_4g" msgid="7417435609285381968">"Separar uso dos dados 4G"</string>
<string name="data_usage_menu_show_wifi" msgid="8266875319417201085">"Mostrar uso do Wi-Fi"</string>
<string name="data_usage_menu_show_ethernet" msgid="5181361208532314097">"Mostrar o uso da Ethernet"</string>
<string name="data_usage_change_cycle" msgid="7776556448920114866">"Alterar ciclo..."</string>
<string name="data_usage_pick_cycle_day" msgid="4470796861757050966">"Dia do mês para redefinir o ciclo de uso dos dados:"</string>
<!-- no translation found for data_usage_empty (9089930257306304588) -->
<skip />
<string name="data_usage_disable_mobile_limit" msgid="289740911281022322">"Desativar dados móveis no limite"</string>
<string name="data_usage_disable_4g_limit" msgid="5808210773758699800">"Desativar dados 4G no limite"</string>
<string name="data_usage_disable_3g_limit" msgid="3856971004328238231">"Desativar dados 2G-3G no limite"</string>
<string name="data_usage_tab_wifi" msgid="1728851922959017766">"Wi-Fi"</string>
<string name="data_usage_tab_ethernet" msgid="7298064366282319911">"Ethernet"</string>
<string name="data_usage_tab_mobile" msgid="454140350007299045">"Móvel"</string>
<string name="data_usage_tab_4g" msgid="1301978716067512235">"4G"</string>
<string name="data_usage_tab_3g" msgid="6092169523081538718">"2G e 3G"</string>
<string name="data_usage_enable_mobile" msgid="986782622560157977">"Dados móveis"</string>
<string name="data_usage_enable_3g" msgid="6304006671869578254">"Dados 2G e 3G"</string>
<string name="data_usage_enable_4g" msgid="3635854097335036738">"Dados 4G"</string>
<string name="data_usage_app_settings" msgid="3727561362090820369">"Ver configurações do aplicativo"</string>
<string name="data_usage_app_restrict_background" msgid="8856643905291165256">"Restr. uso de dados de seg. plano"</string>
<string name="data_usage_app_restrict_background_summary" msgid="1503361245973512092">"Só permitir dados de segundo plano do aplic. ao usar rede ilim."</string>
<string name="data_usage_app_restrict_dialog_title" msgid="8110736468987743260">"Restringindo dados de segundo plano"</string>
<string name="data_usage_app_restrict_dialog" msgid="100001698378554777">"Este recurso pode ter um impacto negativo nos aplicativos que dependem do uso de dados de segundo plano."\n\n"Controles mais adequados do uso de dados podem ser encontrados nas configurações deste aplicativo."</string>
<string name="data_usage_cycle_editor_title" msgid="1373797281540188533">"Data de redefinição do ciclo de uso"</string>
<string name="data_usage_cycle_editor_subtitle" msgid="5512903797979928416">"Data de cada mês:"</string>
<string name="data_usage_cycle_editor_positive" msgid="8821760330497941117">"Definidas"</string>
<string name="data_usage_limit_dialog_title" msgid="3023111643632996097">"Limitando uso de dados"</string>
<string name="data_usage_limit_dialog_mobile" msgid="7931094451923591578">"Sua conexão de dados móveis será desativada quando o limite especificado for alcançado."\n\n"Para evitar cobranças adicionais, utilize um limite reduzido, pois os métodos de cálculo do dispositivo e da operadora podem variar."</string>
<string name="data_usage_limit_dialog_3g" msgid="5478553071420316963">"Sua conexão de dados 2G-3G será desativada quando o limite especificado for alcançado."\n\n"Para evitar cobranças adicionais, utilize um limite reduzido, pois os métodos de cálculo do dispositivo e da operadora podem variar."</string>
<string name="data_usage_limit_dialog_4g" msgid="6134008906742403777">"Sua conexão de dados 4G será desativada quando o limite especificado for alcançado."\n\n"Para evitar cobranças adicionais, utilize um limite reduzido, pois os métodos de cálculo do dispositivo e da operadora podem variar."</string>
<string name="data_usage_restrict_background_title" msgid="8698943580968040399">"Restringindo dados de segundo plano"</string>
<string name="data_usage_restrict_background" msgid="8423203957506810725">"Este recurso desativa a sincronização automática e pode afetar negativamente os aplicativos que dependem do uso de dados de segundo plano."</string>
<string name="data_usage_sweep_warning" msgid="6387081852568846982"><font size="21">"<xliff:g id="NUMBER">^1</xliff:g>"</font>" "<font size="9">"<xliff:g id="UNIT">^2</xliff:g>"</font>\n<font size="12">"aviso"</font></string>
<string name="data_usage_sweep_limit" msgid="860566507375933039"><font size="21">"<xliff:g id="NUMBER">^1</xliff:g>"</font>" "<font size="9">"<xliff:g id="UNIT">^2</xliff:g>"</font>\n<font size="12">"limite"</font></string>
<string name="data_usage_uninstalled_apps" msgid="614263770923231598">"Aplicativos removidos"</string>
<string name="data_usage_received_sent" msgid="5039699009276621757">"<xliff:g id="RECEIVED">%1$s</xliff:g> recebido, <xliff:g id="SENT">%2$s</xliff:g> enviado"</string>
<!-- no translation found for data_usage_total_during_range (8958205082707733605) -->
<skip />
<string name="cryptkeeper_emergency_call" msgid="198578731586097145">"Chamada de emergência"</string>
<string name="cryptkeeper_return_to_call" msgid="5613717339452772491">"Retornar à chamada"</string>
<string name="vpn_name" msgid="4689699885361002297">"Nome"</string>
<string name="vpn_type" msgid="5435733139514388070">"Tipo"</string>
<string name="vpn_server" msgid="2123096727287421913">"Endereço do servidor"</string>
<string name="vpn_mppe" msgid="6639001940500288972">"criptografia PPP (MPPE)"</string>
<string name="vpn_l2tp_secret" msgid="529359749677142076">"Segredo L2TP"</string>
<string name="vpn_ipsec_identifier" msgid="4098175859460006296">"Identificador IPSec"</string>
<string name="vpn_ipsec_secret" msgid="4526453255704888704">"Chave pré-compartilhada IPSec"</string>
<string name="vpn_ipsec_user_cert" msgid="6880651510020187230">"Certificado de usuário IPSec"</string>
<string name="vpn_ipsec_ca_cert" msgid="91338213449148229">"Certificado CA IPSec"</string>
<!-- no translation found for vpn_show_options (7182688955890457003) -->
<skip />
<string name="vpn_search_domains" msgid="5391995501541199624">"Domínios de pesquisa de DNS"</string>
<!-- no translation found for vpn_dns_servers (5570715561245741829) -->
<skip />
<!-- no translation found for vpn_routes (3818655448226312232) -->
<skip />
<string name="vpn_username" msgid="1863901629860867849">"Nome de usuário"</string>
<string name="vpn_password" msgid="6756043647233596772">"Senha"</string>
<string name="vpn_save_login" msgid="6350322456427484881">"Salvar informações sobre a conta"</string>
<string name="vpn_not_used" msgid="9094191054524660891">"Não utilizado"</string>
<string name="vpn_no_ca_cert" msgid="7820884983947090538">"(não verificar servidor)"</string>
<string name="vpn_cancel" msgid="1979937976123659332">"Cancelar"</string>
<string name="vpn_save" msgid="4233484051644764510">"Salvar"</string>
<string name="vpn_connect" msgid="8469608541746132301">"Conectar"</string>
<string name="vpn_edit" msgid="1111459297288136079">"Editar rede de VPN"</string>
<string name="vpn_connect_to" msgid="7328758950427515753">"Conectar-se à <xliff:g id="NETWORK">%s</xliff:g>"</string>
<string name="vpn_title" msgid="7982620762043790565">"Configurações de VPN"</string>
<string name="vpn_create" msgid="8966010925994175306">"Adicionar rede VPN"</string>
<string name="vpn_menu_edit" msgid="4526245173583195618">"Editar rede"</string>
<string name="vpn_menu_delete" msgid="3326527392609513129">"Excluir rede"</string>
<string name="trusted_credentials_system_tab" msgid="3984284264816924534">"Sistema"</string>
<string name="trusted_credentials_user_tab" msgid="2244732111398939475">"Usuário"</string>
<string name="trusted_credentials_disable_label" msgid="3864493185845818506">"Desativar"</string>
<string name="trusted_credentials_enable_label" msgid="2498444573635146913">"Ativar"</string>
<string name="trusted_credentials_remove_label" msgid="3633691709300260836">"Remover"</string>
<string name="trusted_credentials_enable_confirmation" msgid="83215982842660869">"Ativar o certificado CA do sistema?"</string>
<string name="trusted_credentials_disable_confirmation" msgid="8199697813361646792">"Desativar o certificado CA do sistema?"</string>
<string name="trusted_credentials_remove_confirmation" msgid="443561923016852941">"Remover permanentemente o certificado CA do usuário?"</string>
<string name="accessibility_tutorial_title" msgid="7577630829320003070">"Tutorial do Falar enquanto toco"</string>
<string name="accessibility_tutorial_next" msgid="5079911515520801099">"Avançar"</string>
<string name="accessibility_tutorial_back" msgid="2583933084111712540">"Voltar"</string>
<string name="accessibility_tutorial_finish" msgid="3964330895719289570">"Concluir"</string>
<string name="accessibility_tutorial_skip" msgid="3635250542851027317">"Pular tutorial"</string>
<string name="accessibility_tutorial_lesson_1_title" msgid="1358771359529627110">"Lição 1: explorando a tela"</string>
<string name="accessibility_tutorial_lesson_1_text_1" msgid="2465037336858060269">"Depois de ativar o recurso Falar enquanto toco, você pode tocar na tela para ouvir uma descrição do que está sob o dedo. Por exemplo, a tela atual contém ícones de aplicativos. Encontre um deles tocando na tela e deslizando seu dedo."</string>
<string name="accessibility_tutorial_lesson_1_text_2_more" msgid="7849927882225521983">"Bom. Continue deslizando o dedo pela tela até encontrar pelo menos mais um ícone."</string>
<string name="accessibility_tutorial_lesson_1_text_3" msgid="7343496813666809738">"Para ativar um ícone que está sob seu dedo, toque nele. Deslize o dedo até encontrar o ícone para o <xliff:g id="APP_NAME">%s</xliff:g>. Depois, toque no ícone uma vez para ativá-lo."</string>
<string name="accessibility_tutorial_lesson_1_text_4" msgid="1032496840167920946">"Seu dedo está em cima do ícone do <xliff:g id="APP_NAME">%s</xliff:g>. Toque uma vez para ativar o ícone."</string>
<string name="accessibility_tutorial_lesson_1_text_4_exited" msgid="4950620030782545150">"Seu dedo passou sobre o ícone <xliff:g id="APP_NAME">%s</xliff:g> e se afastou. Deslize o dedo lentamente pela tela até encontrar o ícone do navegador novamente."</string>
<string name="accessibility_tutorial_lesson_1_text_5" msgid="9010294007210301008">"Bom. Para ir para a próxima lição, encontre e ative o botão <xliff:g id="NEXT">%s</xliff:g>, localizado próximo ao canto inferior direito da tela."</string>
<string name="accessibility_tutorial_lesson_2_title" msgid="5970537388562569614">"Lição 2: rolagem usando dois dedos"</string>
<string name="accessibility_tutorial_lesson_2_text_1" msgid="6093658992237125829">"Para percorrer uma lista, você pode deslizar dois dedos ao longo da tela. Por exemplo, a tela atual contém uma lista de nomes de aplicativos que podem rolar para cima ou para baixo. Primeiro, tente identificar alguns itens na lista, deslizando um dedo."</string>
<string name="accessibility_tutorial_lesson_2_text_2_more" msgid="2052918502757226679">"Bom. Continue deslizando o dedo para encontrar, pelo menos, mais um item."</string>
<string name="accessibility_tutorial_lesson_2_text_3" msgid="1326501593438442305">"Agora, coloque dois dedos em um item na lista e deslize os dedos para cima. Se você chegar ao topo da tela, levante os dedos, posicione-os mais abaixo na lista e continue deslizando para cima."</string>
<string name="accessibility_tutorial_lesson_2_text_3_more" msgid="2223814499106104083">"Bom. Continue deslizando os dedos para rolar um pouco mais."</string>
<string name="accessibility_tutorial_lesson_2_text_4" msgid="5374753806314829405">"Você concluiu o tutorial. Para sair e retornar à configuração do Falar enquanto toco, encontre e toque no botão <xliff:g id="FINISH">%s</xliff:g>."</string>
<string name="spellcheckers_settings_title" msgid="8843785708050235008">"Correção ortográfica"</string>
<!-- no translation found for current_backup_pw_prompt (8314880813545036591) -->
<skip />
<!-- no translation found for new_backup_pw_prompt (3491404828757901644) -->
<skip />
<!-- no translation found for confirm_new_backup_pw_prompt (7087168267741332184) -->
<skip />
<!-- no translation found for backup_pw_set_button_text (2387480910044648795) -->
<skip />
<!-- no translation found for backup_pw_cancel_button_text (8845630125391744615) -->
<skip />
</resources>
|