-
Notifications
You must be signed in to change notification settings - Fork 1
/
ko.coffee
2653 lines (2580 loc) · 157 KB
/
ko.coffee
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
module.exports = nativeDescription: "한국어", englishDescription: "Korean", translation:
new_home:
slogan: "코딩을 배우는 가장 매력적인 방법!"
# classroom_edition: "Classroom Edition:"
learn_to_code: "코딩 배우기:"
play_now: "지금 시작하기"
im_a_teacher: "선생님입니다"
im_a_student: "학생입니다"
learn_more: "더 알아보기"
# classroom_in_a_box: "A classroom in-a-box for teaching computer science."
# codecombat_is: "CodeCombat is a platform <strong>for students</strong> to learn computer science while playing through a real game."
# our_courses: "Our courses have been specifically playtested <strong>to excel in the classroom</strong>, even for teachers with little to no prior programming experience."
# watch_how: "Watch how CodeCombat is transforming the way people learn computer science."
# top_screenshots_hint: "Students write code and see their changes update in real-time"
# designed_with: "Designed with teachers in mind"
# real_code: "Real, typed code"
from_the_first_level: "첫 번째 레벨부터"
# getting_students: "Getting students to typed code as quickly as possible is critical to learning programming syntax and proper structure."
educator_resources: "교육자 자료들"
course_guides: "그리고 코스 가이드"
teaching_computer_science: "우리는 어떤 배경을 가진 교육자라도 지원하는 도구를 가지고 있기 때문에, 컴퓨터 공학을 가르치는 것은 비싼 학위를 필요로하지 않습니다."
# accessible_to: "Accessible to"
everyone: "모두"
# democratizing: "Democratizing the process of learning coding is at the core of our philosophy. Everyone should be able to learn to code."
# forgot_learning: "I think they actually forgot that they were learning something."
# wanted_to_do: " Coding is something I've always wanted to do, and I never thought I would be able to learn it in school."
# builds_concepts_up: "I like how CodeCombat builds the concepts up. It's really easy to understand and fun to figure it out."
# why_games: "Why is learning through games important?"
# games_reward: "Games reward the productive struggle."
# encourage: "Gaming is a medium that encourages interaction, discovery, and trial-and-error. A good game challenges the player to master skills over time, which is the same critical process students go through as they learn."
# excel: "Games excel at rewarding"
# struggle: "productive struggle"
# kind_of_struggle: "the kind of struggle that results in learning that’s engaging and"
motivating: "동기부여"
not_tedious: "지루하지 않습니다."
# gaming_is_good: "Studies suggest gaming is good for children’s brains. (it’s true!)"
# game_based: "When game-based learning systems are"
# compared: "compared"
# conventional: "against conventional assessment methods, the difference is clear: games are better at helping students retain knowledge, concentrate and"
# perform_at_higher_level: "perform at a higher level of achievement"
# feedback: "Games also provide real-time feedback that allows students to adjust their solution path and understand concepts more holistically, instead of being limited to just “correct” or “incorrect” answers."
# real_game: "A real game, played with real coding."
# great_game: "A great game is more than just badges and achievements - it’s about a player’s journey, well-designed puzzles, and the ability to tackle challenges with agency and confidence."
# agency: "CodeCombat is a game that gives players that agency and confidence with our robust typed code engine, which helps beginner and advanced students alike write proper, valid code."
request_demo_title: "오늘 학생들이 시작할 수 있도록 하세요!"
request_demo_subtitle: "학생들이 한시간 이내에 시작할 수 있도록 데모를 요청하세요."
get_started_title: "오늘 수업을 준비해보세요"
get_started_subtitle: "수업을 준비하고, 학생을 추가하고, 학생들의 컴퓨터 공학 실력 향상을 관찰해보세요."
request_demo: "데모 요청하기"
setup_a_class: "수업 준비하기"
have_an_account: "계정이 있으십니까?"
logged_in_as: "당신은 다음 계정으로 로그인되어있습니다."
# computer_science: "Our self-paced courses cover basic syntax to advanced concepts"
ffa: "모든 학생들에게 무료"
# coming_soon: "More coming soon!"
# courses_available_in: "Courses are available in JavaScript and Python. Web Development courses utilize HTML, CSS, and jQuery."
# boast: "Boasts riddles that are complex enough to fascinate gamers and coders alike."
# winning: "A winning combination of RPG gameplay and programming homework that pulls off making kid-friendly education legitimately enjoyable."
run_class: "당신이 해야할 일은 오늘 학교에서 컴퓨터공학수업을 실행하는 것입니다. 어떠한 컴퓨터공학 배경지식도 필요하지 않습니다."
goto_classes: "내 수업들 바로가기"
view_profile: "내 프로필 보기"
view_progress: "진행 상황 보기"
# go_to_courses: "Go to My Courses"
want_coco: "학교에서 코드컴뱃을 해 보고 싶나요?"
nav:
map: "맵"
play: "레벨" # The top nav bar entry where players choose which levels to play
community: "커뮤니티"
courses: "코스"
blog: "블로그"
forum: "포럼"
account: "계정"
my_account: "내 계정"
profile: "프로필"
home: "홈"
contribute: "참여하기"
legal: "법"
privacy: "프라이버시"
about: "소개"
contact: "문의"
twitter_follow: "팔로우"
my_classrooms: "나의 클래스"
my_courses: "나의 코스"
careers: "채용"
facebook: "페이스북"
twitter: "트위터"
create_a_class: "클래스 생성"
# other: "Other"
learn_to_code: "코드 학습하기!"
# toggle_nav: "Toggle navigation"
schools: "학교"
# get_involved: "Get Involved"
open_source: "오픈 소스 (GitHub)"
support: "지원"
faqs: "자주 묻는 질문"
# copyright_prefix: "Copyright"
# copyright_suffix: "All Rights Reserved."
help_pref: "도움이 필요하신가요? 이메일을 보내주세요."
help_suff: "저희가 도와드리겠습니다."
# resource_hub: "Resource Hub"
# apcsp: "AP CS Principles"
# parent: "Parents"
modal:
close: "닫기"
okay: "확인"
not_found:
page_not_found: "페이지를 찾을 수 없습니다"
diplomat_suggestion:
title: "코드 컴뱃 번역을 도와주세요!" # This shows up when a player switches to a non-English language using the language selector.
sub_heading: "우리는 당신의 언어 능력이 필요합니다."
pitch_body: "우리는 영어로 코드 컴뱃을 개발하기 시작했지만, 이미 전세계의 유저들이 코드 컴뱃을 이용하고 있습니다. 그 중 많은 사람들이 한국어로 플레이하기를 바랍니다. 혹시 당신이 영어/한국어에 모두 능숙하다면, 외교관(Diplomate)으로 코드 컴뱃에 참여해서 모든 레벨 뿐만 아니라 웹사이트를 한국어로 번역할 수 있습니다."
missing_translations: "우리가 모든 내용을 한국어로 번역할 때까지 기본은 영어로 제공됩니다."
learn_more: "외교관에 대해서 좀 더 자세히 알아보기"
subscribe_as_diplomat: "외교관을 위한 정기 구독"
play:
play_as: "같이 플레이" # Ladder page
# get_course_for_class: "Assign Game Development and more to your classes!"
# request_licenses: "Contact our school specialists for details."
compete: "경쟁!" # Course details page
spectate: "관중모드" # Ladder page
players: "플레이어" # Hover over a level on /play
hours_played: "플레이한 시간" # Hover over a level on /play
items: "아이템" # Tooltip on item shop button from /play
unlock: "해제" # For purchasing items and heroes
confirm: "확인"
owned: "소지함" # For items you own
locked: "잠김"
available: "가능"
skills_granted: "부여된 스킬" # Property documentation details
heroes: "영웅들" # Tooltip on hero shop button from /play
achievements: "성취한 목표" # Tooltip on achievement list button from /play
settings: "설정" # Tooltip on settings button from /play
poll: "투표" # Tooltip on poll button from /play
next: "다음" # Go from choose hero to choose inventory before playing a level
change_hero: "영웅 교체" # Go back from choose inventory to choose hero
# change_hero_or_language: "Change Hero or Language"
buy_gems: "젬 구매"
subscribers_only: "가입을 해야 합니다."
subscribe_unlock: "해제하려면 가입을 해 주세요."
subscriber_heroes: "오늘 구독하시면 Amara와 Hushbaum, Hattori가 즉시 해제됩니다!"
subscriber_gems: "보석으로 이 영웅을 구매하려면 오늘 구독하십시오!"
anonymous: "이름 없는 플레이어"
level_difficulty: "난이도: "
awaiting_levels_adventurer_prefix: "매주 새로운 레벨이 생깁니다."
awaiting_levels_adventurer: "모험자로 등록 하세요!"
awaiting_levels_adventurer_suffix: "새로운 레벨을 가장 먼저 체험하세요!"
adjust_volume: "소리 조절"
campaign_multiplayer: "멀티 플레이어 전투장"
campaign_multiplayer_description: "... 이곳에서 당신은 다른 플레이어들(사람들)과 직접 결투할 수 있습니다."
brain_pop_done: "이겼어요! 당신의 코드로 오우거를 물리쳤습니다!"
brain_pop_challenge: "다른 프로그래밍 언어로도 도전해 보세요!"
replay: "다시 하기"
back_to_classroom: "교실로 돌아가기"
teacher_button: "교사용"
# get_more_codecombat: "Get More CodeCombat"
# code:
# if: "if" # Keywords--these translations show up on hover, so please translate them all, even if it's kind of long. (In the code editor, they will still be in English.)
# else: "else"
# elif: "else if"
# while: "while"
# loop: "loop"
# for: "for"
# break: "break"
# continue: "continue"
# pass: "pass"
# return: "return"
# then: "then"
# do: "do"
# end: "end"
# function: "function"
# def: "define"
# var: "variable"
# self: "self"
# hero: "hero"
# this: "this"
# or: "or"
# "||": "or"
# and: "and"
# "&&": "and"
# not: "not"
# "!": "not"
# "=": "assign"
# "==": "equals"
# "===": "strictly equals"
# "!=": "does not equal"
# "!==": "does not strictly equal"
# ">": "is greater than"
# ">=": "is greater than or equal"
# "<": "is less than"
# "<=": "is less than or equal"
# "*": "multiplied by"
# "/": "divided by"
# "+": "plus"
# "-": "minus"
# "+=": "add and assign"
# "-=": "subtract and assign"
# True: "True"
# true: "true"
# False: "False"
# false: "false"
# undefined: "undefined"
# null: "null"
# nil: "nil"
# None: "None"
share_progress_modal:
blurb: "당신은 큰 진전을 보이고 있습니다! 당신이 코드컴뱃으로 얼마나 많이 배웠는지 부모님께 자랑하십시오."
email_invalid: "이메일 주소가 올바르지 않습니다."
form_blurb: "아래에 부모님의 이메일 주소를 입력하세요. 부모님께 보여드릴게요!"
form_label: "이메일 주소 입력"
placeholder: "이메일 주소 입력"
title: "잘 했어요!"
login:
sign_up: "계정 생성"
email_or_username: "이메일 또는 사용자 이름"
log_in: "로그인"
logging_in: "로그인 중"
log_out: "로그아웃"
forgot_password: "비밀번호를 잊으셨나요?"
finishing: "완료중.."
sign_in_with_facebook: "페이스북으로 로그인"
sign_in_with_gplus: "G+로 로그인"
signup_switch: "새로운 계정을 만드세요."
signup:
complete_subscription: "구독 완료"
create_student_header: "학생 계정 생성"
create_teacher_header: "교사 계정 생성"
create_individual_header: "개인 계정 생성"
email_announcements: "안내 사항을 메일로 받겠습니다" # {change}
sign_in_to_continue: "계속하려면 로그인하거나 계정을 만드십시오."
teacher_email_announcements: "새로운 교사 자료, 커리큘럼 및 코스를 계속 업데이트해주세요!"
creating: "계정을 생성 중입니다..."
sign_up: "계정 생성"
log_in: "비밀번호로 로그인"
required: "진행하기 전에 로그인이 필요합니다."
login_switch: "이미 계정이 있으신가요?"
optional: "옵션"
connected_gplus_header: "Google+ 계정으로 연결되었습니다!"
# connected_gplus_p: "Finish signing up so you can log in with your Google+ account."
connected_facebook_header: "페이스북 계정으로 연결되었습니다!"
# connected_facebook_p: "Finish signing up so you can log in with your Facebook account."
# hey_students: "Students, enter the class code from your teacher."
birthday: "생일"
# parent_email_blurb: "We know you can't wait to learn programming — we're excited too! Your parents will receive an email with further instructions on how to create an account for you. Email {{email_link}} if you have any questions."
# classroom_not_found: "No classes exist with this Class Code. Check your spelling or ask your teacher for help."
checking: "확인 중..."
account_exists: "이 이메일 주소는 누군가 사용 중입니다."
sign_in: "로그인하기"
email_good: "올바른 이메일 주소네요!"
name_taken: "누군가가 사용 중인 Username입니다! {{suggestedName}}는 어때요?"
name_available: "사용 가능한 Username입니다!"
name_is_email: "Username은 이메일 주소로 할 수 없습니다."
choose_type: " 계정 유형을 선택하세요:"
teacher_type_1: "Codecombat을 이용하여 프로그래밍을 가르치세요!"
teacher_type_2: " 클래스를 설정해주세요."
teacher_type_3: " 가이드 보기"
teacher_type_4: " 학생들의 진행 상황보기"
signup_as_teacher: " 교사용 계정 생성 "
student_type_1: " 재미있는 게임을 통해 프로그래밍을 배우세요!"
student_type_2: " 당신의 클래스와 게임하세요."
student_type_3: " 아레나에서 경쟁하기."
student_type_4: "영웅을 선택하세요!"
student_type_5: " 클래스 코드가 준비 되어있습니다!"
signup_as_student: " 학생용 계정 생성."
individuals_or_parents: " 개인 & 부모 "
individual_type: " 클래스를 이용하지않고 이용하실 겨우에는 부모님이 계정을 먼저 만드세요."
signup_as_individual: " 개인 계정을 생성 "
enter_class_code: " 클래스 코드를 입력하세요."
enter_birthdate: " 생일을 입력하세요:"
parent_use_birthdate: " 부모님의 생일을 적어주세요."
ask_teacher_1: " 선생님께 클래스를 물어보세요."
ask_teacher_2: " 클래스가 없으십니까? 클래스를 만드세요. "
ask_teacher_3: " 개인 계정 "
ask_teacher_4: " 대신 "
about_to_join: " 가입 가능합니다:"
enter_parent_email: " 부모님의 이메일 주소를 입력하세요:"
parent_email_error: " 이메일 보내는 과정에서 오류가 발생했습니다. 이메일 주소를 다시 확인해주세요."
parent_email_sent: " 계정 만드는 법과 함께 이메일을 보냈습니다. 부모님 이메일을 확인하세요. "
account_created: " 계정 생성 성공!"
confirm_student_blurb: " 까먹지 않기 위해 당신의 정보를 적어 놓으세요. 선생님도 비밀번호 초기화를 언제든지 해줄 수 있습니다."
confirm_individual_blurb: “나중에 필요할 수 도 있기 떄문에 로그인 정보를 적어두세요. 나중에 아이디나 비밀번호를 까먹을 수 있기 떄문에 이메일 인증을 받으세요. 수신함을 확인하세요!”
write_this_down: " 이 정보를 적어두세요:"
start_playing: “게임을 시작하세요!”
sso_connected: “성공적으로 연결 되었습니다:”
select_your_starting_hero: “처음 게임 할 영웅을 고르세요:”
you_can_always_change_your_hero_later: “언제든지 영웅을 바꾸실 수 있습니다.”
finish: “완료”
teacher_ready_to_create_class: “첫 클래스를 생성 할 준비가 다 되어있습니다!”
teacher_students_can_start_now: “당신의 학생들은 첫 수업 “전산학 개론”을 바로 진행할 수 있습니다.”
teacher_list_create_class: “다음 화면에선 새로운 클래스를 만듭니다.”
teacher_list_add_students: “View Class link를 눌러 학생들은 클래스에 등록하세요. 그 다음 학생들에게 클래스 코드 혹은 URL을 보내세요. 이메일 주소로도 학생들을 등록시킬 수 있습니다.”
teacher_list_resource_hub_1: “확인하세요.”
teacher_list_resource_hub_2: “게임 가이드.”
teacher_list_resource_hub_3: “모든 레벨에 대한 답은, 그리고”
teacher_list_resource_hub_4: “자원 중심지”
teacher_list_resource_hub_5: “커리큘럼 가이드, 활동, 더 많은정보를 알 수 있습니다.”
teacher_additional_questions: “끝났습니다! 혹시 다른 문제는 도움이 필요하신다면, “support email”을 통해 물어보세요.”
dont_use_our_email_silly: “학생의 이메일을 쓰지 마세요! 부모님의 이메일을 쓰세요.”
want_codecombat_in_school: “CodeCombat을 언제든지 하고 싶으신가요?”
eu_confirmation: “나는 내 정보들을 CodeCombat이 미국 서버에 저장하는 것을 허용한다.”
eu_confirmation_place_of_processing: "Learn more about the possible risks" “다른 위험에 대해 알아봅시다.”
eu_confirmation_student: “확실하지 않다면, 선생님께 물어보세요.”
eu_confirmation_individual: “자신의 정보가 미국 서버에 저장되는게 싫으시다면, 언제든지 익명으로 게임하시면 됩니다.”
recover:
recover_account_title: "계정 복구"
send_password: "복구 비밀번호 전송"
recovery_sent: "메일 전송 완료"
items:
primary: "주 장비"
secondary: "보조 장비"
armor: "갑옷"
accessories: "액세서리"
misc: "잡동사니"
books: "책"
common:
back: "뒤로가기" # When used as an action verb, like "Navigate backward"
coming_soon: "개발 중!"
continue: "계속" # When used as an action verb, like "Continue forward"
next: "다음"
default_code: "기본 코드"
loading: "로딩중입니다..."
# overview: "Overview"
# processing: "Processing..."
solution: "해결책"
# table_of_contents: "Table of Contents"
# intro: "Intro"
saving: "저장중입니다..."
sending: "보내는 중입니다..."
send: "전송"
sent: "전송됨"
cancel: "취소"
save: "저장"
publish: "내보내기"
create: "생성"
fork: "포크"
play: "시작" # When used as an action verb, like "Play next level"
retry: "재시도"
actions: "행동"
info: "정보"
help: "도움말"
watch: "보기"
unwatch: "보기 해제"
submit_patch: "패치 제출"
submit_changes: "변경사항 제출"
save_changes: "변경사항 저장"
required_field: "필수"
general:
and: "그리고"
name: "이름"
date: "날짜"
body: "구성"
version: "버전"
pending: "적용중"
accepted: "적용됨"
rejected: "거부됨"
withdrawn: "취소됨"
accept: "승인"
# accept_and_save: "Accept&Save"
reject: "보류"
withdraw: "철수"
submitter: "제출자"
submitted: "제출됨"
commit_msg: "커밋 메세지"
version_history: "버전 히스토리"
version_history_for: "버전 히스토리 : "
select_changes: "차이를 보기위해 두 가지 사항을 변경하도록 선택합니다."
undo_prefix: "되돌리기"
undo_shortcut: "(Ctrl+Z)"
redo_prefix: "다시하기"
redo_shortcut: "(Ctrl+Shift+Z)"
play_preview: "현재 레벨의 미리보기 재생"
result: "결과"
results: "결과들"
description: "설명"
or: "또는"
subject: "제목"
email: "이메일"
password: "비밀번호"
confirm_password: "비밀번호 확인"
message: "메시지"
code: "코드"
ladder: "레더"
when: "언제"
opponent: "상대"
rank: "랭크"
score: "점수"
win: "승"
loss: "패"
tie: "무승부"
easy: "초급"
medium: "중급"
hard: "상급"
player: "플레이어"
player_level: "플레이어 레벨" # Like player level 5, not like level: Dungeons of Kithgard
warrior: "전사"
ranger: "레인저"
wizard: "마법사"
first_name: "이름"
last_name: "성"
# last_initial: "Last Initial"
username: "사용자 이름"
# contact_us: "Contact Us"
close_window: "창 닫기"
learn_more: "더 배우기"
# more: "More"
# fewer: "Fewer"
# with: "with"
units:
second: "초"
seconds: "초"
sec: "초"
minute: "분"
minutes: "분"
hour: "시간"
hours: "시간"
day: "일"
days: "일"
week: "주"
weeks: "주"
month: "개월"
months: "개월"
year: "년"
years: "년"
play_level:
back_to_map: "맵으로 돌아가기"
# directions: "Directions"
# edit_level: "Edit Level"
# keep_learning: "Keep Learning"
# explore_codecombat: "Explore CodeCombat"
# finished_hoc: "I'm finished with my Hour of Code"
# get_certificate: "Get your certificate!"
level_complete: "레벨 완료"
completed_level: "완료된 레벨:"
course: "코스:"
done: "완료"
next_level: "다음 레벨"
combo_challenge: "도전 레벨(콤보)"
concept_challenge: "도전 레벨(개념 이해)"
challenge_unlocked: "도전 레벨 잠금 해제됨"
combo_challenge_unlocked: "도전 레벨(콤보) 잠금 해제됨"
concept_challenge_unlocked: "도전 레벨(개념 이해) 잠금 해제됨"
concept_challenge_complete: "도전 성공!"
combo_challenge_complete: "도전 성공"
combo_challenge_complete_body: "잘 했어요! __concept__에 대해 잘 이해하고 있는 것 같군요!"
replay_level: "레벨 다시 플레이하기"
# combo_concepts_used: "__complete__/__total__ Concepts Used"
# combo_all_concepts_used: "You used all concepts possible to solve the challenge. Great job!"
# combo_not_all_concepts_used: "You used __complete__ out of the __total__ concepts possible to solve the challenge. Try to get all __total__ concepts next time!"
start_challenge: "도전하기!"
next_game: "다음 게임"
languages: "언어"
programming_language: "프로그래밍 언어"
show_menu: "게임 메뉴 보이기"
home: "홈" # Not used any more, will be removed soon.
level: "레벨" # Like "Level: Dungeons of Kithgard"
skip: "넘어가기"
game_menu: "게임 메뉴"
restart: "재시작"
goals: "목표들"
goal: "목표"
challenge_level_goals: "도전 레벨의 목표들"
challenge_level_goal: "도전 레벨의 목표"
concept_challenge_goals: "도전 레벨(개념 이해)의 목표들"
combo_challenge_goals: "도전 레벨(콤보)의 목표"
concept_challenge_goal: "도전 레벨(개념 이해)의 목표들"
combo_challenge_goal: "도전 레벨(콤보)의 목표"
running: "실행중..."
success: "성공!"
incomplete: "목표 미완료"
timed_out: "제한 시간 초과"
failing: "다시 한번 더 도전해보세요."
reload: "새로고침"
reload_title: "코드를 초기화할까요?"
reload_really: "정말로 이 레벨의 코드를 처음 상태로 되돌리겠습니까?"
reload_confirm: "코드 초기화"
# test_level: "Test Level"
victory: "승리"
victory_title_prefix: ""
victory_title_suffix: " 완료"
victory_sign_up: "진행사항을 저장하려면 가입하세요"
victory_sign_up_poke: "코드를 저장하고 싶으세요? 지금 계정을 만들어 보세요!"
victory_rate_the_level: "이번 레벨 평가: " # {change}
victory_return_to_ladder: "레더로 돌아가기"
victory_saving_progress: "저장하기"
victory_go_home: "홈으로"
victory_review: "리뷰를 남겨주세요"
victory_review_placeholder: "이 레벨 어땠어요?"
victory_hour_of_code_done: "정말 종료합니까?"
victory_hour_of_code_done_yes: "네 내 Hour of Code™ 완료했습니다!"
victory_experience_gained: "획득한 경험치"
victory_gems_gained: "획득한 젬"
victory_new_item: "새로운 아이템 획득"
victory_new_hero: "새로운 영웅"
victory_viking_code_school: "맙소사, 방금 당신이 클리어한 레벨은 정말 어려운 레벨이었어요! 혹시 소프트웨어 개발자인가요? 아직 아니라면, 개발자가 되어 보세요! 바이킹 코드 스쿨에서 14주 동안 전문적인 웹 개발자 교육을 받을 수 있어요."
victory_become_a_viking: "바이킹이 되기!"
victory_no_progress_for_teachers: "교사 계정으로는 진행상황이 저장되지 않습니다. 하지만, 당신이 사용할 학생 계정을 하나 추가할 수는 있지요."
tome_cast_button_run: "실행"
tome_cast_button_running: "실행중"
tome_cast_button_ran: "실행됨"
tome_submit_button: "적용"
tome_reload_method: "원본 코드를 불러와 레벨 다시 시작하기" # {change}
tome_available_spells: "사용 가능한 마법"
tome_your_skills: "당신의 스킬"
hints: "힌트"
hints_title: "힌트 {{number}}"
code_saved: "코드가 저장됨"
skip_tutorial: "넘기기 (esc)"
keyboard_shortcuts: "단축키"
loading_start: "레벨 시작"
loading_start_combo: "도전 레벨(콤보) 시작"
loading_start_concept: "도전 레벨(개념 이해) 시작"
problem_alert_title: "코드를 수정하세요"
time_current: "현재:"
time_total: "최대:"
time_goto: "가기:"
non_user_code_problem_title: "레벨을 로드할 수 없습니다"
infinite_loop_title: "무한 루프 감지됨"
infinite_loop_description: "코드 실행이 끝나지 않고 있습니다. 코드가 매우 느리거나 무한 루프에 빠진 것 같습니다. 어쩌면 버그일 수도 있습니다. 이 코드를 다시 실행하거나 초기 상태로 리셋해 보세요. 그래도 해결되지 않으면, 저희에게 알려 주시기 바랍니다."
check_dev_console: "또한 잘못 갈 수를 알기 위해 개발자 콘솔을 열 수 있습니다."
check_dev_console_link: "(명령어)"
infinite_loop_try_again: "다시 시도해보세요."
infinite_loop_reset_level: "레벨 리셋"
infinite_loop_comment_out: "내 코드를 일시적 주석처리하기"
tip_toggle_play: "Ctrl+P로 실행을 계속하거나 멈출수 있어요"
tip_scrub_shortcut: "Ctrl+[, Ctrl+] 를 이용해 실행 속도를 빠르게 할 수 있어요"
tip_guide_exists: "화면 상단의 가이드를 클릭해보세요. 유용한 정보를 얻을 수 있습니다."
tip_open_source: "코드 컴뱃은 100% 오픈 소스 기반입니다!" # {change}
tip_tell_friends: "코드 컴뱃을 즐기셨나요? 친구에게 알려주십시오"
tip_beta_launch: "코드 컴뱃은 2013년 10월에 베타 서비스를 출시했습니다."
tip_think_solution: "해결 방법을 고민해보세요, 문제를 고민하지 말구요"
tip_theory_practice: "이론적으로, 이론과 실제 사이의 차이가 없습니다. 그러나 연습은, 실전입니다 - 요기 베라"
tip_error_free: "오류이거나-자유로운 프로그램을 작성하는 두가지 길이 있습니다만; 오직 세번째의 한 작업입니다. - 엘랜 펄리스"
tip_debugging_program: "만약 디버깅이 버그를 잡는 작업이라면, 프로그래밍은 반드시 바른 진행이여야 할것입니다. - Edsger W. Dijkstra"
tip_forums: "포럼을 통해서 우리를 어떻게 생각하는지 말해요!"
tip_baby_coders: "앞으로는, 아기도 얼음마법사가 될 것 입니다."
tip_morale_improves: "사기가 향상 될 때까지 로딩은 계속됩니다."
tip_all_species: "우리는 모든 생물이 동등하게 프로그래밍을 배울 기회가 있어야 한다고 생각합니다."
tip_reticulating: "그물모양의 돌기."
tip_harry: "한 마법사, "
tip_great_responsibility: "좋은 코딩 기술은 큰 디버그 책임을 몰고옵니다."
tip_munchkin: "만약 당신이 야채를 먹지않는다면, 난쟁이가 당신이 자고 있을때 찾아갑니다."
tip_binary: "오직 사람들이 있는 세계는 10가지이다: 이진을 이해하는 사람들과 그렇지 않은 사람들."
tip_commitment_yoda: "프로그래머가 깊은 헌신이 있어야한다는것은, 가장 심각한것이다. ~ 요다"
tip_no_try: "하든가 하지 말든가. 시도같은 건 없어. - 요다"
tip_patience: "반드시 인내심을 가져야한단다, 어린 파다완. - 요다"
tip_documented_bug: "문서화 된 버그는 버그가 아닙니다 ; 그것은 기능입니다."
tip_impossible: "성공하기 전까진 불가능해 보이는 법이죠. - Nelson Mandela"
tip_talk_is_cheap: "떠드는 건 가치가 없어요. 코드를 보여줘봐요. - Linus Torvalds"
tip_first_language: "만약 당신이 배울 수있는 가장 최악의 일은 첫 번째 프로그래밍 언어을 배우는것입니다. - 엘랜 케이"
tip_hardware_problem: "Q: 많은 프로그래머는 전구를 가는데 얼마나 걸립니까? A: 아니오, 이것은 하드웨어 문제입니다."
tip_hofstadters_law: "호프스태터 의 법칙: 당신은 항상 예상보다 오래 걸립니다, 계정 호프스태터의 법칙을 고려하더라도 ."
tip_premature_optimization: "초기의 최적화는 모든 악의 뿌리입니다 . - 도날드 크누스"
tip_brute_force: "의심할때, 무력을 사용하게 됩니다. - 켄 톰프손"
tip_extrapolation: "사람은 두 가지 종류가 있습니다: 불완전한 데이터으로부터 유추할 수있는가..."
tip_superpower: "코딩은 우리가 강대국에 있는 가장 가까운 것입니다."
tip_control_destiny: "진짜 오픈 소스는, 당신이 우리의 운명을 올바로 조작할 수 있습니다. - 리눅스 토발츠"
tip_no_code: "코드가 없는것보다 빠른것은 없습니다."
tip_code_never_lies: "코드는 절대로 거짓말을 하지 않는다. 주석은 가끔 하지만. — Ron Jeffries"
tip_reusable_software: "소프트웨어를 재사용하기전에 먼저 사용할 수 있습니다."
tip_optimization_operator: "모든 언어는 최적화된 운영을 합니다. 대부분의 언어가 운영 ‘//’"
tip_lines_of_code: "코드 라인에 의해 프로그램의 진행 상황을 측정하는 것은 중량 항공기의 건축 진행 상황을 측정하는 것과 같다. — 빌 게이츠"
tip_source_code: "나는 세계를 바꾸고싶어도 그들은 나에게 소스코드를 주지 않습니다"
tip_javascript_java: "자바는 자바스크립트이고 차(카)는 카펫입니다. - 크리스 헤일만"
tip_move_forward: "당신이 무엇이든간에 , 계속 전진하십시오. - 마틴 러터킹 주니어."
tip_google: "문제가 너무 어렵다구요? 구글로 검색해보세요!"
tip_adding_evil: "악마의 핀치를 추가하는중."
tip_hate_computers: "즉, 그들은 컴퓨터를 싫어한다고 생각하는 사람들이며. 그들이 정말로 싫어 하는 것은 형편없는 프로그래머 입니다 . - 래리 리븐"
tip_open_source_contribute: "코드컴뱃을 향상하는데 도와주십시오!"
tip_recurse: "인간은 반복하고,신은 다시 돌아온다 - L. 피터 대치"
tip_free_your_mind: "모두 가자고할때 생기는 새로움으로인한. 두려움, 의심과 불신. 자유로운 생각을 가져라. - 모페어스"
tip_strong_opponents: "심지어 강한 상대의 항상 약점을 가지고있다. - 이타치 우치하"
tip_paper_and_pen: "코딩을 하기전에, 당신은 항상 종이와 펜으로 계획을 지니고 있어야합니다."
tip_solve_then_write: "먼저, 문제를 해결하세요. 그러고, 코드를 쓰는겁니다. - 존 즌슨"
tip_compiler_ignores_comments: "가끔은 컴파일러가 나의 커멘트를 무시하는 것 같아."
tip_understand_recursion: "재귀함수를 이해하는 유일한 방법은 재귀함수를 이해하는 것이다."
tip_life_and_polymorphism: "오픈 소스에서는 어떠한 타입도 환영받는다."
tip_mistakes_proof_of_trying: "당신의 코드에 존재하는 실수는 당신이 노력하고 있다는 증명이다."
tip_adding_orgres: "오우거를 모으는 중."
tip_sharpening_swords: "칼을 가는 중."
tip_ratatouille: "다른 사람들이 너의 출신으로 너의 한계를 정의하지 말게하라. 너의 유일한 한계는 너의 영혼이다. - 셰프 구스토, 영화 라따뚜이에서"
tip_nemo: "인생이 너를 저버릴 때, 뭘 해야하는 아니? 그냥 헤엄치는 것이야. 헤엄쳐. - 도리, 영화 네모를 찾아서에서"
tip_internet_weather: "그냥 인터넷으로 이사 오지 그래. 참 좋은 곳인데 말이지. 인류는 항상 좋은 날씨에서 살고 싶어하잖아. - 존 그린"
tip_nerds: "바보들은 뭔가를 좋아하도록 허가되었지, 마치 의자에 앉아서 다리떠는 듯이 말이야. - 존 그린"
tip_self_taught: "난 나에게 내가 공부한 것의 90%를 가르쳤지. 그게 정상이거든! - 행크 그린"
tip_luna_lovegood: "걱정하지 마, 넌 나와 같은 부류야. - 루나 러브굿"
tip_good_idea: "좋은 생각을 떠올리게 하는 가장 좋은 방법은 아주 많은 생각을 떠오르게 하는 것이지. - 리누스 폴링"
tip_programming_not_about_computers: "컴퓨터 공학에 대하여 컴퓨터란, 천문학에 대하여 망원경과도 같지. - 에스커 다익스트라"
tip_mulan: "너 자신이 가능하다고 믿어, 그러면 그렇게 될거야. - 목란"
project_complete: "프로젝트 완성!"
share_this_project: "이 프로젝트를 친구와 가족에게 보여주자:"
ready_to_share: "프로젝트를 출시할 준비가 되었나요?"
click_publish: " \"Publish\"을 클릭해서 클래스 갤러리에서 보이게 하세요. 그리고 같은 반 학생들의 성과도 구경해보세요! 언제든지 돌아와서 이 프로젝트를 완성시킬 수 있습니다. 변경점들은 자동으로 저장되어 다른 사람들에게 공유할 수 있습니다."
already_published_prefix: "변경점들이 클래스 캘러리에 공유되었습니다."
already_published_suffix: "계속 새로운 시도를 해보고 이 프로젝트를 완성시켜보세요. 혹은 다른 사람들의 성과를 살펴보기도 하세요! 변경점들은 자동으로 저장되어 다른 사람들에게 공유할 수 있습니다."
view_gallery: "갤러리 보기"
project_published_noty: "당신의 레벨이 공유되었습니다!"
keep_editing: "편집 중"
apis:
methods: "Methods"
events: "Events"
handlers: "Handlers"
properties: "Properties"
snippets: "Snippets"
spawnable: "Spawnable"
html: "HTML"
math: "Math"
array: "Array"
object: "Object"
string: "String"
function: "Function"
vector: "Vector"
date: "Date"
jquery: "jQuery"
json: "JSON"
number: "Number"
webjavascript: "JavaScript"
# amazon_hoc:
title: "아마존과 함께 계속 공부해보세요!"
congrats: "그 도전적인 코드의 시간을 정복한 것을 축하합니다!"
educate_1: "이제 학생과 교사 모두를 위한 아마존의 흥미진진한 무료 프로그램인 AWS Educate를 통해 코딩과 클라우드 컴퓨팅에 대해 배워봅시다. AWS Educate를 사용하면 클라우드의 기본과 게임, 가상현실, 알렉사 같은 최첨단 기술에 대해 배울 수 있어 멋진 배지를 얻을 수 있습니다."
educate_2: "자세한 내용 및 등록하기"
future_eng_1: "당신은 또한 알렉사를 위해 당신 자신의 학교 사실 기술을 개발하려고 노력할 수 있습니다."
future_eng_2: "여기"
future_eng_3: "(장치는 필요 없습니다). 이 알렉사 활동은 당신에게"
future_eng_4: "아마존의 미래 엔지니어"
future_eng_5: "컴퓨터 과학을 추구하는 미국의 모든 K-12 학생들을 위한 학습과 취업 기회를 창출하는 프로그램이다."
# play_game_dev_level:
created_by: "다음으로 생성하기 {{이름}}"
created_during_hoc: "코드 시간 동안 생성됨"
restart: "레벨 재시작"
play: "레벨 플레이하기"
play_more_codecombat: "코드컴뱃 더 플레이하기"
default_student_instructions: "당신의 영웅을 클릭해 컨트롤하고 게임을 승리하세요!"
goal_survive: "생존."
goal_survive_time: " __seconds__ 초 동안생존."
goal_defeat: "모든 적 제압."
goal_defeat_amount: "__ammount__ 명의 적 제압."
goal_move: "모든 빨간 X 표시로 이동하세요."
goal_collect: "모든 아이템을 모으세요."
goal_collect_amount: "__amount__ 개의 아이템을 모았습니다."
game_menu:
inventory_tab: "인벤토리"
save_load_tab: "저장하기/불러오기"
options_tab: "옵션"
guide_tab: "가이드"
guide_video_tutorial: "영상 튜토리얼"
guide_tips: "팁들"
multiplayer_tab: "멀티 플레이"
auth_tab: "가입하기"
inventory_caption: "장비 장착"
choose_hero_caption: "영웅 및 언어 선택 "
options_caption: "설정들을 바꾸기"
guide_caption: "문서들과 팁들"
multiplayer_caption: "친구들과 플레이 하세요!"
auth_caption: "진행사항을 저장하세요"
leaderboard:
view_other_solutions: "리더보드 보기"
scores: "점수"
top_players: "상위 플레이어"
day: "오늘"
week: "이번 주"
all: "모든-시간"
latest: "최근"
time: "시간"
damage_taken: "데미지 정도"
damage_dealt: "죽음을 맞은 데미지"
difficulty: "난이도"
gold_collected: "수집된 골드"
# survival_time: "Survived"
# defeated: "Enemies Defeated"
# code_length: "Lines of Code"
# score_display: "__scoreType__: __score__"
inventory:
equipped_item: "장착됨"
required_purchase_title: "구매 필요"
available_item: "사용 가능"
restricted_title: "사용 불가"
should_equip: "(장착하려면 더블클릭)"
equipped: "(장착됨)"
locked: "(잠김)"
restricted: "(이 레벨에서는 사용불가)"
equip: "장착"
unequip: "해제"
# warrior_only: "Warrior Only"
# ranger_only: "Ranger Only"
# wizard_only: "Wizard Only"
buy_gems:
few_gems: "gem 몇개"
pile_gems: "gem 묶음"
chest_gems: "gem 상자"
purchasing: "구매중..."
declined: "귀하의 카드가 거부되었습니다"
retrying: "서버에러, 다시 시도하세요."
prompt_title: "gem 부족"
prompt_body: "gem이 더 필요하신가요?"
prompt_button: "샵 앤터"
recovered: "gem 구매후 브라우져를 새로고침 하세요."
price: "x{{gems}} / 한달"
buy_premium: "프리미엄 구입"
purchase: "구매하기"
purchased: "구매함"
# subscribe_for_gems:
# prompt_title: "Not Enough Gems!"
# prompt_body: "Subscribe to Premium to get gems and access to even more levels!"
earn_gems:
prompt_title: "젬이 충분하지 않습니다."
prompt_body: "더 얻기 위해 계속 플레이 하세요."
subscribe:
# best_deal: "Best Deal!"
# confirmation: "Congratulations! You now have a CodeCombat Premium Subscription!"
# premium_already_subscribed: "You're already subscribed to Premium!"
# subscribe_modal_title: "CodeCombat Premium"
comparison_blurb: "코드컴뱃을 구독하셔서 당신의 스킬을 날카롭게하십시오!" # {change}
must_be_logged: "로그인부터 먼저 하셔야합니다.메뉴에서 계정을 만들거나 로그인해주세요."
subscribe_title: "구독" # Actually used in subscribe buttons, too
unsubscribe: "구독 해제"
confirm_unsubscribe: "구독 해제 확인"
never_mind: "결코, 난 여전히 당신을 사랑합니다"
thank_you_months_prefix: "우리의 마지막까지 지원해주셔서 감사합니다."
thank_you_months_suffix: "매 달."
thank_you: "CodeCombat을 도와주셔서 감사합니다."
sorry_to_see_you_go: "당신이 떠나서 미안합니다! 우리가 잘 할수 있는 방법을 알려 주시기 바랍니다."
unsubscribe_feedback_placeholder: "어, 우리는 무슨 짓을 한거죠?"
stripe_description: "월간 구독"
buy_now: "지금 "
subscription_required_to_play: "당신은 아마 이 레벨을 플레이하려면 구독이 필요합니다."
unlock_help_videos: "모든 비디오 튜토리얼의 잠금을 해제하려면 구독 ."
personal_sub: "개인 구독" # Accounts Subscription View below
loading_info: "구독 정보를 불러오는중..."
managed_by: "에 의해 관리됩니다"
will_be_cancelled: "에 취소됩니다"
currently_free: "현재 무료 구독입니다"
currently_free_until: "현재 가입된 상태입니다"
# free_subscription: "Free subscription"
was_free_until: "당신은 현재까지 무료로 가입 했습니다"
managed_subs: "관리 구독"
subscribing: "구독중..."
current_recipients: "현재 받는 사람"
unsubscribing: "구독해제중"
subscribe_prepaid: "선불 코드를 사용하여 구독 클릭"
using_prepaid: "매달 구독 선불 코드를 사용"
# feature_level_access: "Access 300+ levels available"
# feature_heroes: "Unlock exclusive heroes and pets"
# feature_learn: "Learn to make games and websites"
# month_price: "$__price__"
# first_month_price: "Only $__price__ for your first month!"
# lifetime: "Lifetime Access"
# lifetime_price: "$__price__"
# year_subscription: "Yearly Subscription"
# year_price: "$__price__/year"
# support_part1: "Need help with payment or prefer PayPal? Email"
# support_part2: "support@codecombat.com"
announcement:
now_available: "이제 구독자에게 제공됩니다."
subscriber: "구독자"
cuddly_companions: "사랑스러운 친구들!" # Pet Announcement Modal
kindling_name: "불의 정령"
kindling_description: "불의 정령들은 밤과 낮, 항상 따뜻하게 당신을 지키고 싶어합니다."
griffin_name: "아기 그리핀 "
griffin_description: "사랑스러운 그리핀은 반은 독수리이고 반은 사자입니다.."
raven_name: "레이븐"
raven_description: "레이븐은 당신의 체력을 채우기 위해 반짝이는 병을 잘 모읍니다."
mimic_name: "미믹"
mimic_description: "미믹은 동전을 가져옵니다. 미믹을 동전 위로 이동시켜 골드 수급량을 늘리세요. "
cougar_name: "쿠거"
cougar_description: "쿠거는 Purring Happily Daily에서 박사학위를 받고싶어 합니다. "
fox_name: "푸른 여우"
fox_description: "푸른 여우는 아주 여일하며 흙과 눈을 파는 것을 좋아합니다! "
pugicorn_name: "푸기콘"
pugicorn_description: "푸기콘은 아주 희귀한 생물이며 마법을 사용할 수 있습니다!"
wolf_name: "늑대개"
wolf_description: "늑대개는 사냥, 단체행동, 그리고 숨바꼭질 게임에 탁월합니다! "
ball_name: "빨간색 삐걱 거리는 공"
ball_description: "ball.squeak()"
collect_pets: "영웅을 위한 애완 동물을 모으십시요!"
each_pet: "애완 동물마다 독특한 도우미 능력이 있습니다!"
upgrade_to_premium: "{{구독자}} 애완 동물을 준비하십시요."
play_second_kithmaze: " {{두 번째_kithmaze}}를 실행하여 Wolf Pup의 잠금을 해제하십시요!"
the_second_kithmaze: "두 번째 Kithmaze"
keep_playing: "첫 번째 애완 동물을 계속 찾으세요!"
coming_soon: "커밍 쑨"
ritic: "강추위" # Ritic Announcement Modal
ritic_description: "추위를 발생시켜라. 수없이 많은 세월 동안 켈빈타프 빙하에 갇혔지만, 마침내 자유로 워졌다. 그리고 감옥옥에 있는 그는 오우거들에게 갈 준비가 되었다. "
ice_block: "얼음 덩어리"
ice_description: "내부에 갇혀있는 것 같습니다…"
blink_name: "깜박임"
blink_description: "라이트는 사라지고 눈 깜빡 할 사이에 다시 나타나 그림자만 남습니다."
shadowStep_name: "그림자 단계"
shadowStep_description: "마스터 암살범은 그림자 사이를 걸어다니는 법을 알고 있습니다."
tornado_name: "토네이도"
tornado_description: "표지가 날 때 리셋 버튼이 있는 것이 좋습니다.."
wallOfDarkness_name: "암흑의 벽"
wallOfDarkness_description: "눈길을 피하기 위해 그림자 벽 뒤에 숨어 있습니다."
premium_features:
get_premium: "코드 컴뱃 프리미엄을 받으세요" # 페이지의 배너에 맞추기
master_coder: "오늘 구독하여 마스터 코더가 되세요!"
paypal_redirect: "가입 절차를 마치면 PayPal로 이동합니다.."
subscribe_now: "지금 구독하세요"
hero_blurb_1: "구독자 전용 영웅을 사용하세요! Okar Stompfoot의 힘과 진귀한 Narahd의 잎사귀 또는 Nalfar Cryptor의 “사랑스러운” 해골을 소환하세요.”
hero_blurb_2: "Warcry, Stomp 및 Hurl Enemy와 같은 놀라운 무술 기술의 잠금을 해제하거나 스텔스와 활을 사용하여 레인저로 게임을 하고 칼을 던지며 함정을 빠져 나가십시오! 강력한 코딩 마법사로서 원시, 네크로 매틱 또는 엘리멘탈 매직의 기술을 배우고 구현하십시오."
hero_caption: "신나는 새로운 영웅!"
pet_blurb_1: "애완동물은 사랑스로운 동반자가 아니며 독창적인 기능과 해결책을 제공합니다. 아기 그리핀은 공중을 통해 유닛을 옮길 수 있고, 늑대개는 적의 화살을 잡을 수 있으며, 쿠거는 주변의 오거를 쫓습니다. 그리고 미믹은 자적처럼 동전을 끌어당십니다!"
pet_blurb_2: "모든 팻을 모아 자신의 고유 능력을 발견하세요!"
pet_caption: "영웅과 함께할 팻을 입양하세요!"
game_dev_blurb: "게임을 배우고 친구들과 공유할 새로운 레벨을 만드세요! 원하는 항목을 배치하고, 기본 논리 및 동작에 대한 코드를 작성하고, 친구들이 레벨을 능가 할 수 있는지 확인하세요! "
game_dev_caption: "친구에게 도전할 나만의 게임을 만드세요! "
everything_in_premium: "코드컴뱃 프리미엄만의 혜택: "
list_gems: "장비, 팻 및 영웅을 구매하는 보너스 젬."
list_levels: "더욱 많은 레벨"
list_heroes: "레인저나 마법사를 포함한 많은 영웅 사용 "
list_game_dev: "친구들과 게임 제작 및 공유"
list_web_dev: "웹 사이트 및 대화형 앱 제작"
list_items: "팻과 같은 프리미언 전용 아이템"
list_support: "어려운 코드를 디버그하는데 도움이 되는 프리미엄 지원."
list_clans: "친구를 초대하고 그룹 리더 보드에서 경쟁하는 개인 클랜 만들기."
choose_hero:
choose_hero: "영웅을 선택하세요"
programming_language: "프로그래밍 언어"
programming_language_description: "어떤 프로그래밍 언어를 사용하실건가요?"
default: "기본"
experimental: "고급"
python_blurb: "간단하지만 강력합니다."
javascript_blurb: "웹을 위한 언어."
coffeescript_blurb: "향상된 자바스크립트 문법."
lua_blurb: "게임 스크립팅 언어"
# java_blurb: "(Subscriber Only) Android and enterprise."
status: "상태"
weapons: "무기"
weapons_warrior: "검 - 짧은 거리, 마법 불가"
weapons_ranger: "화살, 총 - 긴 거리, 마법 불가"
weapons_wizard: "마법봉, 지팡이 - 긴 거리, 마법 가능"
attack: "공격력" # Can also translate as "Attack"
health: "체력"
speed: "속도"
regeneration: "리젠"
range: "거리" # As in "attack or visual range"
blocks: "블럭" # As in "this shield blocks this much damage"
backstab: "백스탭" # As in "this dagger does this much backstab damage"
skills: "스킬"
attack_1: "타격"
attack_2: "정렬됨"
attack_3: "무기 피해."
health_1: "획득"
health_2: "정렬됨"
health_3: "갑옷 체력."
speed_1: "에 이동"
speed_2: "초당 미터."
available_for_purchase: "구매 가능" # Shows up when you have unlocked, but not purchased, a hero in the hero store
level_to_unlock: "레벨 해금:" # Label for which level you have to beat to unlock a particular hero (click a locked hero in the store to see)
restricted_to_certain_heroes: "특정 영웅만이 이 레벨을 플레이할 수 있습니다."
skill_docs:
# function: "function" # skill types
method: "메소드"
# snippet: "snippet"
number: "숫자"
array: "배열"
object: "객체"
string: "문자열"
writable: "쓰기" # Hover over "attack" in Your Skills while playing a level to see most of this
read_only: "리드-온리"
action: "행동"
spell: "마법"
action_name: "이름"
action_cooldown: "받는 상태"
action_specific_cooldown: "쿨다운"
action_damage: "데미지"
action_range: "사거리"
action_radius: "반지름"
action_duration: "지속"
example: "예제"
ex: "예시" # Abbreviation of "example"
current_value: "현재 값"
default_value: "기본 값"
parameters: "매개 변수"
# required_parameters: "Required Parameters"
# optional_parameters: "Optional Parameters"
returns: "뒤로가기"
granted_by: "부여"
save_load:
granularity_saved_games: "저장됨"
granularity_change_history: "기록"
options:
general_options: "일반 옵션" # Check out the Options tab in the Game Menu while playing a level
volume_label: "볼륨"
music_label: "음악"
music_description: "배경음악 ON/OFF"
editor_config_title: "에디터 설정"
editor_config_livecompletion_label: "자동완성 활성화"
editor_config_livecompletion_description: "입력하는 동안 자동완성 기능을 사용합니다."
editor_config_invisibles_label: "투명 설정"
editor_config_invisibles_description: "스페이스, 탭 설정"
editor_config_indentguides_label: "들여쓰기 가이드 보기"
editor_config_indentguides_description: "들여쓰기 보조용 세로줄 표시하기."
editor_config_behaviors_label: "자동 기능"
editor_config_behaviors_description: "괄호, 인용부호, 따옴표 자동 완성."
about:
# learn_more: "Learn More"
main_title: "프로그래밍을 배우고 싶다면 많은 코드를 작성해 보아야 합니다."
main_description: "CodeCombat에서 우리의 임무는 당신이 미소를 짓고 있는지 확인하는 것입니다."
mission_link: "미션"
team_link: "팀"
story_link: "스토리"
# press_link: "Press"
# mission_title: "Our mission: make programming accessible to every student on Earth."
# mission_description_1: "<strong>Programming is magic</strong>. It's the ability to create things from pure imagination. We started CodeCombat to give learners the feeling of wizardly power at their fingertips by using <strong>typed code</strong>."
# mission_description_2: "As it turns out, that enables them to learn faster too. WAY faster. It's like having a conversation instead of reading a manual. We want to bring that conversation to every school and to <strong>every student</strong>, because everyone should have the chance to learn the magic of programming."
# team_title: "Meet the CodeCombat team"
# team_values: "We value open and respectful dialog, where the best idea wins. Our decisions are grounded in customer research and our process is focused on delivering tangible results for them. Everyone is hands-on, from our CEO to our GitHub contributors, because we value growth and learning in our team."
nick_title: "프로그래머" # {change}
matt_title: "프로그래머" # {change}
cat_title: "게임 디자이너"
scott_title: "프로그래머" # {change}
maka_title: "고객 옹호자"
robin_title: "UX 디자인 & 연구원" # {change}
# nolan_title: "Sales Manager"
# lisa_title: "Business Development Manager"
# sean_title: "Territory Manager"
# liz_title: "Territory Manager"
# jane_title: "Customer Success Manager"
# david_title: "Marketing Lead"
retrostyle_title: "일러스트레이션"
retrostyle_blurb: "레트로스타일 게임"
# bryukh_title: "Gameplay Developer"
# bryukh_blurb: "Constructs puzzles"
# daniela_title: "Content Crafter"
# daniela_blurb: "Creates stories"
# community_title: "...and our open-source community"
# community_subtitle: "Over 500 contributors have helped build CodeCombat, with more joining every week!"
# community_description_3: "CodeCombat is a"
# community_description_link_2: "community project"
# community_description_1: "with hundreds of players volunteering to create levels, contribute to our code to add features, fix bugs, playtest, and even translate the game into 50 languages so far. Employees, contributors and the site gain by sharing ideas and pooling effort, as does the open source community in general. The site is built on numerous open source projects, and we are open sourced to give back to the community and provide code-curious players a familiar project to explore and experiment with. Anyone can join the CodeCombat community! Check out our"
# community_description_link: "contribute page"
# community_description_2: "for more info."
# number_contributors: "Over 450 contributors have lent their support and time to this project."
# story_title: "Our story so far"
# story_subtitle: "Since 2013, CodeCombat has grown from a mere set of sketches to a living, thriving game."
# story_statistic_1a: "5,000,000+"
# story_statistic_1b: "total players"
# story_statistic_1c: "have started their programming journey through CodeCombat"
# story_statistic_2a: "We’ve been translated into over 50 languages — our players hail from"
# story_statistic_2b: "190+ countries"
# story_statistic_3a: "Together, they have written"
# story_statistic_3b: "1 billion lines of code and counting"
# story_statistic_3c: "across many different programming languages"
# story_long_way_1: "Though we've come a long way..."
# story_sketch_caption: "Nick's very first sketch depicting a programming game in action."
# story_long_way_2: "we still have much to do before we complete our quest, so..."
# jobs_title: "Come work with us and help write CodeCombat history!"
# jobs_subtitle: "Don't see a good fit but interested in keeping in touch? See our \"Create Your Own\" listing."
# jobs_benefits: "Employee Benefits"
# jobs_benefit_4: "Unlimited vacation"
# jobs_benefit_5: "Professional development and continuing education support – free books and games!"
# jobs_benefit_6: "Medical (gold), dental, vision, commuter, 401K"
# jobs_benefit_7: "Sit-stand desks for all"
# jobs_benefit_9: "10-year option exercise window"
# jobs_benefit_10: "Maternity leave: 12 weeks paid, next 6 @ 55% salary"
# jobs_benefit_11: "Paternity leave: 12 weeks paid"
# jobs_custom_title: "Create Your Own"
# jobs_custom_description: "Are you passionate about CodeCombat but don't see a job listed that matches your qualifications? Write us and show how you think you can contribute to our team. We'd love to hear from you!"
# jobs_custom_contact_1: "Send us a note at"
# jobs_custom_contact_2: "introducing yourself and we might get in touch in the future!"
# contact_title: "Press & Contact"
# contact_subtitle: "Need more information? Get in touch with us at"
# screenshots_title: "Game Screenshots"
# screenshots_hint: "(click to view full size)"
# downloads_title: "Download Assets & Information"
# about_codecombat: "About CodeCombat"
# logo: "Logo"
# screenshots: "Screenshots"
# character_art: "Character Art"