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
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
2174
2175
2176
2177
2178
2179
2180
2181
2182
2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
2238
2239
2240
2241
2242
2243
2244
2245
2246
2247
2248
2249
2250
2251
2252
2253
2254
2255
2256
2257
2258
2259
2260
2261
2262
2263
2264
2265
2266
2267
2268
2269
2270
2271
2272
2273
2274
2275
2276
2277
2278
2279
2280
2281
2282
2283
2284
2285
2286
2287
2288
2289
2290
2291
2292
2293
2294
2295
2296
2297
2298
2299
2300
2301
2302
2303
2304
2305
2306
2307
2308
2309
2310
2311
2312
2313
2314
2315
2316
2317
2318
2319
2320
2321
2322
2323
2324
2325
2326
2327
2328
2329
2330
2331
2332
2333
2334
2335
2336
2337
2338
2339
2340
2341
2342
2343
2344
2345
2346
2347
2348
2349
2350
2351
2352
2353
2354
2355
2356
2357
2358
2359
2360
2361
2362
2363
2364
2365
2366
2367
2368
2369
2370
2371
2372
2373
2374
2375
2376
2377
2378
2379
2380
2381
2382
2383
2384
2385
2386
2387
2388
2389
2390
2391
2392
2393
2394
2395
2396
2397
2398
2399
2400
2401
2402
2403
2404
2405
2406
2407
2408
2409
2410
2411
2412
2413
2414
2415
2416
2417
2418
2419
2420
2421
2422
2423
2424
2425
2426
2427
2428
2429
2430
2431
2432
2433
2434
2435
2436
2437
2438
2439
2440
2441
2442
2443
2444
2445
2446
2447
2448
2449
2450
2451
2452
2453
2454
2455
2456
2457
2458
2459
2460
2461
2462
2463
2464
2465
2466
2467
2468
2469
2470
2471
2472
2473
2474
2475
2476
2477
2478
2479
2480
2481
2482
2483
2484
2485
2486
2487
2488
2489
2490
2491
2492
2493
2494
2495
2496
2497
2498
2499
2500
2501
2502
2503
2504
2505
2506
2507
2508
2509
2510
2511
2512
2513
2514
2515
2516
2517
2518
2519
2520
2521
2522
2523
2524
2525
2526
2527
2528
2529
2530
2531
2532
2533
2534
2535
2536
2537
2538
2539
2540
2541
2542
2543
2544
2545
2546
2547
2548
2549
2550
2551
2552
2553
2554
2555
2556
2557
2558
2559
2560
2561
2562
2563
2564
2565
2566
2567
2568
2569
2570
2571
2572
2573
2574
2575
2576
2577
2578
2579
2580
2581
2582
2583
2584
2585
2586
2587
2588
2589
2590
2591
2592
2593
2594
2595
2596
2597
2598
2599
2600
2601
2602
2603
2604
2605
2606
2607
2608
2609
2610
2611
2612
2613
2614
2615
2616
2617
2618
2619
2620
2621
2622
2623
2624
2625
2626
2627
2628
2629
2630
2631
2632
2633
2634
2635
2636
2637
2638
2639
2640
2641
2642
2643
2644
2645
2646
2647
2648
2649
2650
2651
2652
2653
2654
2655
2656
2657
2658
2659
2660
2661
2662
2663
2664
2665
2666
2667
2668
2669
2670
2671
2672
2673
2674
2675
2676
2677
2678
2679
2680
2681
2682
2683
2684
2685
2686
2687
2688
2689
2690
2691
2692
2693
2694
2695
2696
2697
2698
2699
2700
2701
2702
2703
2704
2705
2706
2707
2708
2709
2710
2711
2712
2713
2714
2715
2716
2717
2718
2719
2720
2721
2722
2723
2724
2725
2726
2727
2728
2729
2730
2731
2732
2733
2734
2735
2736
2737
2738
2739
2740
2741
2742
2743
2744
2745
2746
2747
2748
2749
2750
2751
2752
2753
2754
2755
2756
2757
2758
2759
2760
2761
2762
2763
2764
2765
2766
2767
2768
2769
2770
2771
2772
2773
2774
2775
2776
2777
2778
2779
2780
2781
2782
2783
2784
2785
2786
2787
2788
2789
2790
2791
2792
2793
2794
2795
2796
2797
2798
2799
2800
2801
2802
2803
2804
2805
2806
2807
2808
2809
2810
2811
2812
2813
2814
2815
2816
2817
2818
2819
2820
2821
2822
2823
2824
2825
2826
2827
2828
2829
2830
2831
2832
2833
2834
2835
2836
2837
2838
2839
2840
2841
2842
2843
2844
2845
2846
2847
2848
2849
2850
2851
2852
2853
2854
2855
2856
2857
2858
2859
2860
2861
2862
2863
2864
2865
2866
2867
2868
2869
2870
2871
2872
2873
2874
2875
2876
2877
2878
2879
2880
2881
2882
2883
2884
2885
2886
2887
2888
2889
2890
2891
2892
2893
2894
2895
2896
2897
2898
2899
2900
2901
2902
2903
2904
2905
2906
2907
2908
2909
2910
2911
2912
2913
2914
2915
2916
2917
2918
2919
2920
2921
2922
2923
2924
2925
2926
2927
2928
2929
2930
2931
2932
2933
2934
2935
2936
2937
2938
2939
2940
2941
2942
2943
2944
2945
2946
2947
2948
2949
2950
2951
2952
2953
2954
2955
2956
2957
2958
2959
2960
2961
2962
2963
2964
2965
2966
2967
2968
2969
2970
2971
2972
2973
2974
2975
2976
2977
2978
2979
2980
2981
2982
2983
2984
2985
2986
2987
2988
2989
2990
2991
2992
2993
2994
2995
2996
2997
2998
2999
3000
3001
3002
3003
3004
3005
3006
3007
3008
3009
3010
3011
3012
3013
3014
3015
3016
3017
3018
3019
3020
3021
3022
3023
3024
3025
3026
3027
3028
3029
3030
3031
3032
3033
3034
3035
3036
3037
3038
3039
3040
3041
3042
3043
3044
3045
3046
3047
3048
3049
3050
3051
3052
3053
3054
3055
3056
3057
3058
3059
3060
3061
3062
3063
3064
3065
3066
3067
3068
3069
3070
3071
3072
3073
3074
3075
3076
3077
3078
3079
3080
3081
3082
3083
3084
3085
3086
3087
3088
3089
3090
3091
3092
3093
3094
3095
3096
3097
3098
3099
3100
3101
3102
3103
3104
3105
3106
3107
3108
3109
3110
3111
3112
3113
3114
3115
3116
3117
3118
3119
3120
3121
3122
3123
3124
3125
3126
3127
3128
3129
3130
3131
3132
3133
3134
3135
3136
3137
3138
3139
3140
3141
3142
3143
3144
3145
3146
3147
3148
3149
3150
3151
3152
3153
3154
3155
3156
3157
3158
3159
3160
3161
3162
3163
3164
3165
3166
3167
3168
3169
3170
3171
3172
3173
3174
3175
3176
3177
3178
3179
3180
3181
3182
3183
3184
3185
3186
3187
3188
3189
3190
3191
3192
3193
3194
3195
3196
3197
3198
3199
3200
3201
3202
3203
3204
3205
3206
3207
3208
3209
3210
3211
3212
3213
3214
3215
3216
3217
3218
3219
3220
3221
3222
3223
3224
3225
3226
3227
3228
3229
3230
3231
3232
3233
3234
3235
3236
3237
3238
3239
3240
3241
3242
3243
3244
3245
3246
3247
3248
3249
3250
3251
3252
3253
3254
3255
3256
3257
3258
3259
3260
3261
3262
3263
3264
3265
3266
3267
3268
3269
3270
3271
3272
3273
3274
3275
3276
3277
3278
3279
3280
3281
|
msgid ""
msgstr ""
"POT-Creation-Date: 2023-11-05 16:01-0800\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
"X-Generator: @lingui/cli\n"
"Language: ko\n"
"Project-Id-Version: \n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: \n"
"Last-Translator: quiple\n"
"Language-Team: quiple\n"
"Plural-Forms: \n"
#: src/view/screens/Profile.tsx:214
#~ msgid "- end of feed -"
#~ msgstr "- 피드 끝 -"
#: src/view/com/modals/SelfLabel.tsx:138
#~ msgid ". This warning is only available for posts with media attached."
#~ msgstr ". 이 경고는 미디어가 첨부된 게시물에만 사용할 수 있습니다."
#: src/view/shell/desktop/RightNav.tsx:168
msgid "{0, plural, one {# invite code available} other {# invite codes available}}"
msgstr "{0, plural, one {초대 코드 #개 사용 가능} other {초대 코드 #개 사용 가능}}"
#: src/view/com/modals/Repost.tsx:44
msgid "{0}"
msgstr "{0}"
#: src/view/com/modals/CreateOrEditList.tsx:177
msgid "{0} {purposeLabel} List"
msgstr "{purposeLabel} 리스트 {0}"
#: src/lib/strings/time.ts:28
msgid "{0}d"
msgstr "{0}일"
#: src/lib/strings/time.ts:26
msgid "{0}h"
msgstr "{0}시간"
#: src/lib/strings/time.ts:24
msgid "{0}m"
msgstr "{0}분"
#: src/lib/strings/time.ts:30
msgid "{0}mo"
msgstr "{0}개월"
#: src/lib/strings/time.ts:22
msgid "{diffSeconds}s"
msgstr "{diffSeconds}초"
#: src/view/shell/desktop/RightNav.tsx:151
msgid "{invitesAvailable, plural, one {Invite codes: # available} other {Invite codes: # available}}"
msgstr "{invitesAvailable, plural, one {초대 코드: #개 사용 가능} other {초대 코드: #개 사용 가능}}"
#: src/view/screens/Settings.tsx:408
#: src/view/shell/Drawer.tsx:659
msgid "{invitesAvailable} invite code available"
msgstr "초대 코드 {invitesAvailable}개 사용 가능"
#: src/view/screens/Settings.tsx:410
#: src/view/shell/Drawer.tsx:661
msgid "{invitesAvailable} invite codes available"
msgstr "초대 코드 {invitesAvailable}개 사용 가능"
#: src/view/screens/Search/Search.tsx:87
msgid "{message}"
msgstr "{message}"
#: src/view/com/modals/CreateOrEditList.tsx:133
msgid "{purposeLabel} list created"
msgstr "{purposeLabel} 리스트 생성됨"
#: src/view/com/modals/CreateOrEditList.tsx:124
msgid "{purposeLabel} list updated"
msgstr "{purposeLabel} 리스트 업데이트됨"
#: src/view/com/threadgate/WhoCanReply.tsx:158
msgid "<0/> members"
msgstr "<0/> 멤버"
#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
msgid "<0>Choose your</0><1>Recommended</1><2>Feeds</2>"
msgstr "<1>추천 피드</1><0>선택하기</0>"
#: src/view/com/modals/DeleteAccount.tsx:82
msgid "<0>Delete Account </0><1><2>\"</2><3>{0}</3><4>\"</4></1>"
msgstr "<1><2>\"</2><3>{0}</3><4>\"</4></1><0> 계정 삭제</0>"
#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
msgid "<0>Follow some</0><1>Recommended</1><2>Users</2>"
msgstr "<1>추천 사용자</1><0>팔로우하기</0>"
#: src/view/com/modals/AddAppPasswords.tsx:132
#~ msgid "<0>Here is your app password.</0> Use this to sign into the other app along with your handle."
#~ msgstr "<0>앱 비밀번호입니다.</0> 이 비밀번호와 핸들을 사용하여 다른 앱에 로그인하세요."
#: src/view/screens/Moderation.tsx:212
#~ msgid "<0>Note: This setting may not be respected by third-party apps that display Bluesky content.</0>"
#~ msgstr "<0>참고: Bluesky 콘텐츠를 표시하는 타사 앱은 이 설정을 준수하지 않을 수 있습니다.</0>"
#: src/view/screens/Moderation.tsx:212
#~ msgid "<0>Note: Your profile and posts will remain publicly available. Third-party apps that display Bluesky content may not respect this setting.</0>"
#~ msgstr "<0>참고: 프로필과 게시물은 공개 상태로 유지됩니다. Bluesky 콘텐츠를 표시하는 타사 앱은 이 설정을 준수하지 않을 수 있습니다.</0>"
#: src/view/com/auth/onboarding/WelcomeDesktop.tsx:22
msgid "<0>Welcome to</0><1>Bluesky</1>"
msgstr "<1>Bluesky</1><0>에 오신 것을 환영합니다</0>"
#: src/view/com/util/moderation/LabelInfo.tsx:45
msgid "A content warning has been applied to this {0}."
msgstr "이 {0}에 콘텐츠 경고가 적용되었습니다."
#: src/lib/hooks/useOTAUpdate.ts:16
msgid "A new version of the app is available. Please update to continue using the app."
msgstr "새 버전의 앱을 사용할 수 있습니다. 앱을 계속 사용하려면 업데이트하세요."
#: src/view/com/modals/EditImage.tsx:299
#: src/view/screens/Settings.tsx:418
msgid "Accessibility"
msgstr "접근성"
#: src/view/com/auth/login/LoginForm.tsx:159
#: src/view/screens/Settings.tsx:287
msgid "Account"
msgstr "계정"
#: src/view/com/profile/ProfileHeader.tsx:293
msgid "Account blocked"
msgstr "계정 차단됨"
#: src/view/com/profile/ProfileHeader.tsx:260
msgid "Account muted"
msgstr "계정 뮤트됨"
#: src/view/com/util/AccountDropdownBtn.tsx:41
msgid "Account options"
msgstr "계정 옵션"
#: src/view/com/util/AccountDropdownBtn.tsx:25
msgid "Account removed from quick access"
msgstr "퀵 액세스에서 계정 제거"
#: src/view/com/profile/ProfileHeader.tsx:315
msgid "Account unblocked"
msgstr "계정 차단 해제됨"
#: src/view/com/profile/ProfileHeader.tsx:273
msgid "Account unmuted"
msgstr "계정 언뮤트됨"
#: src/state/queries/preferences/moderation.ts:138
msgid "Accounts falsely claiming to be people or orgs"
msgstr "사람 또는 조직을 사칭하는 계정"
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:151
#: src/view/com/modals/ListAddRemoveUsers.tsx:264
#: src/view/com/modals/UserAddRemoveLists.tsx:193
#: src/view/screens/ProfileList.tsx:772
msgid "Add"
msgstr "추가"
#: src/view/com/modals/SelfLabel.tsx:56
msgid "Add a content warning"
msgstr "콘텐츠 경고 추가"
#: src/view/screens/ProfileList.tsx:762
msgid "Add a user to this list"
msgstr "이 리스트에 사용자 추가"
#: src/view/screens/Settings.tsx:356
#: src/view/screens/Settings.tsx:365
msgid "Add account"
msgstr "계정 추가"
#: src/view/com/composer/photos/Gallery.tsx:119
#: src/view/com/composer/photos/Gallery.tsx:180
msgid "Add alt text"
msgstr "대체 텍스트 추가"
#: src/view/com/modals/report/InputIssueDetails.tsx:41
#: src/view/com/modals/report/Modal.tsx:194
msgid "Add details"
msgstr "상세 내용 추가"
#: src/view/com/modals/report/Modal.tsx:197
msgid "Add details to report"
msgstr "신고 상세 내용 추가"
#: src/view/com/composer/Composer.tsx:444
msgid "Add link card"
msgstr "링크 카드 추가"
#: src/view/com/composer/Composer.tsx:447
msgid "Add link card:"
msgstr "링크 카드 추가:"
#: src/view/com/modals/ChangeHandle.tsx:415
msgid "Add the following DNS record to your domain:"
msgstr "도메인에 다음 DNS 레코드를 추가하세요:"
#: src/view/com/profile/ProfileHeader.tsx:357
msgid "Add to Lists"
msgstr "리스트에 추가"
#: src/view/screens/ProfileFeed.tsx:281
msgid "Add to my feeds"
msgstr "내 피드에 추가"
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:140
msgid "Added"
msgstr "추가됨"
#: src/view/com/modals/ListAddRemoveUsers.tsx:191
#: src/view/com/modals/UserAddRemoveLists.tsx:128
msgid "Added to list"
msgstr "리스트에 추가됨"
#: src/view/com/feeds/FeedSourceCard.tsx:125
msgid "Added to my feeds"
msgstr "내 피드에 추가됨"
#: src/view/screens/PreferencesHomeFeed.tsx:167
msgid "Adjust the number of likes a reply must have to be shown in your feed."
msgstr "답글이 피드에 표시되기 위해 필요한 좋아요 표시 수를 조정합니다."
#: src/view/com/modals/SelfLabel.tsx:75
msgid "Adult Content"
msgstr "성인 콘텐츠"
#: src/view/com/modals/ContentFilteringSettings.tsx:137
msgid "Adult content can only be enabled via the Web at <0/>."
msgstr "성인 콘텐츠는 <0/>에서 웹을 통해서만 활성화할 수 있습니다."
#: src/view/screens/Settings.tsx:570
msgid "Advanced"
msgstr "고급"
#: src/view/com/auth/login/ChooseAccountForm.tsx:98
msgid "Already signed in as @{0}"
msgstr "이미 @{0}(으)로 로그인했습니다."
#: src/view/com/composer/photos/Gallery.tsx:130
msgid "ALT"
msgstr "ALT"
#: src/view/com/modals/EditImage.tsx:315
msgid "Alt text"
msgstr "대체 텍스트"
#: src/view/com/composer/photos/Gallery.tsx:209
msgid "Alt text describes images for blind and low-vision users, and helps give context to everyone."
msgstr "대체 텍스트는 시각장애인과 저시력 사용자를 위해 이미지를 설명하며 모든 사용자의 이해를 돕습니다."
#: src/view/com/modals/VerifyEmail.tsx:118
msgid "An email has been sent to {0}. It includes a confirmation code which you can enter below."
msgstr "{0}(으)로 이메일을 전송했습니다. 이 이메일에는 아래에 입력하는 확인 코드가 포함되어 있습니다."
#: src/view/com/modals/ChangeEmail.tsx:119
msgid "An email has been sent to your previous address, {0}. It includes a confirmation code which you can enter below."
msgstr "이전 주소인 {0}(으)로 이메일을 전송했습니다. 이 이메일에는 아래에 입력하는 확인 코드가 포함되어 있습니다."
#: src/view/com/profile/FollowButton.tsx:30
#: src/view/com/profile/FollowButton.tsx:40
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:183
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:193
msgid "An issue occurred, please try again."
msgstr "문제가 발생했습니다. 다시 시도해 주세요."
#: src/view/com/auth/create/Policies.tsx:80
#: src/view/com/notifications/FeedItem.tsx:240
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "및"
#: src/view/screens/LanguageSettings.tsx:95
msgid "App Language"
msgstr "앱 언어"
#: src/view/screens/AppPasswords.tsx:227
msgid "App password deleted"
msgstr "앱 비밀번호 삭제됨"
#: src/view/com/modals/AddAppPasswords.tsx:133
msgid "App Password names can only contain letters, numbers, spaces, dashes, and underscores."
msgstr "앱 비밀번호 이름에는 문자, 숫자, 공백, 대시, 밑줄만 사용할 수 있습니다."
#: src/view/com/modals/AddAppPasswords.tsx:98
msgid "App Password names must be at least 4 characters long."
msgstr "앱 비밀번호 이름은 4자 이상이어야 합니다."
#: src/view/screens/Settings.tsx:590
msgid "App passwords"
msgstr "앱 비밀번호"
#: src/view/screens/AppPasswords.tsx:186
msgid "App Passwords"
msgstr "앱 비밀번호"
#: src/view/com/util/forms/PostDropdownBtn.tsx:238
msgid "Appeal content warning"
msgstr "콘텐츠 경고 이의신청"
#: src/view/com/modals/AppealLabel.tsx:65
msgid "Appeal Content Warning"
msgstr "콘텐츠 경고 이의신청"
#: src/view/com/modals/AppealLabel.tsx:65
#~ msgid "Appeal Decision"
#~ msgstr "이의신청"
#: src/view/com/util/moderation/LabelInfo.tsx:52
msgid "Appeal this decision"
msgstr "이 결정에 이의신청"
#: src/view/com/util/moderation/LabelInfo.tsx:56
msgid "Appeal this decision."
msgstr "이 결정에 이의신청합니다."
#: src/view/screens/Settings.tsx:433
msgid "Appearance"
msgstr "모양"
#: src/view/screens/Moderation.tsx:206
#~ msgid "Apps that respect this setting, including the official Bluesky app and bsky.app website, won't show your content to logged out users."
#~ msgstr "Bluesky 공식 앱과 bsky.app 웹사이트를 포함하여 이 설정을 준수하는 앱은 로그아웃한 사용자에게 내 콘텐츠를 표시하지 않습니다."
#: src/view/screens/AppPasswords.tsx:223
msgid "Are you sure you want to delete the app password \"{name}\"?"
msgstr "앱 비밀번호 \"{name}\"을(를) 삭제하시겠습니까?"
#: src/view/com/composer/Composer.tsx:142
msgid "Are you sure you'd like to discard this draft?"
msgstr "이 초안을 삭제하시겠습니까?"
#: src/view/screens/ProfileList.tsx:361
msgid "Are you sure?"
msgstr "확실합니까?"
#: src/view/com/util/forms/PostDropdownBtn.tsx:221
msgid "Are you sure? This cannot be undone."
msgstr "확실합니까? 취소할 수 없습니다."
#: src/view/com/modals/SelfLabel.tsx:123
msgid "Artistic or non-erotic nudity."
msgstr "선정적이지 않거나 예술적인 노출."
#: src/view/screens/Moderation.tsx:189
#~ msgid "Ask apps to limit the visibility of my account"
#~ msgstr "내 계정의 공개 범위를 제한하도록 앱에 요청하기"
#: src/view/com/auth/create/CreateAccount.tsx:141
#: src/view/com/auth/login/ChooseAccountForm.tsx:151
#: src/view/com/auth/login/ForgotPasswordForm.tsx:166
#: src/view/com/auth/login/LoginForm.tsx:250
#: src/view/com/auth/login/SetNewPasswordForm.tsx:148
#: src/view/com/modals/report/InputIssueDetails.tsx:46
#: src/view/com/post-thread/PostThread.tsx:388
#: src/view/com/post-thread/PostThread.tsx:438
#: src/view/com/post-thread/PostThread.tsx:446
#: src/view/com/profile/ProfileHeader.tsx:676
msgid "Back"
msgstr "뒤로"
#: src/view/screens/Settings.tsx:462
msgid "Basics"
msgstr "기본"
#: src/view/com/auth/create/Step2.tsx:156
#: src/view/com/modals/BirthDateSettings.tsx:73
msgid "Birthday"
msgstr "생년월일"
#: src/view/screens/Settings.tsx:313
msgid "Birthday:"
msgstr "생년월일:"
#: src/view/com/profile/ProfileHeader.tsx:286
#: src/view/com/profile/ProfileHeader.tsx:393
msgid "Block Account"
msgstr "계정 차단"
#: src/view/screens/ProfileList.tsx:531
msgid "Block accounts"
msgstr "계정 차단"
#: src/view/screens/ProfileList.tsx:481
msgid "Block list"
msgstr "리스트 차단"
#: src/view/screens/ProfileList.tsx:312
msgid "Block these accounts?"
msgstr "이 계정들을 차단하시겠습니까?"
#: src/view/screens/Moderation.tsx:123
msgid "Blocked accounts"
msgstr "차단한 계정"
#: src/view/screens/ModerationBlockedAccounts.tsx:107
msgid "Blocked Accounts"
msgstr "차단한 계정"
#: src/view/com/profile/ProfileHeader.tsx:288
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "차단한 계정은 내 스레드에 답글을 달거나 나를 멘션하거나 기타 다른 방식으로 나와 상호작용할 수 없습니다."
#: src/view/screens/ModerationBlockedAccounts.tsx:115
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "차단한 계정은 내 스레드에 답글을 달거나 나를 멘션하거나 기타 다른 방식으로 나와 상호작용할 수 없습니다. 차단한 계정의 콘텐츠를 볼 수 없으며 해당 계정도 내 콘텐츠를 볼 수 없게 됩니다."
#: src/view/com/post-thread/PostThread.tsx:250
msgid "Blocked post."
msgstr "차단된 게시물."
#: src/view/screens/ProfileList.tsx:314
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "차단 목록은 공개됩니다. 차단한 계정은 내 스레드에 답글을 달거나 나를 멘션하거나 기타 다른 방식으로 나와 상호작용할 수 없습니다."
#: src/view/com/auth/HomeLoggedOutCTA.tsx:93
#: src/view/com/auth/SplashScreen.web.tsx:113
msgid "Blog"
msgstr "블로그"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:31
msgid "Bluesky"
msgstr "Bluesky"
#: src/view/com/auth/onboarding/WelcomeDesktop.tsx:82
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:80
msgid "Bluesky is flexible."
msgstr "Bluesky는 유연합니다."
#: src/view/com/auth/onboarding/WelcomeDesktop.tsx:71
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:69
msgid "Bluesky is open."
msgstr "Bluesky는 열려 있습니다."
#: src/view/com/auth/onboarding/WelcomeDesktop.tsx:58
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:56
msgid "Bluesky is public."
msgstr "Bluesky는 공개적입니다."
#: src/view/com/modals/Waitlist.tsx:70
msgid "Bluesky uses invites to build a healthier community. If you don't know anybody with an invite, you can sign up for the waitlist and we'll send one soon."
msgstr "Bluesky는 더 건강한 커뮤니티를 구축하기 위해 초대 방식을 사용합니다. 초대해 준 사람이 없는 경우 대기자 명단에 등록하면 곧 초대를 보내겠습니다."
#: src/view/screens/Moderation.tsx:225
msgid "Bluesky will not show your profile and posts to logged-out users. Other apps may not honor this request. This does not make your account private."
msgstr "Bluesky는 로그아웃한 사용자에게 내 프로필과 게시물을 표시하지 않습니다. 다른 앱에서는 이 설정을 따르지 않을 수 있습니다. 내 계정을 비공개로 전환하지는 않습니다."
#: src/view/com/modals/ServerInput.tsx:78
msgid "Bluesky.Social"
msgstr "Bluesky.Social"
#: src/view/screens/Settings.tsx:719
msgid "Build version {0} {1}"
msgstr "빌드 버전 {0} {1}"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:87
#: src/view/com/auth/SplashScreen.web.tsx:108
msgid "Business"
msgstr "비즈니스"
#: src/view/com/auth/create/Policies.tsx:87
msgid "By creating an account you agree to the {els}."
msgstr "계정을 만들면 {els}에 동의하는 것입니다."
#: src/view/com/composer/photos/OpenCameraBtn.tsx:60
#: src/view/com/util/UserAvatar.tsx:221
#: src/view/com/util/UserBanner.tsx:38
msgid "Camera"
msgstr "카메라"
#: src/view/com/modals/AddAppPasswords.tsx:218
msgid "Can only contain letters, numbers, spaces, dashes, and underscores. Must be at least 4 characters long, but no more than 32 characters long."
msgstr "글자, 숫자, 공백, 대시, 밑줄만 포함할 수 있습니다. 길이는 4자 이상이어야 하고 32자를 넘지 않아야 합니다."
#: src/view/com/composer/Composer.tsx:291
#: src/view/com/composer/Composer.tsx:294
#: src/view/com/modals/AltImage.tsx:128
#: src/view/com/modals/ChangeEmail.tsx:218
#: src/view/com/modals/ChangeEmail.tsx:220
#: src/view/com/modals/ChangeHandle.tsx:153
#: src/view/com/modals/Confirm.tsx:88
#: src/view/com/modals/Confirm.tsx:91
#: src/view/com/modals/CreateOrEditList.tsx:268
#: src/view/com/modals/CreateOrEditList.tsx:273
#: src/view/com/modals/crop-image/CropImage.web.tsx:137
#: src/view/com/modals/DeleteAccount.tsx:152
#: src/view/com/modals/DeleteAccount.tsx:225
#: src/view/com/modals/EditImage.tsx:323
#: src/view/com/modals/EditProfile.tsx:249
#: src/view/com/modals/LinkWarning.tsx:85
#: src/view/com/modals/LinkWarning.tsx:87
#: src/view/com/modals/Repost.tsx:73
#: src/view/com/modals/Waitlist.tsx:136
#: src/view/screens/Search/Search.tsx:601
#: src/view/shell/desktop/Search.tsx:182
msgid "Cancel"
msgstr "취소"
#: src/view/com/modals/DeleteAccount.tsx:148
#: src/view/com/modals/DeleteAccount.tsx:221
msgid "Cancel account deletion"
msgstr "계정 삭제 취소"
#: src/view/com/modals/AltImage.tsx:123
msgid "Cancel add image alt text"
msgstr "이미지 대체 텍스트 추가 취소"
#: src/view/com/modals/ChangeHandle.tsx:149
msgid "Cancel change handle"
msgstr "핸들 변경 취소"
#: src/view/com/modals/crop-image/CropImage.web.tsx:134
msgid "Cancel image crop"
msgstr "이미지 자르기 취소"
#: src/view/com/modals/EditProfile.tsx:244
msgid "Cancel profile editing"
msgstr "프로필 편집 취소"
#: src/view/com/modals/Repost.tsx:64
msgid "Cancel quote post"
msgstr "게시물 인용 취소"
#: src/view/com/modals/ListAddRemoveUsers.tsx:87
#: src/view/shell/desktop/Search.tsx:178
msgid "Cancel search"
msgstr "검색 취소"
#: src/view/com/modals/Waitlist.tsx:132
msgid "Cancel waitlist signup"
msgstr "대기자 명단 등록 취소"
#: src/view/screens/Settings.tsx:307
msgid "Change"
msgstr "변경"
#: src/view/screens/Settings.tsx:602
#: src/view/screens/Settings.tsx:611
msgid "Change handle"
msgstr "핸들 변경"
#: src/view/com/modals/ChangeHandle.tsx:161
msgid "Change Handle"
msgstr "핸들 변경"
#: src/view/com/modals/VerifyEmail.tsx:141
msgid "Change my email"
msgstr "내 이메일 변경"
#: src/view/com/modals/ChangeEmail.tsx:109
msgid "Change Your Email"
msgstr "이메일 변경"
#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "몇 가지 추천 피드를 확인하세요. +를 탭하여 고정된 피드 목록에 추가합니다."
#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "추천 사용자를 확인하세요. 해당 사용자를 팔로우하여 비슷한 사용자를 만날 수 있습니다."
#: src/view/com/modals/DeleteAccount.tsx:165
msgid "Check your inbox for an email with the confirmation code to enter below:"
msgstr "받은 편지함에서 아래에 입력하는 확인 코드가 포함된 이메일이 있는지 확인하세요:"
#: src/view/com/modals/Threadgate.tsx:72
msgid "Choose \"Everybody\" or \"Nobody\""
msgstr "\"모두\" 또는 \"없음\"을 선택하세요."
#: src/view/com/modals/ServerInput.tsx:38
msgid "Choose Service"
msgstr "서비스 선택"
#: src/view/com/auth/onboarding/WelcomeDesktop.tsx:85
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:83
msgid "Choose the algorithms that power your experience with custom feeds."
msgstr "맞춤 피드를 통해 사용자 경험을 강화하는 알고리즘을 선택합니다."
#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:65
#~ msgid "Choose your"
#~ msgstr "Choose your"
#: src/view/com/auth/create/Step2.tsx:127
msgid "Choose your password"
msgstr "비밀번호를 입력하세요"
#: src/view/screens/Settings.tsx:695
msgid "Clear all legacy storage data"
msgstr "모든 레거시 스토리지 데이터 지우기"
#: src/view/screens/Settings.tsx:697
msgid "Clear all legacy storage data (restart after this)"
msgstr "모든 레거시 스토리지 데이터 지우기 (이후 다시 시작)"
#: src/view/screens/Settings.tsx:707
msgid "Clear all storage data"
msgstr "모든 스토리지 데이터 지우기"
#: src/view/screens/Settings.tsx:709
msgid "Clear all storage data (restart after this)"
msgstr "모든 스토리지 데이터 지우기 (이후 다시 시작)"
#: src/view/com/util/forms/SearchInput.tsx:74
#: src/view/screens/Search/Search.tsx:582
msgid "Clear search query"
msgstr "검색어 지우기"
#: src/view/com/auth/login/PasswordUpdatedForm.tsx:38
msgid "Close alert"
msgstr "알림 닫기"
#: src/view/com/util/BottomSheetCustomBackdrop.tsx:33
msgid "Close bottom drawer"
msgstr "하단 서랍 닫기"
#: src/view/com/lightbox/ImageViewing/components/ImageDefaultHeader.tsx:26
msgid "Close image"
msgstr "이미지 닫기"
#: src/view/com/lightbox/Lightbox.web.tsx:112
msgid "Close image viewer"
msgstr "이미지 뷰어 닫기"
#: src/view/shell/index.web.tsx:49
msgid "Close navigation footer"
msgstr "탐색 푸터 닫기"
#: src/view/screens/CommunityGuidelines.tsx:32
msgid "Community Guidelines"
msgstr "커뮤니티 가이드라인"
#: src/view/com/composer/Prompt.tsx:24
msgid "Compose reply"
msgstr "답글 작성하기"
#: src/view/com/modals/AppealLabel.tsx:98
#: src/view/com/modals/Confirm.tsx:75
#: src/view/com/modals/Confirm.tsx:78
#: src/view/com/modals/SelfLabel.tsx:154
#: src/view/com/modals/VerifyEmail.tsx:225
#: src/view/com/modals/VerifyEmail.tsx:227
#: src/view/screens/PreferencesHomeFeed.tsx:302
#: src/view/screens/PreferencesThreads.tsx:159
msgid "Confirm"
msgstr "확인"
#: src/view/com/modals/ChangeEmail.tsx:193
#: src/view/com/modals/ChangeEmail.tsx:195
msgid "Confirm Change"
msgstr "변경 확인"
#: src/view/com/modals/lang-settings/ConfirmLanguagesButton.tsx:34
msgid "Confirm content language settings"
msgstr "콘텐츠 언어 설정 확인"
#: src/view/com/modals/DeleteAccount.tsx:211
msgid "Confirm delete account"
msgstr "계정 삭제 확인"
#: src/view/com/modals/ChangeEmail.tsx:157
#: src/view/com/modals/DeleteAccount.tsx:178
#: src/view/com/modals/VerifyEmail.tsx:159
msgid "Confirmation code"
msgstr "확인 코드"
#: src/view/com/auth/create/CreateAccount.tsx:174
#: src/view/com/auth/login/LoginForm.tsx:269
msgid "Connecting..."
msgstr "연결 중…"
#: src/view/screens/Moderation.tsx:81
msgid "Content filtering"
msgstr "콘텐츠 필터링"
#: src/view/com/modals/ContentFilteringSettings.tsx:44
msgid "Content Filtering"
msgstr "콘텐츠 필터링"
#: src/view/com/modals/lang-settings/ContentLanguagesSettings.tsx:74
#: src/view/screens/LanguageSettings.tsx:278
msgid "Content Languages"
msgstr "콘텐츠 언어"
#: src/view/com/util/moderation/ScreenHider.tsx:78
msgid "Content Warning"
msgstr "콘텐츠 경고"
#: src/view/com/composer/labels/LabelsBtn.tsx:31
msgid "Content warnings"
msgstr "콘텐츠 경고"
#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
msgid "Continue"
msgstr "계속"
#: src/view/com/modals/AddAppPasswords.tsx:197
#: src/view/com/modals/InviteCodes.tsx:182
msgid "Copied"
msgstr "복사됨"
#: src/view/screens/Settings.tsx:236
msgid "Copied build version to clipboard"
msgstr "빌드 버전 클립보드에 복사됨"
#: src/lib/sharing.ts:23
#: src/view/com/modals/AddAppPasswords.tsx:75
#: src/view/com/modals/ChangeHandle.tsx:325
#: src/view/com/modals/InviteCodes.tsx:152
#: src/view/com/util/forms/PostDropdownBtn.tsx:100
msgid "Copied to clipboard"
msgstr "클립보드에 복사됨"
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copy"
msgstr "복사"
#: src/view/com/modals/ChangeHandle.tsx:479
msgid "Copy {0}"
msgstr "{0} 복사"
#: src/view/screens/ProfileList.tsx:393
msgid "Copy link to list"
msgstr "리스트 링크 복사"
#: src/view/com/util/forms/PostDropdownBtn.tsx:141
msgid "Copy link to post"
msgstr "게시물 링크 복사"
#: src/view/com/profile/ProfileHeader.tsx:342
msgid "Copy link to profile"
msgstr "프로필 링크 복사"
#: src/view/com/util/forms/PostDropdownBtn.tsx:127
msgid "Copy post text"
msgstr "게시물 텍스트 복사"
#: src/view/screens/CopyrightPolicy.tsx:29
msgid "Copyright Policy"
msgstr "저작권 정책"
#: src/view/screens/ProfileFeed.tsx:95
msgid "Could not load feed"
msgstr "피드를 불러올 수 없습니다"
#: src/view/screens/ProfileList.tsx:848
msgid "Could not load list"
msgstr "리스트를 불러올 수 없습니다"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:62
#: src/view/com/auth/SplashScreen.tsx:46
#: src/view/com/auth/SplashScreen.web.tsx:78
msgid "Create a new account"
msgstr "새 계정 만들기"
#: src/view/com/auth/create/CreateAccount.tsx:121
msgid "Create Account"
msgstr "계정 만들기"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:54
#: src/view/com/auth/SplashScreen.tsx:43
msgid "Create new account"
msgstr "새 계정 만들기"
#: src/view/screens/AppPasswords.tsx:248
msgid "Created {0}"
msgstr "{0} 생성됨"
#: src/view/com/modals/ChangeHandle.tsx:387
#: src/view/com/modals/ServerInput.tsx:102
msgid "Custom domain"
msgstr "사용자 지정 도메인"
#: src/view/screens/Settings.tsx:616
msgid "Danger Zone"
msgstr "위험 구역"
#: src/view/screens/Settings.tsx:452
msgid "Dark"
msgstr "어두움"
#: src/view/com/auth/create/Step1.tsx:61
msgid "default"
msgstr "기본"
#: src/view/screens/Settings.tsx:623
msgid "Delete account"
msgstr "계정 삭제"
#: src/view/com/modals/DeleteAccount.tsx:83
#~ msgid "Delete Account"
#~ msgstr "계정 삭제"
#: src/view/screens/AppPasswords.tsx:221
#: src/view/screens/AppPasswords.tsx:241
msgid "Delete app password"
msgstr "앱 비밀번호 삭제"
#: src/view/screens/ProfileList.tsx:360
#: src/view/screens/ProfileList.tsx:420
msgid "Delete List"
msgstr "리스트 삭제"
#: src/view/com/modals/DeleteAccount.tsx:214
msgid "Delete my account"
msgstr "내 계정 삭제"
#: src/view/screens/Settings.tsx:633
msgid "Delete my account…"
msgstr "내 계정 삭제…"
#: src/view/com/util/forms/PostDropdownBtn.tsx:216
msgid "Delete post"
msgstr "게시물 삭제"
#: src/view/com/util/forms/PostDropdownBtn.tsx:220
msgid "Delete this post?"
msgstr "이 게시물을 삭제하시겠습니까?"
#: src/view/com/post-thread/PostThread.tsx:242
msgid "Deleted post."
msgstr "삭제된 게시물."
#: src/view/com/modals/CreateOrEditList.tsx:219
#: src/view/com/modals/CreateOrEditList.tsx:235
#: src/view/com/modals/EditProfile.tsx:198
#: src/view/com/modals/EditProfile.tsx:210
msgid "Description"
msgstr "설명"
#: src/view/com/auth/create/Step1.tsx:96
msgid "Dev Server"
msgstr "개발 서버"
#: src/view/screens/Settings.tsx:638
msgid "Developer Tools"
msgstr "개발자 도구"
#: src/view/com/composer/Composer.tsx:210
msgid "Did you want to say anything?"
msgstr "하고 싶은 말이 있나요?"
#: src/view/com/composer/Composer.tsx:143
msgid "Discard"
msgstr "삭제"
#: src/view/com/composer/Composer.tsx:137
msgid "Discard draft"
msgstr "초안 삭제"
#: src/view/screens/Moderation.tsx:207
msgid "Discourage apps from showing my account to logged-out users"
msgstr "앱이 로그아웃한 사용자에게 내 계정을 표시하지 않도록 설정하기"
#: src/view/com/posts/FollowingEmptyState.tsx:74
msgid "Discover new custom feeds"
msgstr "새로운 맞춤 피드 찾아보기"
#: src/view/screens/Feeds.tsx:405
msgid "Discover new feeds"
msgstr "새 피드 발견하기"
#: src/view/com/modals/EditProfile.tsx:192
msgid "Display name"
msgstr "표시 이름"
#: src/view/com/modals/EditProfile.tsx:180
msgid "Display Name"
msgstr "표시 이름"
#: src/view/com/modals/ChangeHandle.tsx:396
msgid "DNS Panel"
msgstr "DNS 패널"
#: src/state/queries/preferences/moderation.ts:108
msgid "Does not include nudity"
msgstr "신체 노출 미포함"
#: src/view/com/modals/ChangeHandle.tsx:480
msgid "Domain Value"
msgstr "도메인 값"
#: src/view/com/modals/ChangeHandle.tsx:487
msgid "Domain verified!"
msgstr "도메인을 확인했습니다!"
#: src/view/com/auth/create/Step2.tsx:83
msgid "Don't have an invite code?"
msgstr "초대 코드가 없으십니까?"
#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
#: src/view/com/modals/ContentFilteringSettings.tsx:88
#: src/view/com/modals/ContentFilteringSettings.tsx:96
#: src/view/com/modals/crop-image/CropImage.web.tsx:152
#: src/view/com/modals/EditImage.tsx:333
#: src/view/com/modals/InviteCodes.tsx:80
#: src/view/com/modals/InviteCodes.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:142
#: src/view/com/modals/ListAddRemoveUsers.tsx:144
#: src/view/com/modals/SelfLabel.tsx:157
#: src/view/com/modals/Threadgate.tsx:129
#: src/view/com/modals/Threadgate.tsx:132
#: src/view/com/modals/UserAddRemoveLists.tsx:79
#: src/view/com/modals/UserAddRemoveLists.tsx:82
#: src/view/screens/PreferencesHomeFeed.tsx:305
#: src/view/screens/PreferencesThreads.tsx:162
msgid "Done"
msgstr "완료"
#: src/view/com/modals/lang-settings/ConfirmLanguagesButton.tsx:42
msgid "Done{extraText}"
msgstr "완료{extraText}"
#: src/view/com/modals/InviteCodes.tsx:96
msgid "Each code works once. You'll receive more invite codes periodically."
msgstr "각 코드는 한 번만 사용할 수 있습니다. 주기적으로 더 많은 초대 코드를 받게 됩니다."
#: src/view/com/modals/CreateOrEditList.tsx:178
msgid "Edit"
msgstr "편집"
#: src/view/com/composer/photos/Gallery.tsx:144
#: src/view/com/modals/EditImage.tsx:207
msgid "Edit image"
msgstr "이미지 편집"
#: src/view/screens/ProfileList.tsx:408
msgid "Edit list details"
msgstr "리스트 상세 편집"
#: src/view/screens/Feeds.tsx:367
#: src/view/screens/SavedFeeds.tsx:84
msgid "Edit My Feeds"
msgstr "내 피드 편집"
#: src/view/com/modals/EditProfile.tsx:152
msgid "Edit my profile"
msgstr "내 프로필 편집"
#: src/view/com/profile/ProfileHeader.tsx:457
msgid "Edit profile"
msgstr "프로필 편집"
#: src/view/com/profile/ProfileHeader.tsx:460
msgid "Edit Profile"
msgstr "프로필 편집"
#: src/view/screens/Feeds.tsx:330
msgid "Edit Saved Feeds"
msgstr "저장된 피드 편집"
#: src/view/com/auth/create/Step2.tsx:108
#: src/view/com/auth/login/ForgotPasswordForm.tsx:148
#: src/view/com/modals/ChangeEmail.tsx:141
#: src/view/com/modals/Waitlist.tsx:88
msgid "Email"
msgstr "이메일"
#: src/view/com/auth/create/Step2.tsx:99
msgid "Email address"
msgstr "이메일 주소"
#: src/view/com/modals/ChangeEmail.tsx:56
#: src/view/com/modals/ChangeEmail.tsx:88
msgid "Email updated"
msgstr "이메일 변경됨"
#: src/view/com/modals/ChangeEmail.tsx:111
msgid "Email Updated"
msgstr "이메일 변경됨"
#: src/view/com/modals/VerifyEmail.tsx:78
msgid "Email verified"
msgstr "이메일 확인됨"
#: src/view/screens/Settings.tsx:291
msgid "Email:"
msgstr "이메일:"
#: src/view/com/modals/ContentFilteringSettings.tsx:158
msgid "Enable Adult Content"
msgstr "성인 콘텐츠 활성화"
#: src/view/screens/PreferencesHomeFeed.tsx:141
msgid "Enable this setting to only see replies between people you follow."
msgstr "내가 팔로우하는 사람들 간의 답글만 표시합니다."
#: src/view/screens/Profile.tsx:427
msgid "End of feed"
msgstr "피드 끝"
#: src/view/com/auth/create/Step1.tsx:71
msgid "Enter the address of your provider:"
msgstr "제공자 주소를 입력하세요:"
#: src/view/com/modals/ChangeHandle.tsx:369
msgid "Enter the domain you want to use"
msgstr "사용할 도메인 입력"
#: src/view/com/auth/login/ForgotPasswordForm.tsx:101
msgid "Enter the email you used to create your account. We'll send you a \"reset code\" so you can set a new password."
msgstr "계정을 만들 때 사용한 이메일을 입력합니다. 새 비밀번호를 설정할 수 있도록 \"재설정 코드\"를 보내드립니다."
#: src/view/com/auth/create/Step2.tsx:104
msgid "Enter your email address"
msgstr "이메일 주소를 입력하세요"
#: src/view/com/modals/ChangeEmail.tsx:117
msgid "Enter your new email address below."
msgstr "아래에 새 이메일 주소를 입력하세요."
#: src/view/com/auth/login/Login.tsx:99
msgid "Enter your username and password"
msgstr "사용자 이름 및 비밀번호 입력"
#: src/view/screens/Search/Search.tsx:105
msgid "Error:"
msgstr "오류:"
#: src/view/com/modals/Threadgate.tsx:76
msgid "Everybody"
msgstr "모두"
#: src/state/queries/preferences/moderation.ts:131
msgid "Excessive unwanted interactions"
msgstr "원치 않는 과도한 상호작용"
#: src/view/com/lightbox/Lightbox.web.tsx:156
msgid "Expand alt text"
msgstr "대체 텍스트 확장"
#: src/state/queries/preferences/moderation.ts:91
msgid "Explicit Sexual Images"
msgstr "노골적인 성적 이미지"
#: src/view/com/modals/AddAppPasswords.tsx:114
#: src/view/com/modals/AddAppPasswords.tsx:118
msgid "Failed to create app password."
msgstr "앱 비밀번호를 만들지 못했습니다."
#: src/view/com/util/forms/PostDropdownBtn.tsx:78
msgid "Failed to delete post, please try again"
msgstr "게시물을 삭제하지 못했습니다. 다시 시도해 주세요."
#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
msgid "Failed to load recommended feeds"
msgstr "추천 피드를 불러오지 못했습니다"
#: src/view/com/lightbox/Lightbox.tsx:83
msgid "Failed to save image: {0}"
msgstr "이미지를 저장하지 못했습니다: {0}"
#: src/view/screens/Feeds.tsx:556
msgid "Feed offline"
msgstr "피드 오프라인"
#: src/view/com/feeds/FeedPage.tsx:143
msgid "Feed Preferences"
msgstr "피드 설정"
#: src/view/shell/desktop/RightNav.tsx:73
#: src/view/shell/Drawer.tsx:311
msgid "Feedback"
msgstr "피드백"
#: src/view/screens/Feeds.tsx:475
#: src/view/screens/Profile.tsx:165
#: src/view/shell/bottom-bar/BottomBar.tsx:181
#: src/view/shell/desktop/LeftNav.tsx:342
#: src/view/shell/Drawer.tsx:474
#: src/view/shell/Drawer.tsx:475
msgid "Feeds"
msgstr "피드"
#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "피드는 콘텐츠를 큐레이션하기 위해 사용자에 의해 만들어집니다. 관심 있는 피드를 선택하세요."
#: src/view/screens/SavedFeeds.tsx:156
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "피드는 사용자가 약간의 코딩 전문 지식으로 구축할 수 있는 맞춤 알고리즘입니다. <0/>에서 자세한 내용을 확인하세요."
#: src/view/com/modals/ChangeHandle.tsx:480
msgid "File Contents"
msgstr "파일 내용"
#: src/view/com/posts/FollowingEmptyState.tsx:57
msgid "Find accounts to follow"
msgstr "팔로우할 계정 찾아보기"
#: src/view/screens/Search/Search.tsx:427
msgid "Find users on Bluesky"
msgstr "Bluesky에서 사용자 찾기"
#: src/view/screens/Search/Search.tsx:425
msgid "Find users with the search tool on the right"
msgstr "오른쪽의 검색 도구로 사용자 찾기"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:152
msgid "Finding similar accounts..."
msgstr "유사한 계정을 찾는 중…"
#: src/view/screens/PreferencesHomeFeed.tsx:105
msgid "Fine-tune the content you see on your home screen."
msgstr "홈 화면에 표시되는 콘텐츠를 미세 조정합니다."
#: src/view/screens/PreferencesThreads.tsx:60
msgid "Fine-tune the discussion threads."
msgstr "토론 스레드를 미세 조정합니다."
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:138
#: src/view/com/profile/FollowButton.tsx:64
#: src/view/com/profile/ProfileHeader.tsx:542
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:241
msgid "Follow"
msgstr "팔로우"
#: src/view/com/auth/onboarding/RecommendedFollows.tsx:42
#~ msgid "Follow some"
#~ msgstr "팔로우:"
#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "일부 사용자를 팔로우하여 시작하세요. 관심 있는 사용자를 기반으로 더 많은 사용자를 추천해 드릴 수 있습니다."
#: src/view/com/modals/Threadgate.tsx:98
msgid "Followed users"
msgstr "팔로우한 사용자"
#: src/view/screens/PreferencesHomeFeed.tsx:148
msgid "Followed users only"
msgstr "팔로우한 사용자만"
#: src/view/com/notifications/FeedItem.tsx:166
msgid "followed you"
msgstr "님이 나를 팔로우했습니다"
#: src/view/screens/ProfileFollowers.tsx:25
msgid "Followers"
msgstr "팔로워"
#: src/view/com/profile/ProfileHeader.tsx:628
msgid "following"
msgstr "팔로우 중"
#: src/view/com/profile/ProfileHeader.tsx:526
#: src/view/screens/ProfileFollows.tsx:25
msgid "Following"
msgstr "팔로우 중"
#: src/view/com/profile/ProfileHeader.tsx:196
msgid "Following {0}"
msgstr "{0} 팔로우 중"
#: src/view/com/profile/ProfileHeader.tsx:575
msgid "Follows you"
msgstr "나를 팔로우함"
#: src/view/com/modals/DeleteAccount.tsx:109
msgid "For security reasons, we'll need to send a confirmation code to your email address."
msgstr "보안상의 이유로 이메일 주소로 확인 코드를 보내야 합니다."
#: src/view/com/modals/AddAppPasswords.tsx:211
msgid "For security reasons, you won't be able to view this again. If you lose this password, you'll need to generate a new one."
msgstr "보안상의 이유로 이 비밀번호는 다시 볼 수 없습니다. 이 비밀번호를 분실한 경우 새 비밀번호를 생성해야 합니다."
#: src/view/com/auth/login/LoginForm.tsx:232
msgid "Forgot"
msgstr "분실"
#: src/view/com/auth/login/LoginForm.tsx:229
msgid "Forgot password"
msgstr "비밀번호 분실"
#: src/view/com/auth/login/Login.tsx:127
#: src/view/com/auth/login/Login.tsx:143
msgid "Forgot Password"
msgstr "비밀번호 분실"
#: src/view/com/composer/photos/SelectPhotoBtn.tsx:43
msgid "Gallery"
msgstr "갤러리"
#: src/view/com/modals/VerifyEmail.tsx:183
msgid "Get Started"
msgstr "시작하기"
#: src/view/com/auth/LoggedOut.tsx:81
#: src/view/com/auth/LoggedOut.tsx:82
#: src/view/com/util/moderation/ScreenHider.tsx:123
#: src/view/shell/desktop/LeftNav.tsx:104
msgid "Go back"
msgstr "뒤로"
#: src/view/screens/ProfileFeed.tsx:104
#: src/view/screens/ProfileFeed.tsx:109
#: src/view/screens/ProfileList.tsx:857
#: src/view/screens/ProfileList.tsx:862
msgid "Go Back"
msgstr "뒤로"
#: src/view/com/auth/login/ForgotPasswordForm.tsx:181
#: src/view/com/auth/login/LoginForm.tsx:279
#: src/view/com/auth/login/SetNewPasswordForm.tsx:163
msgid "Go to next"
msgstr "다음"
#: src/state/queries/preferences/moderation.ts:116
msgid "Gore, self-harm, torture"
msgstr "고어, 자해, 고문"
#: src/view/com/modals/ChangeHandle.tsx:265
msgid "Handle"
msgstr "핸들"
#: src/state/queries/preferences/moderation.ts:123
msgid "Hate Group Iconography"
msgstr "증오 단체 도상학"
#: src/view/shell/desktop/RightNav.tsx:102
#: src/view/shell/Drawer.tsx:321
msgid "Help"
msgstr "도움말"
#: src/view/com/modals/AddAppPasswords.tsx:152
msgid "Here is your app password."
msgstr "앱 비밀번호입니다."
#: src/view/com/modals/ContentFilteringSettings.tsx:211
#: src/view/com/modals/ContentFilteringSettings.tsx:238
#: src/view/com/notifications/FeedItem.tsx:327
#: src/view/com/util/moderation/ContentHider.tsx:103
msgid "Hide"
msgstr "숨기기"
#: src/view/com/util/forms/PostDropdownBtn.tsx:175
msgid "Hide post"
msgstr "게시물 숨기기"
#: src/view/com/util/forms/PostDropdownBtn.tsx:179
msgid "Hide this post?"
msgstr "이 게시물을 숨기시겠습니까?"
#: src/view/com/notifications/FeedItem.tsx:319
msgid "Hide user list"
msgstr "사용자 리스트 숨기기"
#: src/view/com/posts/FeedErrorMessage.tsx:102
#~ msgid "Hmm, some kind of issue occured when contacting the feed server. Please let the feed owner know about this issue."
#~ msgstr "피드 서버에 연결하는 중 어떤 문제가 발생했습니다. 피드 소유자에게 이 문제에 대해 알려주세요."
#: src/view/com/posts/FeedErrorMessage.tsx:110
msgid "Hmm, some kind of issue occurred when contacting the feed server. Please let the feed owner know about this issue."
msgstr "피드 서버에 연결하는 중 어떤 문제가 발생했습니다. 피드 소유자에게 이 문제에 대해 알려주세요."
#: src/view/com/posts/FeedErrorMessage.tsx:98
msgid "Hmm, the feed server appears to be misconfigured. Please let the feed owner know about this issue."
msgstr "피드 서버가 잘못 구성된 것 같습니다. 피드 소유자에게 이 문제에 대해 알려주세요."
#: src/view/com/posts/FeedErrorMessage.tsx:104
msgid "Hmm, the feed server appears to be offline. Please let the feed owner know about this issue."
msgstr "피드 서버가 오프라인 상태인 것 같습니다. 피드 소유자에게 이 문제에 대해 알려주세요."
#: src/view/com/posts/FeedErrorMessage.tsx:101
msgid "Hmm, the feed server gave a bad response. Please let the feed owner know about this issue."
msgstr "피드 서버에서 잘못된 응답을 보냈습니다. 피드 소유자에게 이 문제에 대해 알려주세요."
#: src/view/com/posts/FeedErrorMessage.tsx:95
msgid "Hmm, we're having trouble finding this feed. It may have been deleted."
msgstr "이 피드를 찾는 데 문제가 있습니다. 피드가 삭제되었을 수 있습니다."
#: src/view/com/posts/FeedErrorMessage.tsx:87
#~ msgid "Hmmm, we're having trouble finding this feed. It may have been deleted."
#~ msgstr "이 피드를 찾는 데 문제가 있습니다. 피드가 삭제되었을 수 있습니다."
#: src/view/shell/bottom-bar/BottomBar.tsx:137
#: src/view/shell/desktop/LeftNav.tsx:306
#: src/view/shell/Drawer.tsx:398
#: src/view/shell/Drawer.tsx:399
msgid "Home"
msgstr "홈"
#: src/view/com/pager/FeedsTabBarMobile.tsx:96
#: src/view/screens/PreferencesHomeFeed.tsx:98
#: src/view/screens/Settings.tsx:482
msgid "Home Feed Preferences"
msgstr "홈 피드 설정"
#: src/view/com/modals/ChangeHandle.tsx:419
msgid "Host"
msgstr "호스트"
#: src/view/com/auth/login/ForgotPasswordForm.tsx:114
msgid "Hosting provider"
msgstr "호스팅 제공자"
#: src/view/com/auth/create/Step1.tsx:76
#: src/view/com/auth/create/Step1.tsx:81
msgid "Hosting provider address"
msgstr "호스팅 제공자 주소"
#: src/view/com/modals/VerifyEmail.tsx:208
msgid "I have a code"
msgstr "코드가 있습니다"
#: src/view/com/modals/ChangeHandle.tsx:281
msgid "I have my own domain"
msgstr "내 도메인을 가지고 있습니다"
#: src/state/queries/preferences/moderation.ts:92
msgid "i.e. pornography"
msgstr "예: 포르노그래피"
#: src/view/com/modals/SelfLabel.tsx:127
msgid "If none are selected, suitable for all ages."
msgstr "아무것도 선택하지 않으면 모든 연령대에 적합하다는 뜻입니다."
#: src/view/com/auth/create/Policies.tsx:91
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr "당신이 거주하는 국가의 법률에 따라 아직 성인이 아닌 경우, 부모 또는 법적 보호자가 당신을 대신하여 본 약관을 읽어야 합니다."
#: src/view/com/modals/AltImage.tsx:97
msgid "Image alt text"
msgstr "이미지 대체 텍스트"
#: src/view/com/util/UserAvatar.tsx:308
#: src/view/com/util/UserBanner.tsx:116
msgid "Image options"
msgstr "이미지 옵션"
#: src/state/queries/preferences/moderation.ts:124
msgid "Images of terror groups, articles covering events, etc."
msgstr "테러 단체의 이미지, 사건 관련 기사 등"
#: src/state/queries/preferences/moderation.ts:137
msgid "Impersonation"
msgstr "사칭"
#: src/view/com/search/Suggestions.tsx:104
#: src/view/com/search/Suggestions.tsx:115
#~ msgid "In Your Network"
#~ msgstr "내 네트워크"
#: src/state/queries/preferences/moderation.ts:100
msgid "Including non-sexual and artistic"
msgstr "선정적이지 않거나 예술적 콘텐츠 포함"
#: src/view/com/auth/login/LoginForm.tsx:113
msgid "Invalid username or password"
msgstr "잘못된 사용자 이름 또는 비밀번호"
#: src/view/screens/Settings.tsx:384
msgid "Invite"
msgstr "초대"
#: src/view/com/modals/InviteCodes.tsx:93
#: src/view/screens/Settings.tsx:372
msgid "Invite a Friend"
msgstr "친구 초대하기"
#: src/view/com/auth/create/Step2.tsx:63
#: src/view/com/auth/create/Step2.tsx:72
msgid "Invite code"
msgstr "초대 코드"
#: src/view/com/auth/create/state.ts:136
msgid "Invite code not accepted. Check that you input it correctly and try again."
msgstr "초대 코드가 올바르지 않습니다. 코드를 올바르게 입력했는지 확인한 후 다시 시도하세요."
#: src/view/shell/Drawer.tsx:640
msgid "Invite codes: {invitesAvailable} available"
msgstr "초대 코드: {invitesAvailable}개 사용 가능"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:99
#: src/view/com/auth/SplashScreen.web.tsx:118
msgid "Jobs"
msgstr "채용"
#: src/view/com/modals/Waitlist.tsx:67
msgid "Join the waitlist"
msgstr "대기자 명단 등록"
#: src/view/com/auth/create/Step2.tsx:86
#: src/view/com/auth/create/Step2.tsx:90
msgid "Join the waitlist."
msgstr "대기자 명단에 등록하세요."
#: src/view/com/modals/Waitlist.tsx:124
msgid "Join Waitlist"
msgstr "대기자 명단 등록"
#: src/view/com/composer/select-language/SelectLangBtn.tsx:104
msgid "Language selection"
msgstr "언어 선택"
#: src/view/screens/LanguageSettings.tsx:89
msgid "Language Settings"
msgstr "언어 설정"
#: src/view/screens/Settings.tsx:542
msgid "Languages"
msgstr "언어"
#: src/view/com/auth/create/StepHeader.tsx:14
msgid "Last step!"
msgstr "마지막 단계예요!"
#: src/view/com/util/moderation/ContentHider.tsx:101
msgid "Learn more"
msgstr "더 알아보기"
#: src/view/com/util/moderation/PostAlerts.tsx:47
#: src/view/com/util/moderation/ProfileHeaderAlerts.tsx:65
#: src/view/com/util/moderation/ScreenHider.tsx:104
msgid "Learn More"
msgstr "더 알아보기"
#: src/view/com/util/moderation/ContentHider.tsx:83
#: src/view/com/util/moderation/PostAlerts.tsx:40
#: src/view/com/util/moderation/PostHider.tsx:76
#: src/view/com/util/moderation/ProfileHeaderAlerts.tsx:49
#: src/view/com/util/moderation/ScreenHider.tsx:101
msgid "Learn more about this warning"
msgstr "이 경고에 대해 더 알아보기"
#: src/view/screens/Moderation.tsx:242
msgid "Learn more about what is public on Bluesky."
msgstr "Bluesky에서 공개되는 항목에 대해 자세히 알아보세요."
#: src/view/com/modals/lang-settings/ContentLanguagesSettings.tsx:82
msgid "Leave them all unchecked to see any language."
msgstr "모든 언어를 보려면 모두 선택하지 않은 상태로 두세요."
#: src/view/com/modals/LinkWarning.tsx:49
msgid "Leaving Bluesky"
msgstr "Bluesky 떠나기"
#: src/view/screens/Settings.tsx:273
msgid "Legacy storage cleared, you need to restart the app now."
msgstr "레거시 스토리지가 지워졌으며 지금 앱을 다시 시작해야 합니다."
#: src/view/com/auth/login/Login.tsx:128
#: src/view/com/auth/login/Login.tsx:144
msgid "Let's get your password reset!"
msgstr "비밀번호를 재설정해 봅시다!"
#: src/view/com/util/UserAvatar.tsx:245
#: src/view/com/util/UserBanner.tsx:60
msgid "Library"
msgstr "라이브러리"
#: src/view/screens/Settings.tsx:446
msgid "Light"
msgstr "밝음"
#: src/view/screens/ProfileFeed.tsx:599
msgid "Like this feed"
msgstr "이 피드"
#: src/view/screens/PostLikedBy.tsx:27
#: src/view/screens/ProfileFeedLikedBy.tsx:27
msgid "Liked by"
msgstr "좋아요 표시한 계정"
#: src/view/com/notifications/FeedItem.tsx:171
msgid "liked your custom feed{0}"
msgstr "님이 내 맞춤 피드{0}을(를) 좋아합니다"
#: src/view/com/notifications/FeedItem.tsx:155
msgid "liked your post"
msgstr "님이 내 게시물을 좋아합니다"
#: src/view/screens/Profile.tsx:164
msgid "Likes"
msgstr "좋아요"
#: src/view/screens/Moderation.tsx:203
#~ msgid "Limit the visibility of my account"
#~ msgstr "내 계정 공개 범위 제한"
#: src/view/screens/Moderation.tsx:203
#~ msgid "Limit the visibility of my account to logged-out users"
#~ msgstr "내 계정의 공개 범위를 로그아웃한 사용자로 제한"
#: src/view/com/modals/CreateOrEditList.tsx:187
msgid "List Avatar"
msgstr "리스트 아바타"
#: src/view/screens/ProfileList.tsx:320
msgid "List blocked"
msgstr "리스트 차단됨"
#: src/view/screens/ProfileList.tsx:364
msgid "List deleted"
msgstr "리스트 삭제됨"
#: src/view/screens/ProfileList.tsx:279
msgid "List muted"
msgstr "리스트 뮤트됨"
#: src/view/com/modals/CreateOrEditList.tsx:200
msgid "List Name"
msgstr "리스트 이름"
#: src/view/screens/ProfileList.tsx:339
msgid "List unblocked"
msgstr "리스트 차단 해제됨"
#: src/view/screens/ProfileList.tsx:298
msgid "List unmuted"
msgstr "리스트 언뮤트됨"
#: src/view/screens/Profile.tsx:166
#: src/view/shell/desktop/LeftNav.tsx:379
#: src/view/shell/Drawer.tsx:490
#: src/view/shell/Drawer.tsx:491
msgid "Lists"
msgstr "리스트"
#: src/view/com/post-thread/PostThread.tsx:259
#: src/view/com/post-thread/PostThread.tsx:267
msgid "Load more posts"
msgstr "더 많은 게시물 불러오기"
#: src/view/screens/Notifications.tsx:148
msgid "Load new notifications"
msgstr "새 알림 불러오기"
#: src/view/com/feeds/FeedPage.tsx:189
#: src/view/screens/ProfileList.tsx:655
msgid "Load new posts"
msgstr "새 게시물 불러오기"
#: src/view/com/composer/text-input/mobile/Autocomplete.tsx:95
msgid "Loading..."
msgstr "불러오는 중…"
#: src/view/com/modals/ServerInput.tsx:50
msgid "Local dev server"
msgstr "로컬 개발 서버"
#: src/view/screens/Moderation.tsx:134
#~ msgid "Logged-out users"
#~ msgstr "로그아웃한 사용자"
#: src/view/screens/Moderation.tsx:136
msgid "Logged-out visibility"
msgstr "로그아웃 표시"
#: src/view/com/auth/login/ChooseAccountForm.tsx:133
msgid "Login to account that is not listed"
msgstr "목록에 없는 계정으로 로그인"
#: src/view/screens/ProfileFeed.tsx:472
#~ msgid "Looks like this feed is only available to users with a Bluesky account. Please sign up or sign in to view this feed!"
#~ msgstr "이 피드는 Bluesky 계정이 있는 사용자만 이용할 수 있는 것 같습니다. 이 피드를 보려면 가입하거나 로그인하세요!"
#: src/view/com/modals/LinkWarning.tsx:63
msgid "Make sure this is where you intend to go!"
msgstr "이곳이 당신이 가고자 하는 곳인지 확인하세요!"
#: src/view/screens/Profile.tsx:163
msgid "Media"
msgstr "미디어"
#: src/view/com/threadgate/WhoCanReply.tsx:139
msgid "mentioned users"
msgstr "멘션한 사용자"
#: src/view/com/modals/Threadgate.tsx:93
msgid "Mentioned users"
msgstr "멘션한 사용자"
#: src/view/screens/Search/Search.tsx:537
msgid "Menu"
msgstr "메뉴"
#: src/view/com/posts/FeedErrorMessage.tsx:194
msgid "Message from server"
msgstr "서버에서 보낸 메시지"
#: src/view/com/modals/CreateOrEditList.tsx:68
#: src/view/screens/Moderation.tsx:64
#: src/view/screens/Settings.tsx:564
#: src/view/shell/desktop/LeftNav.tsx:397
#: src/view/shell/Drawer.tsx:509
#: src/view/shell/Drawer.tsx:510
msgid "Moderation"
msgstr "검토"
#: src/view/screens/Moderation.tsx:95
msgid "Moderation lists"
msgstr "검토 리스트"
#: src/view/screens/ModerationModlists.tsx:58
msgid "Moderation Lists"
msgstr "검토 리스트"
#: src/view/shell/desktop/Feeds.tsx:53
msgid "More feeds"
msgstr "피드 더 보기"
#: src/view/com/profile/ProfileHeader.tsx:552
#: src/view/screens/ProfileFeed.tsx:371
#: src/view/screens/ProfileList.tsx:592
msgid "More options"
msgstr "옵션 더 보기"
#: src/view/com/util/forms/PostDropdownBtn.tsx:158
#~ msgid "More post options"
#~ msgstr "게시물 옵션 더 보기"
#: src/view/screens/PreferencesThreads.tsx:82
msgid "Most-liked replies first"
msgstr "좋아요 많은 순"
#: src/view/com/profile/ProfileHeader.tsx:374
msgid "Mute Account"
msgstr "계정 뮤트"
#: src/view/screens/ProfileList.tsx:519
msgid "Mute accounts"
msgstr "계정 뮤트"
#: src/view/screens/ProfileList.tsx:466
msgid "Mute list"
msgstr "리스트 뮤트"
#: src/view/screens/ProfileList.tsx:271
msgid "Mute these accounts?"
msgstr "이 계정들을 뮤트하시겠습니까?"
#: src/view/com/util/forms/PostDropdownBtn.tsx:159
msgid "Mute thread"
msgstr "스레드 뮤트"
#: src/view/screens/Moderation.tsx:109
msgid "Muted accounts"
msgstr "뮤트한 계정"
#: src/view/screens/ModerationMutedAccounts.tsx:107
msgid "Muted Accounts"
msgstr "뮤트한 계정"
#: src/view/screens/ModerationMutedAccounts.tsx:115
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "계정을 뮤트하면 피드와 알림에서 해당 계정의 게시물이 사라집니다. 뮤트 목록은 완전히 비공개로 유지됩니다."
#: src/view/screens/ProfileList.tsx:273
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "뮤트 목록은 비공개입니다. 뮤트한 계정은 나와 상호작용할 수 있지만 해당 계정의 게시물을 보거나 해당 계정으로부터 알림을 받을 수 없습니다."
#: src/view/screens/Moderation.tsx:134
#~ msgid "My Account"
#~ msgstr "내 계정"
#: src/view/com/modals/BirthDateSettings.tsx:56
msgid "My Birthday"
msgstr "내 생년월일"
#: src/view/screens/Feeds.tsx:363
msgid "My Feeds"
msgstr "내 피드"
#: src/view/shell/desktop/LeftNav.tsx:65
msgid "My Profile"
msgstr "내 프로필"
#: src/view/screens/Settings.tsx:521
msgid "My Saved Feeds"
msgstr "내 저장된 피드"
#: src/view/com/modals/AddAppPasswords.tsx:181
#: src/view/com/modals/CreateOrEditList.tsx:212
msgid "Name"
msgstr "이름"
#: src/view/com/auth/onboarding/WelcomeDesktop.tsx:74
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:72
msgid "Never lose access to your followers and data."
msgstr "팔로워와 데이터에 대한 접근 권한을 잃지 않습니다."
#: src/view/com/modals/ChangeHandle.tsx:518
msgid "Nevermind, create a handle for me"
msgstr "취소하고 나만의 핸들 만들기"
#: src/view/com/modals/CreateOrEditList.tsx:178
#: src/view/screens/Lists.tsx:76
#: src/view/screens/ModerationModlists.tsx:78
msgid "New"
msgstr "신규"
#: src/view/com/feeds/FeedPage.tsx:200
#: src/view/screens/Feeds.tsx:507
#: src/view/screens/Profile.tsx:354
#: src/view/screens/ProfileFeed.tsx:441
#: src/view/screens/ProfileList.tsx:194
#: src/view/screens/ProfileList.tsx:222
#: src/view/shell/desktop/LeftNav.tsx:248
msgid "New post"
msgstr "새 게시물"
#: src/view/shell/desktop/LeftNav.tsx:258
msgid "New Post"
msgstr "새 게시물"
#: src/view/screens/PreferencesThreads.tsx:79
msgid "Newest replies first"
msgstr "새로운 순"
#: src/view/com/auth/create/CreateAccount.tsx:154
#: src/view/com/auth/login/ForgotPasswordForm.tsx:174
#: src/view/com/auth/login/ForgotPasswordForm.tsx:184
#: src/view/com/auth/login/LoginForm.tsx:282
#: src/view/com/auth/login/SetNewPasswordForm.tsx:156
#: src/view/com/auth/login/SetNewPasswordForm.tsx:166
#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
#: src/view/com/auth/onboarding/WelcomeDesktop.tsx:105
msgid "Next"
msgstr "다음"
#: src/view/com/lightbox/Lightbox.web.tsx:142
msgid "Next image"
msgstr "다음 이미지"
#: src/view/screens/PreferencesHomeFeed.tsx:123
#: src/view/screens/PreferencesHomeFeed.tsx:194
#: src/view/screens/PreferencesHomeFeed.tsx:229
#: src/view/screens/PreferencesHomeFeed.tsx:266
#: src/view/screens/PreferencesThreads.tsx:106
#: src/view/screens/PreferencesThreads.tsx:129
msgid "No"
msgstr "아니요"
#: src/view/screens/ProfileFeed.tsx:592
#: src/view/screens/ProfileList.tsx:729
msgid "No description"
msgstr "설명 없음"
#: src/view/com/modals/ChangeHandle.tsx:404
msgid "No DNS Panel"
msgstr "DNS 패널 없음"
#: src/view/com/profile/ProfileHeader.tsx:217
msgid "No longer following {0}"
msgstr "더 이상 {0}(을)를 팔로우하지 않음"
#: src/view/com/composer/text-input/mobile/Autocomplete.tsx:97
msgid "No result"
msgstr "결과 없음"
#: src/view/screens/Feeds.tsx:452
msgid "No results found for \"{query}\""
msgstr "\"{query}\"에 대한 결과를 찾을 수 없습니다."
#: src/view/com/modals/ListAddUser.tsx:142
#: src/view/shell/desktop/Search.tsx:112
#~ msgid "No results found for {0}"
#~ msgstr "{0}에 대한 결과를 찾을 수 없습니다."
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
#: src/view/screens/Search/Search.tsx:270
#: src/view/screens/Search/Search.tsx:298
#: src/view/screens/Search/Search.tsx:629
#: src/view/shell/desktop/Search.tsx:210
msgid "No results found for {query}"
msgstr "{query}에 대한 결과를 찾을 수 없습니다."
#: src/view/com/modals/Threadgate.tsx:82
msgid "Nobody"
msgstr "없음"
#: src/view/com/modals/SelfLabel.tsx:136
#~ msgid "Not Applicable"
#~ msgstr "해당 없음"
#: src/view/com/modals/SelfLabel.tsx:135
msgid "Not Applicable."
msgstr "해당 없음."
#: src/view/screens/Moderation.tsx:227
#~ msgid "Note: Bluesky is an open and public network, and enabling this will not make your profile private or limit the ability of logged in users to see your posts. This setting only limits the visibility of posts on the Bluesky app and website; third-party apps that display Bluesky content may not respect this setting, and could show your content to logged-out users."
#~ msgstr "참고: Bluesky는 개방형 공개 네트워크이므로 이 설정을 사용 설정해도 내 프로필이 비공개로 전환되거나 로그인한 사용자가 내 게시물을 볼 수 있는 기능이 제한되지 않습니다. 이 설정은 Bluesky 앱과 웹사이트의 게시물 공개 여부만 제한하며, Bluesky 콘텐츠를 표시하는 타사 앱은 이 설정을 준수하지 않을 수 있으며, 로그아웃한 사용자에게 내 콘텐츠가 표시될 수 있습니다."
#: src/view/screens/Moderation.tsx:232
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr "참고: Bluesky는 개방형 공개 네트워크입니다. 이 설정은 Bluesky 앱과 웹사이트에서만 내 콘텐츠가 표시되는 것을 제한하며, 다른 앱에서는 이 설정을 준수하지 않을 수 있습니다. 다른 앱과 웹사이트에서는 로그아웃한 사용자에게 내 콘텐츠가 계속 표시될 수 있습니다."
#: src/view/screens/Moderation.tsx:227
#~ msgid "Note: Third-party apps that display Bluesky content may not respect this setting."
#~ msgstr "참고: Bluesky 콘텐츠를 표시하는 타사 앱은 이 설정을 준수하지 않을 수 있습니다."
#: src/view/screens/Notifications.tsx:113
#: src/view/screens/Notifications.tsx:137
#: src/view/shell/bottom-bar/BottomBar.tsx:205
#: src/view/shell/desktop/LeftNav.tsx:361
#: src/view/shell/Drawer.tsx:435
#: src/view/shell/Drawer.tsx:436
msgid "Notifications"
msgstr "알림"
#: src/lib/strings/time.ts:20
msgid "now"
msgstr "지금"
#: src/view/com/util/ErrorBoundary.tsx:34
msgid "Oh no!"
msgstr "안 돼!"
#: src/view/com/auth/login/PasswordUpdatedForm.tsx:41
msgid "Okay"
msgstr "확인"
#: src/view/screens/PreferencesThreads.tsx:78
msgid "Oldest replies first"
msgstr "오래된 순"
#: src/view/screens/Settings.tsx:229
msgid "Onboarding reset"
msgstr "온보딩 재설정"
#: src/view/com/composer/Composer.tsx:360
msgid "One or more images is missing alt text."
msgstr "하나 이상의 이미지에 대체 텍스트가 누락되었습니다."
#: src/view/com/threadgate/WhoCanReply.tsx:100
msgid "Only {0} can reply."
msgstr "{0}만 답글을 달 수 있습니다."
#: src/view/com/pager/FeedsTabBarMobile.tsx:76
msgid "Open navigation"
msgstr "내비게이션을 엽니다"
#: src/view/screens/Settings.tsx:534
msgid "Opens configurable language settings"
msgstr "구성 가능한 언어 설정을 엽니다"
#: src/view/shell/desktop/RightNav.tsx:156
#: src/view/shell/Drawer.tsx:641
msgid "Opens list of invite codes"
msgstr "초대 코드 목록 열기"
#: src/view/com/modals/ChangeHandle.tsx:279
msgid "Opens modal for using custom domain"
msgstr "사용자 지정 도메인을 사용하기 위한 대화 상자를 엽니다"
#: src/view/screens/Settings.tsx:559
msgid "Opens moderation settings"
msgstr "검토 설정을 엽니다"
#: src/view/screens/Settings.tsx:515
msgid "Opens screen with all saved feeds"
msgstr "모든 저장된 피드 화면을 엽니다"
#: src/view/screens/Settings.tsx:582
msgid "Opens the app password settings page"
msgstr "비밀번호 설정 페이지를 엽니다"
#: src/view/screens/Settings.tsx:474
msgid "Opens the home feed preferences"
msgstr "홈 피드 설정을 엽니다"
#: src/view/screens/Settings.tsx:665
msgid "Opens the storybook page"
msgstr "스토리북 페이지를 엽니다"
#: src/view/screens/Settings.tsx:645
msgid "Opens the system log page"
msgstr "시스템 로그 페이지를 엽니다"
#: src/view/screens/Settings.tsx:495
msgid "Opens the threads preferences"
msgstr "스레드 설정을 엽니다"
#: src/view/com/modals/Threadgate.tsx:89
msgid "Or combine these options:"
msgstr "또는 다음 옵션을 결합하세요:"
#: src/view/com/auth/create/Step1.tsx:67
msgid "Other"
msgstr "기타"
#: src/view/com/auth/login/ChooseAccountForm.tsx:138
msgid "Other account"
msgstr "다른 계정"
#: src/state/queries/preferences/moderation.ts:99
msgid "Other Nudity"
msgstr "기타 신체 노출"
#: src/view/com/modals/ServerInput.tsx:88
msgid "Other service"
msgstr "다른 서비스"
#: src/view/com/composer/select-language/SelectLangBtn.tsx:91
msgid "Other..."
msgstr "기타…"
#: src/view/screens/NotFound.tsx:42
#: src/view/screens/NotFound.tsx:45
msgid "Page not found"
msgstr "페이지를 찾을 수 없음"
#: src/view/com/auth/create/Step2.tsx:122
#: src/view/com/auth/create/Step2.tsx:132
#: src/view/com/auth/login/LoginForm.tsx:217
#: src/view/com/auth/login/SetNewPasswordForm.tsx:130
#: src/view/com/modals/DeleteAccount.tsx:193
msgid "Password"
msgstr "비밀번호"
#: src/view/com/auth/login/Login.tsx:157
msgid "Password updated"
msgstr "비밀번호 변경됨"
#: src/view/com/auth/login/PasswordUpdatedForm.tsx:28
msgid "Password updated!"
msgstr "비밀번호 변경됨"
#: src/view/com/lightbox/Lightbox.tsx:66
msgid "Permission to access camera roll is required."
msgstr "앨범에 접근할 수 있는 권한이 필요합니다."
#: src/view/com/lightbox/Lightbox.tsx:72
msgid "Permission to access camera roll was denied. Please enable it in your system settings."
msgstr "앨범에 접근할 수 있는 권한이 거부되었습니다. 시스템 설정에서 활성화하세요."
#: src/view/com/modals/SelfLabel.tsx:121
msgid "Pictures meant for adults."
msgstr "성인용 사진."
#: src/view/screens/ProfileFeed.tsx:362
#: src/view/screens/ProfileList.tsx:556
msgid "Pin to home"
msgstr "홈에 고정"
#: src/view/screens/SavedFeeds.tsx:88
msgid "Pinned Feeds"
msgstr "고정된 피드"
#: src/view/com/auth/create/state.ts:116
msgid "Please choose your handle."
msgstr "핸들을 입력하세요."
#: src/view/com/auth/create/state.ts:109
msgid "Please choose your password."
msgstr "비밀번호를 입력하세요."
#: src/view/com/modals/ChangeEmail.tsx:67
msgid "Please confirm your email before changing it. This is a temporary requirement while email-updating tools are added, and it will soon be removed."
msgstr "이메일을 변경하기 전에 이메일을 확인해 주세요. 이는 이메일 변경 도구가 추가되는 동안 일시적으로 요구되는 사항이며 곧 제거될 예정입니다."
#: src/view/com/modals/AddAppPasswords.tsx:89
msgid "Please enter a name for your app password. All spaces is not allowed."
msgstr "앱 비밀번호의 이름을 입력하세요. 모든 공백은 허용되지 않습니다."
#: src/view/com/modals/AddAppPasswords.tsx:144
msgid "Please enter a unique name for this App Password or use our randomly generated one."
msgstr "이 앱 비밀번호에 대해 고유한 이름을 입력하거나 무작위로 생성된 이름을 사용하세요."
#: src/view/com/auth/create/state.ts:95
msgid "Please enter your email."
msgstr "이메일을 입력하세요."
#: src/view/com/modals/DeleteAccount.tsx:182
msgid "Please enter your password as well:"
msgstr "비밀번호도 입력해 주세요:"
#: src/lib/hooks/useAccountSwitcher.ts:42
msgid "Please sign in as @{0}"
msgstr "@{0}(으)로 로그인하세요."
#: src/view/com/modals/AppealLabel.tsx:72
#: src/view/com/modals/AppealLabel.tsx:75
msgid "Please tell us why you think this content warning was incorrectly applied!"
msgstr "이 콘텐츠 경고가 잘못 적용되었다고 생각하는 이유를 알려주세요!"
#: src/view/com/modals/AppealLabel.tsx:72
#: src/view/com/modals/AppealLabel.tsx:75
#~ msgid "Please tell us why you think this decision was incorrect."
#~ msgstr "이 결정이 잘못되었다고 생각하는 이유를 알려주세요."
#: src/view/com/composer/Composer.tsx:214
msgid "Please wait for your link card to finish loading"
msgstr "링크 카드를 완전히 불러올 때까지 기다려주세요."
#: src/view/com/post-thread/PostThread.tsx:225
#: src/view/screens/PostThread.tsx:80
msgid "Post"
msgstr "게시물"
#: src/view/com/composer/Composer.tsx:336
#: src/view/com/composer/Composer.tsx:343
msgid "Post (verb)"
msgstr "게시하기"
#: src/view/com/util/forms/PostDropdownBtn.tsx:74
msgid "Post deleted"
msgstr "게시물 삭제됨"
#: src/view/com/post-thread/PostThread.tsx:378
msgid "Post hidden"
msgstr "게시물 숨김"
#: src/view/com/composer/select-language/SelectLangBtn.tsx:87
msgid "Post language"
msgstr "게시물 언어"
#: src/view/com/modals/lang-settings/PostLanguagesSettings.tsx:75
msgid "Post Languages"
msgstr "게시물 언어"
#: src/view/com/post-thread/PostThread.tsx:430
msgid "Post not found"
msgstr "게시물을 찾을 수 없음"
#: src/view/screens/Profile.tsx:161
msgid "Posts"
msgstr "게시물"
#: src/view/com/modals/LinkWarning.tsx:44
msgid "Potentially Misleading Link"
msgstr "오해의 소지가 있는 링크"
#: src/view/com/lightbox/Lightbox.web.tsx:128
msgid "Previous image"
msgstr "이전 이미지"
#: src/view/screens/LanguageSettings.tsx:187
msgid "Primary Language"
msgstr "주 언어"
#: src/view/screens/PreferencesThreads.tsx:97
msgid "Prioritize Your Follows"
msgstr "내 팔로우 우선시키기"
#: src/view/shell/desktop/RightNav.tsx:84
msgid "Privacy"
msgstr "개인정보"
#: src/view/com/auth/create/Policies.tsx:69
#: src/view/screens/PrivacyPolicy.tsx:29
#: src/view/screens/Settings.tsx:751
#: src/view/shell/Drawer.tsx:262
msgid "Privacy Policy"
msgstr "개인정보 처리방침"
#: src/view/com/auth/login/ForgotPasswordForm.tsx:190
msgid "Processing..."
msgstr "처리 중…"
#: src/view/shell/bottom-bar/BottomBar.tsx:247
#: src/view/shell/desktop/LeftNav.tsx:415
#: src/view/shell/Drawer.tsx:70
#: src/view/shell/Drawer.tsx:544
#: src/view/shell/Drawer.tsx:545
msgid "Profile"
msgstr "프로필"
#: src/view/com/modals/EditProfile.tsx:128
msgid "Profile updated"
msgstr "프로필 업데이트됨"
#: src/view/screens/Settings.tsx:809
msgid "Protect your account by verifying your email."
msgstr "이메일을 인증하여 계정을 보호하세요."
#: src/view/screens/ModerationModlists.tsx:61
msgid "Public, shareable lists of users to mute or block in bulk."
msgstr "음소거하거나 일괄 차단할 수 있는 공개적이고 공유할 수 있는 사용자 목록입니다."
#: src/view/screens/Lists.tsx:61
msgid "Public, shareable lists which can drive feeds."
msgstr "피드를 탐색할 수 있는 공개적이고 공유할 수 있는 목록입니다."
#: src/view/com/composer/Composer.tsx:324
msgid "Publish post"
msgstr "게시물 게시하기"
#: src/view/com/composer/Composer.tsx:324
msgid "Publish reply"
msgstr "답글 게시하기"
#: src/view/com/modals/Repost.tsx:52
#: src/view/com/util/post-ctrls/RepostButton.web.tsx:58
msgid "Quote post"
msgstr "게시물 인용"
#: src/view/com/modals/Repost.tsx:56
msgid "Quote Post"
msgstr "게시물 인용"
#: src/view/screens/PreferencesThreads.tsx:86
msgid "Random (aka \"Poster's Roulette\")"
msgstr "무작위"
#: src/view/com/modals/EditImage.tsx:236
msgid "Ratios"
msgstr "비율"
#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:73
#: src/view/com/auth/onboarding/RecommendedFollows.tsx:50
#~ msgid "Recommended"
#~ msgstr "추천"
#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
msgid "Recommended Feeds"
msgstr "추천 피드"
#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
msgid "Recommended Users"
msgstr "추천 사용자"
#: src/view/com/modals/ListAddRemoveUsers.tsx:264
#: src/view/com/modals/SelfLabel.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:193
#: src/view/com/util/UserAvatar.tsx:282
#: src/view/com/util/UserBanner.tsx:89
msgid "Remove"
msgstr "제거"
#: src/view/com/feeds/FeedSourceCard.tsx:106
msgid "Remove {0} from my feeds?"
msgstr "{0}을(를) 내 피드에서 제거하시겠습니까?"
#: src/view/com/util/AccountDropdownBtn.tsx:22
msgid "Remove account"
msgstr "계정 제거"
#: src/view/com/posts/FeedErrorMessage.tsx:130
msgid "Remove feed"
msgstr "피드 제거"
#: src/view/com/feeds/FeedSourceCard.tsx:105
#: src/view/com/feeds/FeedSourceCard.tsx:172
#: src/view/screens/ProfileFeed.tsx:281
msgid "Remove from my feeds"
msgstr "내 피드에서 제거"
#: src/view/com/composer/photos/Gallery.tsx:167
msgid "Remove image"
msgstr "이미지 제거"
#: src/view/com/composer/ExternalEmbed.tsx:70
msgid "Remove image preview"
msgstr "이미지 미리보기 제거"
#: src/view/com/feeds/FeedSourceCard.tsx:173
msgid "Remove this feed from my feeds?"
msgstr "이 피드를 내 피드에서 제거하시겠습니까?"
#: src/view/com/posts/FeedErrorMessage.tsx:131
msgid "Remove this feed from your saved feeds?"
msgstr "이 피드를 저장된 피드에서 제거하시겠습니까?"
#: src/view/com/modals/ListAddRemoveUsers.tsx:199
#: src/view/com/modals/UserAddRemoveLists.tsx:136
msgid "Removed from list"
msgstr "리스트에서 제거됨"
#: src/view/com/feeds/FeedSourceCard.tsx:111
#: src/view/com/feeds/FeedSourceCard.tsx:178
msgid "Removed from my feeds"
msgstr "내 피드에서 제거됨"
#: src/view/screens/Profile.tsx:162
msgid "Replies"
msgstr "답글"
#: src/view/com/threadgate/WhoCanReply.tsx:98
msgid "Replies to this thread are disabled"
msgstr "이 스레드에 대한 답글이 비활성화됩니다."
#: src/view/com/composer/Composer.tsx:336
msgid "Reply"
msgstr "답글"
#: src/view/screens/PreferencesHomeFeed.tsx:138
msgid "Reply Filters"
msgstr "답글 필터"
#: src/view/com/modals/report/Modal.tsx:169
msgid "Report {collectionName}"
msgstr "{collectionName} 신고"
#: src/view/com/profile/ProfileHeader.tsx:408
msgid "Report Account"
msgstr "계정 신고"
#: src/view/screens/ProfileFeed.tsx:301
msgid "Report feed"
msgstr "피드 신고"
#: src/view/screens/ProfileList.tsx:434
msgid "Report List"
msgstr "리스트 신고"
#: src/view/com/modals/report/SendReportButton.tsx:37
#: src/view/com/util/forms/PostDropdownBtn.tsx:198
msgid "Report post"
msgstr "포스트 신고"
#: src/view/com/util/post-ctrls/RepostButton.web.tsx:48
msgid "Repost"
msgstr "재게시"
#: src/view/com/util/post-ctrls/RepostButton.web.tsx:94
#: src/view/com/util/post-ctrls/RepostButton.web.tsx:105
msgid "Repost or quote post"
msgstr "재게시 또는 게시물 인용"
#: src/view/screens/PostRepostedBy.tsx:27
msgid "Reposted by"
msgstr "재게시한 계정"
#: src/view/com/posts/FeedItem.tsx:203
msgid "Reposted by {0}"
msgstr "{0} 님이 재게시함"
#: src/view/com/posts/FeedItem.tsx:220
msgid "Reposted by <0/>"
msgstr "<0/> 님이 재게시함"
#: src/view/com/notifications/FeedItem.tsx:162
msgid "reposted your post"
msgstr "님이 내 게시물을 재게시했습니다"
#: src/view/com/modals/ChangeEmail.tsx:181
#: src/view/com/modals/ChangeEmail.tsx:183
msgid "Request Change"
msgstr "변경 요청"
#: src/view/screens/Moderation.tsx:188
#~ msgid "Request to limit the visibility of my account"
#~ msgstr "내 계정의 공개 범위 제한 요청하기"
#: src/view/screens/Settings.tsx:423
msgid "Require alt text before posting"
msgstr "게시하기 전 대체 텍스트 필수"
#: src/view/com/auth/create/Step2.tsx:68
msgid "Required for this provider"
msgstr "이 제공자에서 필수"
#: src/view/com/auth/login/SetNewPasswordForm.tsx:108
msgid "Reset code"
msgstr "코드 재설정"
#: src/view/screens/Settings.tsx:687
msgid "Reset onboarding state"
msgstr "온보딩 상태 재설정"
#: src/view/com/auth/login/ForgotPasswordForm.tsx:98
msgid "Reset password"
msgstr "비밀번호 재설정"
#: src/view/screens/Settings.tsx:677
msgid "Reset preferences state"
msgstr "설정 상태 재설정"
#: src/view/screens/Settings.tsx:685
msgid "Resets the onboarding state"
msgstr "온보딩 상태 재설정"
#: src/view/screens/Settings.tsx:675
msgid "Resets the preferences state"
msgstr "설정 상태 재설정"
#: src/view/com/auth/create/CreateAccount.tsx:163
#: src/view/com/auth/create/CreateAccount.tsx:167
#: src/view/com/auth/login/LoginForm.tsx:259
#: src/view/com/auth/login/LoginForm.tsx:262
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:65
msgid "Retry"
msgstr "다시 시도"
#: src/view/com/modals/ChangeHandle.tsx:169
#~ msgid "Retry change handle"
#~ msgstr "핸들 변경 다시 시도"
#: src/view/com/modals/AltImage.tsx:115
#: src/view/com/modals/BirthDateSettings.tsx:94
#: src/view/com/modals/BirthDateSettings.tsx:97
#: src/view/com/modals/ChangeHandle.tsx:173
#: src/view/com/modals/CreateOrEditList.tsx:250
#: src/view/com/modals/CreateOrEditList.tsx:258
#: src/view/com/modals/EditProfile.tsx:224
#: src/view/screens/ProfileFeed.tsx:354
msgid "Save"
msgstr "저장"
#: src/view/com/modals/AltImage.tsx:106
msgid "Save alt text"
msgstr "대체 텍스트 저장"
#: src/view/com/modals/UserAddRemoveLists.tsx:212
#~ msgid "Save changes"
#~ msgstr "변경 사항 저장"
#: src/view/com/modals/EditProfile.tsx:232
msgid "Save Changes"
msgstr "변경 사항 저장"
#: src/view/com/modals/ChangeHandle.tsx:170
msgid "Save handle change"
msgstr "핸들 변경 저장"
#: src/view/com/modals/crop-image/CropImage.web.tsx:144
msgid "Save image crop"
msgstr "이미지 자르기 저장"
#: src/view/screens/SavedFeeds.tsx:122
msgid "Saved Feeds"
msgstr "저장된 피드"
#: src/view/com/lightbox/Lightbox.tsx:81
msgid "Saved to your camera roll."
msgstr "내 앨범에 저장됨"
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:53
#: src/view/com/util/forms/SearchInput.tsx:65
#: src/view/screens/Search/Search.tsx:406
#: src/view/screens/Search/Search.tsx:559
#: src/view/screens/Search/Search.tsx:572
#: src/view/shell/bottom-bar/BottomBar.tsx:159
#: src/view/shell/desktop/LeftNav.tsx:324
#: src/view/shell/desktop/Search.tsx:161
#: src/view/shell/desktop/Search.tsx:170
#: src/view/shell/Drawer.tsx:362
#: src/view/shell/Drawer.tsx:363
msgid "Search"
msgstr "검색"
#: src/view/screens/Search/Search.tsx:390
#~ msgid "Search for posts and users."
#~ msgstr "게시물 및 사용자를 검색합니다."
#: src/view/com/auth/LoggedOut.tsx:104
#: src/view/com/auth/LoggedOut.tsx:105
#: src/view/com/modals/ListAddRemoveUsers.tsx:70
msgid "Search for users"
msgstr "사용자 검색하기"
#: src/view/com/modals/ChangeEmail.tsx:110
msgid "Security Step Required"
msgstr "보안 단계 필요"
#: src/view/screens/SavedFeeds.tsx:163
msgid "See this guide"
msgstr "이 가이드"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:39
msgid "See what's next"
msgstr "See what's next"
#: src/view/com/modals/ServerInput.tsx:75
msgid "Select Bluesky Social"
msgstr "Bluesky Social 선택"
#: src/view/com/auth/login/Login.tsx:117
msgid "Select from an existing account"
msgstr "기존 계정에서 선택"
#: src/view/com/auth/login/LoginForm.tsx:143
msgid "Select service"
msgstr "서비스 선택"
#: src/view/screens/LanguageSettings.tsx:281
msgid "Select which languages you want your subscribed feeds to include. If none are selected, all languages will be shown."
msgstr "구독하는 피드에 포함할 언어를 선택합니다. 선택하지 않으면 모든 언어가 표시됩니다."
#: src/view/screens/LanguageSettings.tsx:98
msgid "Select your app language for the default text to display in the app"
msgstr "앱에 표시되는 기본 텍스트의 언어를 선택합니다."
#: src/view/screens/LanguageSettings.tsx:190
msgid "Select your preferred language for translations in your feed."
msgstr "피드에서 번역을 위해 선호하는 언어를 선택합니다."
#: src/view/com/modals/VerifyEmail.tsx:196
msgid "Send Confirmation Email"
msgstr "확인 이메일 전송"
#: src/view/com/modals/DeleteAccount.tsx:129
msgid "Send email"
msgstr "이메일 전송"
#: src/view/com/modals/DeleteAccount.tsx:140
msgid "Send Email"
msgstr "이메일 전송"
#: src/view/shell/Drawer.tsx:295
#: src/view/shell/Drawer.tsx:316
msgid "Send feedback"
msgstr "피드백 전송"
#: src/view/com/modals/report/SendReportButton.tsx:45
msgid "Send Report"
msgstr "신고 전송"
#: src/view/com/auth/login/SetNewPasswordForm.tsx:78
msgid "Set new password"
msgstr "새 비밀번호 설정"
#: src/view/screens/PreferencesHomeFeed.tsx:219
msgid "Set this setting to \"No\" to hide all quote posts from your feed. Reposts will still be visible."
msgstr "피드에서 모든 인용 게시물을 숨기려면 이 설정을 \"아니요\"로 설정합니다. 재게시는 계속 표시됩니다."
#: src/view/screens/PreferencesHomeFeed.tsx:116
msgid "Set this setting to \"No\" to hide all replies from your feed."
msgstr "피드에서 모든 답글을 숨기려면 이 설정을 \"아니요\"로 설정합니다."
#: src/view/screens/PreferencesHomeFeed.tsx:185
msgid "Set this setting to \"No\" to hide all reposts from your feed."
msgstr "피드에서 모든 재게시를 숨기려면 이 설정을 \"아니요\"로 설정합니다."
#: src/view/screens/PreferencesThreads.tsx:122
msgid "Set this setting to \"Yes\" to show replies in a threaded view. This is an experimental feature."
msgstr "스레드 보기에 답글을 표시하려면 이 설정을 \"예\"로 설정합니다. 이는 실험적인 기능입니다."
#: src/view/screens/PreferencesHomeFeed.tsx:255
msgid "Set this setting to \"Yes\" to show samples of your saved feeds in your following feed. This is an experimental feature."
msgstr "팔로우한 피드에 저장된 피드 샘플을 표시하려면 이 설정을 \"예\"로 설정합니다. 이는 실험적인 기능입니다."
#: src/view/screens/Settings.tsx:278
#: src/view/shell/desktop/LeftNav.tsx:433
#: src/view/shell/Drawer.tsx:565
#: src/view/shell/Drawer.tsx:566
msgid "Settings"
msgstr "설정"
#: src/view/com/modals/SelfLabel.tsx:125
msgid "Sexual activity or erotic nudity."
msgstr "성행위 또는 선정적인 노출."
#: src/state/queries/preferences/moderation.ts:107
msgid "Sexually Suggestive"
msgstr "성적 암시"
#: src/view/com/profile/ProfileHeader.tsx:342
#: src/view/com/util/forms/PostDropdownBtn.tsx:141
#: src/view/screens/ProfileList.tsx:393
msgid "Share"
msgstr "공유"
#: src/view/screens/ProfileFeed.tsx:313
msgid "Share feed"
msgstr "피드 공유"
#: src/view/screens/ProfileFeed.tsx:276
#~ msgid "Share link"
#~ msgstr "링크 공유"
#: src/view/com/modals/ContentFilteringSettings.tsx:253
#: src/view/com/util/moderation/ContentHider.tsx:105
#: src/view/screens/Settings.tsx:317
msgid "Show"
msgstr "표시"
#: src/view/screens/PreferencesHomeFeed.tsx:62
msgid "Show all replies"
msgstr "모든 답글 표시"
#: src/view/com/util/moderation/ScreenHider.tsx:132
msgid "Show anyway"
msgstr "무시하고 표시"
#: src/view/screens/PreferencesHomeFeed.tsx:252
msgid "Show Posts from My Feeds"
msgstr "내 피드에서 게시물 표시"
#: src/view/screens/PreferencesHomeFeed.tsx:216
msgid "Show Quote Posts"
msgstr "인용 게시물 표시"
#: src/view/screens/PreferencesHomeFeed.tsx:113
msgid "Show Replies"
msgstr "답글 표시"
#: src/view/screens/PreferencesThreads.tsx:100
msgid "Show replies by people you follow before all other replies."
msgstr "내가 팔로우하는 사람들의 답글을 다른 모든 답글보다 먼저 표시합니다."
#: src/view/screens/PreferencesHomeFeed.tsx:64
msgid "Show replies with at least {value} {0}"
msgstr "좋아요가 {value}개 이상인 답글 표시"
#: src/view/screens/PreferencesHomeFeed.tsx:182
msgid "Show Reposts"
msgstr "재게시 표시"
#: src/view/com/notifications/FeedItem.tsx:348
msgid "Show users"
msgstr "사용자 표시"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:70
#: src/view/com/auth/login/Login.tsx:98
#: src/view/com/auth/SplashScreen.tsx:54
#: src/view/shell/bottom-bar/BottomBar.tsx:285
#: src/view/shell/bottom-bar/BottomBar.tsx:286
#: src/view/shell/bottom-bar/BottomBar.tsx:288
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:177
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:180
#: src/view/shell/NavSignupCard.tsx:58
#: src/view/shell/NavSignupCard.tsx:59
#: src/view/shell/NavSignupCard.tsx:61
msgid "Sign in"
msgstr "로그인"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:78
#: src/view/com/auth/SplashScreen.tsx:57
#: src/view/com/auth/SplashScreen.web.tsx:88
msgid "Sign In"
msgstr "로그인"
#: src/view/com/auth/login/ChooseAccountForm.tsx:44
msgid "Sign in as {0}"
msgstr "{0}(으)로 로그인"
#: src/view/com/auth/login/ChooseAccountForm.tsx:118
#: src/view/com/auth/login/Login.tsx:116
msgid "Sign in as..."
msgstr "로그인"
#: src/view/com/auth/login/LoginForm.tsx:130
msgid "Sign into"
msgstr "로그인"
#: src/view/com/modals/SwitchAccount.tsx:64
#: src/view/com/modals/SwitchAccount.tsx:67
#: src/view/screens/Settings.tsx:102
#: src/view/screens/Settings.tsx:105
msgid "Sign out"
msgstr "로그아웃"
#: src/view/shell/bottom-bar/BottomBar.tsx:275
#: src/view/shell/bottom-bar/BottomBar.tsx:276
#: src/view/shell/bottom-bar/BottomBar.tsx:278
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:167
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:170
#: src/view/shell/NavSignupCard.tsx:49
#: src/view/shell/NavSignupCard.tsx:50
#: src/view/shell/NavSignupCard.tsx:52
msgid "Sign up"
msgstr "가입하기"
#: src/view/shell/NavSignupCard.tsx:42
msgid "Sign up or sign in to join the conversation"
msgstr "가입 또는 로그인하여 대화에 참여하세요"
#: src/view/com/util/moderation/ScreenHider.tsx:76
msgid "Sign-in Required"
msgstr "로그인 필요"
#: src/view/screens/Settings.tsx:328
msgid "Signed in as"
msgstr "로그인한 계정"
#: src/lib/hooks/useAccountSwitcher.ts:36
#: src/view/com/auth/login/ChooseAccountForm.tsx:103
msgid "Signed in as @{0}"
msgstr "@{0}(으)로 로그인했습니다."
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:33
msgid "Skip"
msgstr "건너뛰기"
#: src/lib/hooks/useAccountSwitcher.ts:47
msgid "Sorry! We need you to enter your password."
msgstr "죄송합니다. 비밀번호를 입력해 주세요."
#: src/App.native.tsx:57
#~ msgid "Sorry! Your session expired. Please log in again."
#~ msgstr "죄송합니다. 세션이 만료되었습니다. 다시 로그인해 주세요."
#: src/view/screens/PreferencesThreads.tsx:69
msgid "Sort Replies"
msgstr "답글 정렬"
#: src/view/screens/PreferencesThreads.tsx:72
msgid "Sort replies to the same post by:"
msgstr "동일한 게시물에 대한 답글을 정렬하는 기준입니다."
#: src/state/queries/preferences/moderation.ts:130
msgid "Spam"
msgstr "스팸"
#: src/view/com/modals/crop-image/CropImage.web.tsx:122
msgid "Square"
msgstr "정사각형"
#: src/view/com/auth/create/Step1.tsx:90
#: src/view/com/modals/ServerInput.tsx:62
msgid "Staging"
msgstr "스테이징"
#: src/view/screens/Settings.tsx:731
msgid "Status page"
msgstr "상태 페이지"
#: src/view/com/auth/create/CreateAccount.tsx:120
msgid "Step {0}"
msgstr "{0}단계"
#: src/view/com/auth/create/StepHeader.tsx:16
msgid "Step {step} of 3"
msgstr "3단계 중 {step}단계"
#: src/view/screens/Settings.tsx:269
msgid "Storage cleared, you need to restart the app now."
msgstr "스토리지가 지워졌으며 지금 앱을 다시 시작해야 합니다."
#: src/view/screens/Settings.tsx:667
msgid "Storybook"
msgstr "스토리북"
#: src/view/com/modals/AppealLabel.tsx:101
msgid "Submit"
msgstr "확인"
#: src/view/screens/ProfileList.tsx:583
msgid "Subscribe"
msgstr "구독"
#: src/view/screens/ProfileList.tsx:579
msgid "Subscribe to this list"
msgstr "이 리스트로 구독"
#: src/view/screens/Search/Search.tsx:362
msgid "Suggested Follows"
msgstr "팔로우 추천"
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:65
msgid "Suggested for you"
msgstr "나를 위한 추천"
#: src/view/screens/Support.tsx:30
#: src/view/screens/Support.tsx:33
msgid "Support"
msgstr "지원"
#: src/view/com/modals/SwitchAccount.tsx:115
msgid "Switch Account"
msgstr "계정 전환"
#: src/view/screens/Settings.tsx:439
msgid "System"
msgstr "시스템"
#: src/view/screens/Settings.tsx:647
msgid "System log"
msgstr "시스템 로그"
#: src/view/com/modals/crop-image/CropImage.web.tsx:112
msgid "Tall"
msgstr "세로"
#: src/view/shell/desktop/RightNav.tsx:93
msgid "Terms"
msgstr "이용약관"
#: src/view/com/auth/create/Policies.tsx:59
#: src/view/screens/Settings.tsx:745
#: src/view/screens/TermsOfService.tsx:29
#: src/view/shell/Drawer.tsx:256
msgid "Terms of Service"
msgstr "서비스 이용약관"
#: src/view/com/modals/AppealLabel.tsx:70
#: src/view/com/modals/report/InputIssueDetails.tsx:51
msgid "Text input field"
msgstr "텍스트 입력 필드"
#: src/view/com/modals/report/Modal.tsx:82
msgid "Thank you for your report! We'll look into it promptly."
msgstr "신고해 주셔서 감사합니다! 즉시 검토하겠습니다."
#: src/view/com/modals/ChangeHandle.tsx:464
msgid "That contains the following:"
msgstr "텍스트 파일 내용:"
#: src/view/com/profile/ProfileHeader.tsx:310
msgid "The account will be able to interact with you after unblocking."
msgstr "차단을 해제하면 해당 계정이 나와 상호작용할 수 있게 됩니다."
#: src/view/screens/CommunityGuidelines.tsx:36
msgid "The Community Guidelines have been moved to <0/>"
msgstr "커뮤니티 가이드라인이 <0/>(으)로 이동되었습니다."
#: src/view/screens/CopyrightPolicy.tsx:33
msgid "The Copyright Policy has been moved to <0/>"
msgstr "저작권 정책이 <0/>(으)로 이동되었습니다."
#: src/view/com/post-thread/PostThread.tsx:433
msgid "The post may have been deleted."
msgstr "게시물이 삭제되었을 수 있습니다."
#: src/view/screens/PrivacyPolicy.tsx:33
msgid "The Privacy Policy has been moved to <0/>"
msgstr "개인정보 처리방침이 <0/>(으)로 이동되었습니다."
#: src/view/screens/Support.tsx:36
msgid "The support form has been moved. If you need help, please<0/> or visit {HELP_DESK_URL} to get in touch with us."
msgstr "지원 양식이 이동되었습니다. 도움이 필요하다면 {HELP_DESK_URL}을 방문하거나 <0/>로 문의해 주세요."
#: src/view/screens/Debug.tsx:184
msgid "The task has been completed"
msgstr "작업을 완료했습니다."
#: src/view/screens/Debug.tsx:188
msgid "The task has been completed successfully and with no problems"
msgstr "작업을 문제 없이 성공적으로 완료했습니다."
#: src/view/screens/TermsOfService.tsx:33
msgid "The Terms of Service have been moved to"
msgstr "서비스 이용약관이 다음으로 이동되었습니다:"
#: src/view/screens/ProfileFeed.tsx:557
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr "서버에 연결하는 동안 문제가 발생했습니다. 인터넷 연결을 확인한 후 다시 시도하세요."
#: src/view/screens/ProfileFeed.tsx:218
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr "피드를 업데이트하는 동안 문제가 발생했습니다. 인터넷 연결을 확인한 후 다시 시도하세요."
#: src/view/screens/ProfileFeed.tsx:245
#: src/view/screens/ProfileList.tsx:263
#: src/view/screens/SavedFeeds.tsx:209
#: src/view/screens/SavedFeeds.tsx:231
#: src/view/screens/SavedFeeds.tsx:252
msgid "There was an issue contacting the server"
msgstr "서버에 연결하는 동안 문제가 발생했습니다."
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:58
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:67
#: src/view/com/feeds/FeedSourceCard.tsx:113
#: src/view/com/feeds/FeedSourceCard.tsx:127
#: src/view/com/feeds/FeedSourceCard.tsx:181
msgid "There was an issue contacting your server"
msgstr "서버에 연결하는 동안 문제가 발생했습니다."
#: src/view/com/modals/ContentFilteringSettings.tsx:126
msgid "There was an issue syncing your preferences with the server"
msgstr "설정을 서버와 동기화하는 동안 문제가 발생했습니다."
#: src/view/com/profile/ProfileHeader.tsx:204
#: src/view/com/profile/ProfileHeader.tsx:225
#: src/view/com/profile/ProfileHeader.tsx:264
#: src/view/com/profile/ProfileHeader.tsx:277
#: src/view/com/profile/ProfileHeader.tsx:297
#: src/view/com/profile/ProfileHeader.tsx:319
msgid "There was an issue! {0}"
msgstr "문제가 발생했습니다! {0}"
#: src/view/screens/ProfileList.tsx:284
#: src/view/screens/ProfileList.tsx:303
#: src/view/screens/ProfileList.tsx:325
#: src/view/screens/ProfileList.tsx:344
msgid "There was an issue. Please check your internet connection and try again."
msgstr "문제가 발생했습니다. 인터넷 연결을 확인한 후 다시 시도하세요."
#: src/view/com/util/ErrorBoundary.tsx:35
msgid "There was an unexpected issue in the application. Please let us know if this happened to you!"
msgstr "애플리케이션에 예기치 않은 문제가 발생했습니다. 이런 일이 발생하면 저희에게 알려주세요!"
#: src/view/com/util/moderation/LabelInfo.tsx:45
#~ msgid "This {0} has been labeled."
#~ msgstr "이 {0}에 레이블이 지정되었습니다."
#: src/view/com/util/moderation/ScreenHider.tsx:88
msgid "This {screenDescription} has been flagged:"
msgstr "이 {screenDescription}에 플래그가 지정되었습니다:"
#: src/view/com/util/moderation/ScreenHider.tsx:83
msgid "This account has requested that users sign in to view their profile."
msgstr "이 계정의 프로필을 보려면 로그인해야 합니다."
#: src/view/com/posts/FeedErrorMessage.tsx:107
msgid "This content is not viewable without a Bluesky account."
msgstr "이 콘텐츠는 Bluesky 계정이 없으면 볼 수 없습니다."
#: src/view/com/posts/FeedErrorMessage.tsx:113
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr "이 피드는 현재 트래픽이 많아 일시적으로 사용할 수 없습니다. 나중에 다시 시도해 주세요."
#: src/view/screens/Profile.tsx:392
#: src/view/screens/ProfileFeed.tsx:484
#: src/view/screens/ProfileList.tsx:636
msgid "This feed is empty!"
msgstr "이 피드는 비어 있습니다."
#: src/view/com/modals/BirthDateSettings.tsx:61
msgid "This information is not shared with other users."
msgstr "이 정보는 다른 사용자와 공유되지 않습니다."
#: src/view/com/modals/VerifyEmail.tsx:113
msgid "This is important in case you ever need to change your email or reset your password."
msgstr "이는 이메일을 변경하거나 비밀번호를 재설정해야 할 때 중요한 정보입니다."
#: src/view/com/auth/create/Step1.tsx:55
msgid "This is the service that keeps you online."
msgstr "온라인 상태를 유지할 수 있게 하는 서비스입니다."
#: src/view/com/modals/LinkWarning.tsx:56
msgid "This link is taking you to the following website:"
msgstr "이 링크를 클릭하면 다음 웹사이트로 이동합니다:"
#: src/view/screens/ProfileList.tsx:794
msgid "This list is empty!"
msgstr "이 리스트는 비어 있습니다."
#: src/view/com/modals/AddAppPasswords.tsx:105
msgid "This name is already in use"
msgstr "이 이름은 이미 사용 중입니다."
#: src/view/com/post-thread/PostThreadItem.tsx:123
msgid "This post has been deleted."
msgstr "이 게시물은 삭제되었습니다."
#: src/view/com/auth/create/Policies.tsx:46
msgid "This service has not provided terms of service or a privacy policy."
msgstr "이 서비스에는 서비스 이용약관이나 개인정보 처리방침이 제공되지 않습니다."
#: src/view/com/modals/ChangeHandle.tsx:444
msgid "This should create a domain record at:"
msgstr "이 도메인에 레코드가 추가됩니다:"
#: src/view/com/modals/SelfLabel.tsx:137
msgid "This warning is only available for posts with media attached."
msgstr "이 경고는 미디어가 첨부된 게시물에만 사용할 수 있습니다."
#: src/view/com/util/forms/PostDropdownBtn.tsx:180
msgid "This will hide this post from your feeds."
msgstr "피드에서 이 게시물을 숨깁니다."
#: src/view/screens/PreferencesThreads.tsx:53
#: src/view/screens/Settings.tsx:504
msgid "Thread Preferences"
msgstr "스레드 설정"
#: src/view/screens/PreferencesThreads.tsx:119
msgid "Threaded Mode"
msgstr "스레드 모드"
#: src/view/com/util/forms/DropdownButton.tsx:230
msgid "Toggle dropdown"
msgstr "드롭다운 열기 및 닫기"
#: src/view/com/modals/EditImage.tsx:271
msgid "Transformations"
msgstr "변형"
#: src/view/com/post-thread/PostThreadItem.tsx:705
#: src/view/com/post-thread/PostThreadItem.tsx:707
#: src/view/com/util/forms/PostDropdownBtn.tsx:113
msgid "Translate"
msgstr "번역"
#: src/view/com/util/error/ErrorScreen.tsx:73
msgid "Try again"
msgstr "다시 시도"
#: src/view/com/modals/ChangeHandle.tsx:427
msgid "Type"
msgstr "유형"
#: src/view/screens/ProfileList.tsx:481
msgid "Un-block list"
msgstr "리스트 차단 해제"
#: src/view/screens/ProfileList.tsx:466
msgid "Un-mute list"
msgstr "리스트 언뮤트"
#: src/view/com/auth/create/CreateAccount.tsx:65
#: src/view/com/auth/login/Login.tsx:76
#: src/view/com/auth/login/LoginForm.tsx:117
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "서비스에 연결할 수 없습니다. 인터넷 연결을 확인하세요."
#: src/view/com/profile/ProfileHeader.tsx:470
#: src/view/com/profile/ProfileHeader.tsx:473
#: src/view/screens/ProfileList.tsx:565
msgid "Unblock"
msgstr "차단 해제"
#: src/view/com/profile/ProfileHeader.tsx:308
#: src/view/com/profile/ProfileHeader.tsx:392
msgid "Unblock Account"
msgstr "계정 차단 해제"
#: src/view/com/util/post-ctrls/RepostButton.web.tsx:48
msgid "Undo repost"
msgstr "재게시 취소"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:138
#: src/view/com/profile/FollowButton.tsx:55
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:241
msgid "Unfollow"
msgstr "언팔로우"
#: src/view/com/auth/create/state.ts:210
msgid "Unfortunately, you do not meet the requirements to create an account."
msgstr "아쉽지만 계정을 만들 수 있는 요건을 충족하지 못했습니다."
#: src/view/screens/ProfileList.tsx:572
msgid "Unmute"
msgstr "언뮤트"
#: src/view/com/profile/ProfileHeader.tsx:373
msgid "Unmute Account"
msgstr "계정 언뮤트"
#: src/view/com/util/forms/PostDropdownBtn.tsx:159
msgid "Unmute thread"
msgstr "스레드 언뮤트"
#: src/view/screens/ProfileFeed.tsx:362
#: src/view/screens/ProfileList.tsx:556
msgid "Unpin"
msgstr "고정 해제"
#: src/view/screens/ProfileList.tsx:449
msgid "Unpin moderation list"
msgstr "검토 리스트 고정 해제"
#: src/view/screens/ProfileFeed.tsx:354
msgid "Unsave"
msgstr "저장 해제"
#: src/view/com/modals/UserAddRemoveLists.tsx:54
msgid "Update {displayName} in Lists"
msgstr "리스트에서 {displayName} 업데이트"
#: src/lib/hooks/useOTAUpdate.ts:15
msgid "Update Available"
msgstr "업데이트 사용 가능"
#: src/view/com/modals/ChangeHandle.tsx:507
msgid "Update to {handle}"
msgstr "{handle}로 변경"
#: src/view/com/auth/login/SetNewPasswordForm.tsx:172
msgid "Updating..."
msgstr "업데이트 중…"
#: src/view/com/modals/ChangeHandle.tsx:453
msgid "Upload a text file to:"
msgstr "텍스트 파일 업로드 경로:"
#: src/view/screens/AppPasswords.tsx:194
msgid "Use app passwords to login to other Bluesky clients without giving full access to your account or password."
msgstr "앱 비밀번호를 사용하면 계정이나 비밀번호에 대한 전체 접근 권한을 제공하지 않고도 다른 Bluesky 클라이언트에 로그인할 수 있습니다."
#: src/view/com/modals/ChangeHandle.tsx:515
msgid "Use default provider"
msgstr "기본 제공자 사용"
#: src/view/com/modals/AddAppPasswords.tsx:154
msgid "Use this to sign into the other app along with your handle."
msgstr "이 비밀번호와 핸들을 사용하여 다른 앱에 로그인하세요."
#: src/view/com/modals/InviteCodes.tsx:200
msgid "Used by:"
msgstr "사용 계정:"
#: src/view/com/modals/CreateOrEditList.tsx:68
msgid "User"
msgstr "사용자"
#: src/view/com/auth/create/Step3.tsx:38
msgid "User handle"
msgstr "사용자 핸들"
#: src/view/screens/Lists.tsx:58
msgid "User Lists"
msgstr "사용자 리스트"
#: src/view/com/auth/login/LoginForm.tsx:170
#: src/view/com/auth/login/LoginForm.tsx:188
msgid "Username or email address"
msgstr "사용자 이름 또는 이메일 주소"
#: src/view/screens/ProfileList.tsx:756
msgid "Users"
msgstr "사용자"
#: src/view/com/threadgate/WhoCanReply.tsx:143
msgid "users followed by <0/>"
msgstr "<0/>(이)가 팔로우한 사용자"
#: src/view/com/threadgate/WhoCanReply.tsx:115
#~ msgid "Users followed by <0/>"
#~ msgstr "<0/>(이)가 팔로우한 사용자"
#: src/view/com/modals/Threadgate.tsx:106
msgid "Users in \"{0}\""
msgstr "\"{0}\"에 있는 사용자"
#: src/view/com/modals/ChangeHandle.tsx:435
msgid "Value"
msgstr "값"
#: src/view/com/modals/ChangeHandle.tsx:508
msgid "Verify {0}"
msgstr "{0} 확인"
#: src/view/screens/Settings.tsx:770
msgid "Verify email"
msgstr "이메일 확인"
#: src/view/screens/Settings.tsx:795
msgid "Verify my email"
msgstr "내 이메일 확인"
#: src/view/screens/Settings.tsx:804
msgid "Verify My Email"
msgstr "내 이메일 확인"
#: src/view/com/modals/ChangeEmail.tsx:205
#: src/view/com/modals/ChangeEmail.tsx:207
msgid "Verify New Email"
msgstr "새 이메일 확인"
#: src/view/screens/Log.tsx:52
msgid "View debug entry"
msgstr "디버그 항목 보기"
#: src/view/com/posts/FeedSlice.tsx:103
msgid "View full thread"
msgstr "전체 스레드 보기"
#: src/view/com/profile/ProfileSubpageHeader.tsx:128
msgid "View the avatar"
msgstr "아바타 보기"
#: src/state/queries/preferences/moderation.ts:115
msgid "Violent / Bloody"
msgstr "폭력 및 유혈"
#: src/view/com/modals/LinkWarning.tsx:73
msgid "Visit Site"
msgstr "사이트 방문"
#: src/view/com/modals/ContentFilteringSettings.tsx:246
msgid "Warn"
msgstr "경고"
#: src/view/com/modals/AppealLabel.tsx:48
msgid "We'll look into your appeal promptly."
msgstr "이의신청을 즉시 검토하겠습니다."
#: src/view/com/auth/create/CreateAccount.tsx:122
msgid "We're so excited to have you join us!"
msgstr "당신과 함께하게 되어 정말 기쁘네요!"
#: src/view/com/posts/FeedErrorMessage.tsx:99
#~ msgid "We're sorry, but this content is not viewable without a Bluesky account."
#~ msgstr "죄송하지만 이 콘텐츠는 Bluesky 계정이 없으면 볼 수 없습니다."
#: src/view/com/posts/FeedErrorMessage.tsx:105
#~ msgid "We're sorry, but this feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
#~ msgstr "죄송하지만 현재 트래픽이 많아 이 피드를 일시적으로 사용할 수 없습니다. 잠시 후 다시 시도해 주세요."
#: src/view/screens/Search/Search.tsx:243
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr "죄송하지만 검색을 완료할 수 없습니다. 몇 분 후에 다시 시도해 주세요."
#: src/view/screens/NotFound.tsx:48
msgid "We're sorry! We can't find the page you were looking for."
msgstr "죄송합니다! 페이지를 찾을 수 없습니다."
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:46
msgid "Welcome to <0>Bluesky</0>"
msgstr "<0>Bluesky</0>에 오신 것을 환영합니다"
#: src/view/com/modals/report/Modal.tsx:172
msgid "What is the issue with this {collectionName}?"
msgstr "이 {collectionName}에 어떤 문제가 있습니까?"
#: src/view/com/auth/SplashScreen.tsx:34
#: src/view/com/composer/Composer.tsx:274
msgid "What's up?"
msgstr "무슨 일이 일어나고 있나요?"
#: src/view/com/modals/lang-settings/PostLanguagesSettings.tsx:78
msgid "Which languages are used in this post?"
msgstr "이 게시물에는 어떤 언어가 사용됩니까?"
#: src/view/com/modals/lang-settings/ContentLanguagesSettings.tsx:77
msgid "Which languages would you like to see in your algorithmic feeds?"
msgstr "알고리즘 피드에 어떤 언어를 표시하시겠습니까?"
#: src/view/com/composer/threadgate/ThreadgateBtn.tsx:47
#: src/view/com/modals/Threadgate.tsx:66
msgid "Who can reply"
msgstr "답글을 달 수 있는 사람"
#: src/view/com/threadgate/WhoCanReply.tsx:79
#~ msgid "Who can reply?"
#~ msgstr "답글을 달 수 있는 사람"
#: src/view/com/modals/crop-image/CropImage.web.tsx:102
msgid "Wide"
msgstr "가로"
#: src/view/com/composer/Composer.tsx:415
msgid "Write post"
msgstr "게시물 작성"
#: src/view/com/composer/Composer.tsx:273
#: src/view/com/composer/Prompt.tsx:33
msgid "Write your reply"
msgstr "답글 작성하기"
#: src/view/screens/PreferencesHomeFeed.tsx:123
#: src/view/screens/PreferencesHomeFeed.tsx:195
#: src/view/screens/PreferencesHomeFeed.tsx:230
#: src/view/screens/PreferencesHomeFeed.tsx:265
#: src/view/screens/PreferencesThreads.tsx:106
#: src/view/screens/PreferencesThreads.tsx:129
msgid "Yes"
msgstr "예"
#: src/view/com/posts/FollowingEmptyState.tsx:67
msgid "You can also discover new Custom Feeds to follow."
msgstr "팔로우할 새로운 맞춤 피드를 찾을 수도 있습니다."
#: src/view/com/auth/create/Step1.tsx:106
msgid "You can change hosting providers at any time."
msgstr "언제든지 호스팅 제공자를 변경할 수 있습니다."
#: src/view/com/auth/login/Login.tsx:158
#: src/view/com/auth/login/PasswordUpdatedForm.tsx:31
msgid "You can now sign in with your new password."
msgstr "이제 새 비밀번호로 로그인할 수 있습니다."
#: src/view/com/modals/InviteCodes.tsx:66
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "아직 초대 코드가 없습니다! Bluesky를 좀 더 오래 사용하신 후에 보내드리겠습니다."
#: src/view/screens/SavedFeeds.tsx:102
msgid "You don't have any pinned feeds."
msgstr "고정된 피드가 없습니다."
#: src/view/screens/Feeds.tsx:383
msgid "You don't have any saved feeds!"
msgstr "저장된 피드가 없습니다!"
#: src/view/screens/SavedFeeds.tsx:135
msgid "You don't have any saved feeds."
msgstr "저장된 피드가 없습니다."
#: src/view/com/post-thread/PostThread.tsx:381
msgid "You have blocked the author or you have been blocked by the author."
msgstr "작성자를 차단했거나 작성자가 나를 차단한 경우입니다."
#: src/view/com/feeds/ProfileFeedgens.tsx:134
msgid "You have no feeds."
msgstr "피드가 없습니다."
#: src/view/com/lists/MyLists.tsx:89
#: src/view/com/lists/ProfileLists.tsx:138
msgid "You have no lists."
msgstr "리스트가 없습니다."
#: src/view/screens/ModerationBlockedAccounts.tsx:132
msgid "You have not blocked any accounts yet. To block an account, go to their profile and selected \"Block account\" from the menu on their account."
msgstr "아직 어떤 계정도 차단하지 않았습니다. 계정을 차단하려면 해당 계정의 프로필로 이동하여 계정 메뉴에서 \"계정 차단\"을 선택하세요."
#: src/view/screens/AppPasswords.tsx:86
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "아직 앱 비밀번호를 생성하지 않았습니다. 아래 버튼을 눌러 생성할 수 있습니다."
#: src/view/screens/ModerationMutedAccounts.tsx:131
msgid "You have not muted any accounts yet. To mute an account, go to their profile and selected \"Mute account\" from the menu on their account."
msgstr "아직 어떤 계정도 뮤트하지 않았습니다. 계정을 뮤트하려면 해당 계정의 프로필로 이동하여 계정 메뉴에서 \"계정 뮤트\"를 선택하세요."
#: src/view/com/modals/ContentFilteringSettings.tsx:166
msgid "You must be 18 or older to enable adult content."
msgstr "성인 콘텐츠를 활성화하려면 18세 이상이어야 합니다."
#: src/view/com/util/forms/PostDropdownBtn.tsx:88
msgid "You will no longer receive notifications for this thread"
msgstr "이 스레드에 대한 알림을 더 이상 받지 않습니다."
#: src/view/com/util/forms/PostDropdownBtn.tsx:91
msgid "You will now receive notifications for this thread"
msgstr "이제 이 스레드에 대한 알림을 받습니다."
#: src/view/com/auth/login/SetNewPasswordForm.tsx:81
msgid "You will receive an email with a \"reset code.\" Enter that code here, then enter your new password."
msgstr "\"재설정 코드\"가 포함된 이메일을 받게 되면 여기에 해당 코드를 입력한 다음 새 비밀번호를 입력합니다."
#: src/view/com/composer/Composer.tsx:263
msgid "Your {0} has been published"
msgstr "내 {0}(을)를 게시했습니다."
#: src/view/com/auth/create/Step2.tsx:58
msgid "Your account"
msgstr "내 계정"
#: src/view/com/modals/DeleteAccount.tsx:65
msgid "Your account has been deleted"
msgstr "계정을 삭제했습니다."
#: src/view/com/auth/create/Step2.tsx:146
msgid "Your birth date"
msgstr "생년월일"
#: src/view/com/auth/create/state.ts:102
msgid "Your email appears to be invalid."
msgstr "이메일이 잘못된 것 같습니다."
#: src/view/com/modals/Waitlist.tsx:107
msgid "Your email has been saved! We'll be in touch soon."
msgstr "이메일이 저장되었습니다! 가까운 시일 내에 연락드리겠습니다."
#: src/view/com/modals/ChangeEmail.tsx:125
msgid "Your email has been updated but not verified. As a next step, please verify your new email."
msgstr "이메일이 변경되었지만 인증되지 않았습니다. 다음 단계로 새 이메일을 인증해 주세요."
#: src/view/com/modals/VerifyEmail.tsx:108
msgid "Your email has not yet been verified. This is an important security step which we recommend."
msgstr "이메일이 아직 인증되지 않았습니다. 이는 중요한 보안 단계이므로 권장하는 사항입니다."
#: src/view/com/posts/FollowingEmptyState.tsx:47
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr "팔로우 중인 피드가 비어 있습니다! 더 많은 사용자를 팔로우하여 무슨 일이 일어나고 있는지 확인하세요."
#: src/view/com/auth/create/Step3.tsx:42
#: src/view/com/modals/ChangeHandle.tsx:270
msgid "Your full handle will be"
msgstr "내 전체 핸들:"
#: src/view/com/auth/create/Step1.tsx:53
msgid "Your hosting provider"
msgstr "호스팅 제공자"
#: src/view/screens/Settings.tsx:403
#: src/view/shell/desktop/RightNav.tsx:137
#: src/view/shell/Drawer.tsx:655
msgid "Your invite codes are hidden when logged in using an App Password"
msgstr "앱 비밀번호를 사용하여 로그인하면 초대 코드가 숨겨집니다"
#: src/view/com/auth/onboarding/WelcomeDesktop.tsx:61
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:59
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "내 게시물, 좋아요, 차단 목록은 공개됩니다. 뮤트 목록은 공개되지 않습니다."
#: src/view/com/modals/SwitchAccount.tsx:82
msgid "Your profile"
msgstr "내 프로필"
#: src/view/screens/Moderation.tsx:205
#~ msgid "Your profile and account will not be visible to anyone visiting the Bluesky app without an account, or to account holders who are not logged in. Enabling this will not make your profile private."
#~ msgstr "내 프로필과 계정은 계정 없이 Bluesky 앱을 방문하는 사람이나 로그인하지 않은 계정에게 표시되지 않습니다. 이 기능을 활성화해도 내 프로필이 비공개로 전환되지는 않습니다."
#: src/view/screens/Moderation.tsx:220
#~ msgid "Your profile and content will not be visible to anyone visiting the Bluesky app without an account. Enabling this will not make your profile private."
#~ msgstr "내 프로필과 콘텐츠는 계정 없이 Bluesky 앱을 방문하는 사람에게 표시되지 않습니다. 이 기능을 활성화해도 내 프로필이 비공개로 전환되지는 않습니다."
#: src/view/screens/Moderation.tsx:220
#~ msgid "Your profile and posts will not be visible to people visiting the Bluesky app or website without having an account and being logged in."
#~ msgstr "계정이 없거나 로그인하지 않은 상태에서 Bluesky 앱이나 웹사이트를 방문하는 사람들에게는 내 프로필과 게시물이 표시되지 않습니다."
#: src/view/com/auth/create/Step3.tsx:28
msgid "Your user handle"
msgstr "내 사용자 핸들"
|