This repository has been archived by the owner on Aug 28, 2022. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathadd-lang.js
3262 lines (3261 loc) · 182 KB
/
add-lang.js
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
var Langs={
'EN':{file:'EN',nameEN:'English',name:'English',changeLanguage:'Language',icon:0,w:1,isEN:true},
'FR':{file:'FR',nameEN:'French',name:'Français',changeLanguage:'Langue',icon:0,w:1},
'DE':{file:'DE',nameEN:'German',name:'Deutsch',changeLanguage:'Sprache',icon:0,w:1},
'NL':{file:'NL',nameEN:'Dutch',name:'Nederlands',changeLanguage:'Taal',icon:0,w:1},
'CS':{file:'CS',nameEN:'Czech',name:'Čeština',changeLanguage:'Jazyk',icon:0,w:1},
'PL':{file:'PL',nameEN:'Polish',name:'Polski',changeLanguage:'Język',icon:0,w:1},
'IT':{file:'IT',nameEN:'Italian',name:'Italiano',changeLanguage:'Lingua',icon:0,w:1},
'ES':{file:'ES',nameEN:'Spanish',name:'Español',changeLanguage:'Idioma',icon:0,w:1},
'PT-BR':{file:'PT-BR',nameEN:'Portuguese',name:'Português',changeLanguage:'Idioma',icon:0,w:1},
'JA':{file:'JA',nameEN:'Japanese',name:'日本語',changeLanguage:'言語',icon:0,w:1.5},
'ZH-CN':{file:'ZH-CN',nameEN:'Chinese',name:'中文',changeLanguage:'语言',icon:0,w:1.5},
'KO':{file:'KO',nameEN:'Korean',name:'한글',changeLanguage:'언어',icon:0,w:1.5},
'RU':{file:'RU',nameEN:'Russian',name:'Русский',changeLanguage:'Язык',icon:0,w:1.2},
'FI':{file:'FI',nameEN:'Finnish',name:'Suomi',changeLanguage:'Kieli',icon:0,w:1},
};
AddLanguage('FI','finnish',{
"": {
"language": "fi",
"plural-forms": "nplurals=2;plural=(n!=1);"
},
"cookie": "keksi",
"sugar lump": "/",
"heavenly chip": "/",
"wrinkler": "/",
"building": "rakennus",
"upgrade": "päivitys",
"golden cookie": "kultainen keksi",
"grandmapocalypse": "/",
"%1 cookie": [
"%1 keksi",
"%1 keksiä"
],
"%1 sugar lump": [
"%1 sugar lump",
"%1 sugar lumps"
],
"%1 heavenly chip": [
"%1 heavenly chip",
"%1 heavenly chips"
],
"%1 golden cookie": [
"%1 kultainen keksi",
"%1 kultaista keksiä"
],
"%1 building": [
"%1 rakennus",
"%1 rakennusta"
],
"%1 upgrade": [
"%1 päivitys",
"%1 päivitystä"
],
"Yes": "Kyllä",
"No": "Ei",
"Click here": "Klikkaa tätä",
"Don't show this again": "Älä näytä tätä uudestaan",
"Delete all": "Poista kaikki",
"Back": "Takaisin",
"Confirm": "Vahvista",
"All done!": "Kaikki valmista!",
"Load": "Lataa",
"Save": "Tallenna",
"Quit": "Poistu",
"Save & Quit": "Tallenna & Poistu",
"Cancel": "Peruuta",
"Nevermind": "Ei sittenkään",
"Random": "Satunnainen",
"You have %1.": "Sinulla on %1.",
"Click": "Klikkaus",
"Shift": "Shift",
"Shift-click": "Shift-klikkaus",
"Ctrl": "Ctrl",
"Ctrl-click": "Ctrl",
"Esc": "Esc",
"Cookies": "Keksit",
"%1 day": [
"%1 päivä",
"%1 päivää"
],
"%1 hour": [
"%1 tunti",
"%1 tuntia"
],
"%1 minute": [
"%1 minuutti",
"%1 minuuttia"
],
"%1 second": [
"%1 sekunti",
"%1 sekuntia"
],
"less than 1 second": "alle yhdessä sekunnissa",
"in %1": "ajassa %1",
"%1 ago": "%1 sitten",
"%1 remaining": "%1 jäljellä",
"%1 worth": "/",
"%1 of CpS": "/",
"%1% of bank": "%1% pankista",
"per second:": "sekuntissa:",
"just now": "/",
"a long while": "/",
"forever": "/",
"Time remaining:": "Aikaa jäljellä:",
"Big clickable cookie": "Iso klikattava keksi",
"Golden cookie": "Kultainen keksi",
"Wrath cookie": "/",
"Reindeer": "Poro",
"Options": "Valinnat",
"General": "Yleiset",
"Settings": "Asetukset",
"Volume": "Äänenvoimakkuus",
"Volume (music)": "Äänenvoimakkuus (musiikki)",
"ON": "PÄÄLLÄ",
"OFF": "POIS",
"Fancy graphics": "/",
"CSS filters": "/",
"visual improvements; disabling may improve performance": "/",
"Particles": "Partikkelit",
"Numbers": "Luvut",
"numbers that pop up when clicking the cookie": "luut jotka ponnahtavat keksiä klikatessa",
"Milk [setting]": "Maito",
"Cursors [setting]": "Kursorit",
"visual display of your cursors": "/",
"Wobbly cookie": "/",
"Alt cookie sound": "/",
"Icon crates": "/",
"display boxes around upgrades and achievements in Stats": "/",
"Alt font": "Vaihtoehtoinen fontti",
"your cookies are displayed using a monospace font": "keksisi näytetään käyttäen tasalevyistä fonttia",
"Short numbers": "/",
"Fast notes": "/",
"notifications disappear much faster": "/",
"Closing warning": "/",
"the game will ask you to confirm when you close the window": "/",
"Defocus": "/",
"the game will be less resource-intensive when out of focus": "/",
"Extra buttons": "/",
"add options on buildings like Mute": "/",
"Lump confirmation": "/",
"the game will ask you to confirm before spending sugar lumps": "/",
"Custom grandmas": "/",
"some grandmas will be named after Patreon supporters": "/",
"Scary stuff": "/",
"Sleep mode timeout": "/",
"on slower computers, the game will put itself in sleep mode when it's inactive and starts to lag out; offline CpS production kicks in during sleep mode": "/",
"Music in background": "Musiikki taustalla",
"music will keep playing even when the game window isn't focused": "/",
"Cloud saving": "Pilvitallennus",
"allow use of Steam Cloud for save backups": "/",
"Purge Cloud": "/",
"Current Cloud use:": "/",
"No Cloud access at the moment.": "/",
"Screen reader mode": "/",
"allows optimizations for screen readers; game will reload": "/",
"Language": "Kieli",
"Language: %1": "Kieli: %1",
"Change language": "Vaihda kieli",
"note: this will save and reload your game": "/",
"Press %1 to toggle fullscreen.": "/",
"Other versions": "Muut versiot",
"Beta": "Beta",
"Stats": "Tilastot",
"Shadow achievements": "Varjosaavutukset",
"These are feats that are either unfair or difficult to attain. They do not give milk.": "/",
"starter milk": "/",
"for %1 achievements": "/",
"appeased": "/",
"awoken": "/",
"displeased": "/",
"angered": "/",
"Cookies in bank:": "Keksejä pankissa:",
"Cookies baked (this ascension):": "/",
"Cookies baked (all time):": "/",
"Cookies forfeited by ascending:": "/",
"Legacy started:": "/",
"with %1 ascension": [
"with %1 ascension",
"with %1 ascensions"
],
"Run started:": "/",
"Buildings owned:": "Rakennuksia omistettu:",
"Cookies per second:": "Keksejä sekunnissa:",
"Raw cookies per second:": "/",
"highest this ascension:": "/",
"multiplier:": "/",
"withered:": "/",
"Cookies per click:": "/",
"Cookie clicks:": "Keksin klikkauksia:",
"Hand-made cookies:": "Käsintehtyjä keksejä:",
"Golden cookie clicks:": "Kultaisten keksien klikkauksia:",
"all time:": "/",
"Running version:": "Käytetty versio:",
"Special": "/",
"Challenge mode:": "/",
"Seasonal event:": "/",
"Research:": "/",
"Grandmatriarchs status:": "/",
"Pledge:": "/",
"Wrinklers popped:": "/",
"Sugar lumps harvested:": "/",
"Reindeer found:": "Poroja löydetty:",
"Santa stages unlocked:": "/",
"Dragon training:": "/",
"Prestige": "/",
"at %1% of its potential <b>(+%2% CpS)</b>": "/",
"Prestige upgrades unlocked:": "/",
"Upgrades unlocked:": "Päivityksiä avattu:",
"Achievements unlocked:": "Saavutuksia avattu:",
"Kitten multiplier:": "/",
"Milk": "Maito",
"Milk:": "Maito:",
"Milk flavors unlocked:": "/",
"Milk is gained with each achievement. It can unlock unique upgrades over time.": "/",
"Rank %1": "/",
"Automatic": "/",
"Plain milk": "Perusmaito",
"Chocolate milk": "Suklaamaito",
"Raspberry milk": "Vadelmamaito",
"Orange milk": "/",
"Caramel milk": "/",
"Banana milk": "Banaanimaito",
"Lime milk": "/",
"Blueberry milk": "Mustikkamaito",
"Strawberry milk": "Mansikkamaito",
"Vanilla milk": "Vaniljamaito",
"Zebra milk": "Seepramaito",
"Cosmic milk": "Kosminen maito",
"Flaming milk": "/",
"Sanguine milk": "/",
"Midas milk": "/",
"Midnight milk": "/",
"Green inferno milk": "/",
"Frostfire milk": "/",
"Honey milk": "Hunajamaito",
"Coffee milk": "Kahvimaito",
"Tea milk": "Teemaito",
"Coconut milk": "Kookosmaito",
"Cherry milk": "/",
"Soy milk": "Soijamaito",
"Spiced milk": "/",
"Maple milk": "/",
"Mint milk": "/",
"Licorice milk": "/",
"Rose milk": "/",
"Dragonfruit milk": "/",
"Info": "/",
"About": "Tietoa",
"Cookie Clicker is a javascript game by %1 and %2.": "/",
"Music by %1.": "/",
"Useful links: %1, %2, %3, %4.": "Hyödyllisiä linkkejä: %1, %2, %3, %4.",
"This version of Cookie Clicker is 100% free, forever. Want to support us so we can keep developing games? Here's some ways you can help:%1": "/",
"Note: if you find a new bug after an update and you're using a 3rd-party add-on, make sure it's not just your add-on causing it!": "/",
"Warning: clearing your browser cache or cookies <small>(what else?)</small> will result in your save being wiped. Export your save and back it up first!": "/",
"Version history": "Versiohistoria",
"Official website": "Virallinen verkkosivusto",
"Note: links will open in your web browser.": "Huomautus: linkit avautvat verkkoselaimessa.",
"Note: older update notes are in English.": "/",
"This feature is not yet available in your language.": "Tämä ominaisuus ei ole saatavilla kielelläsi.",
"Restart with new changes": "Uudelleenkäynnistä uusilla muutoksilla",
"Cookie Clicker is in sleep mode.": "/",
"Cookie Clicker is in sleep mode and generating offline cookies.": "/",
"%1 to resume from your save file.": "/",
"(this happens when too many frames are skipped at once,<br>usually when the game has been running in the background for a while)<br>(you can turn this feature off in the settings menu)": "/",
"Are you sure you want to close Cookie Clicker?": "Haluatko varmasti sulkea Cookie Clickerin?",
"Back up your save!": "Varmuuskopioi tallennuksesi!",
"Hello again! Just a reminder that you may want to back up your Cookie Clicker save every once in a while, just in case.<br>To do so, go to Options and hit \"Export save\" or \"Save to file\"!": "/",
"Save manually (the game autosaves every 60 seconds; shortcut: ctrl+S)": "/",
"You can use this to backup your save or to transfer it to another computer (shortcut for import: ctrl+O)": "/",
"Save to file": "Tallenna tiedostoon",
"Load from file": "Lataa tiedostosta",
"Use this to keep backups on your computer": "/",
"Export save": "Vie tallennus",
"This is your save code.<br>Copy it and keep it somewhere safe!": "/",
"Import save": "Tuo tallennus",
"Please paste in the code that was given to you on save export.": "/",
"Game saved": "Peli tallennettu",
"Game loaded": "Peli ladattu",
"Error while saving": "Virhe tallentaessa",
"Export your save instead!": "/",
"Error importing save": "/",
"Oops, looks like the import string is all wrong!": "/",
"You are attempting to load a save from a future version (v. %1; you are using v. %2).": "/",
"Sorry, you can't import saves from the classic version.": "/",
"Wipe save": "/",
"Delete all your progress, including your achievements": "/",
"Do you REALLY want to wipe your save?<br><small>You will lose your progress, your achievements, and your heavenly chips!</small>": "/",
"Whoah now, are you really, <b><i>REALLY</i></b> sure you want to go through with this?<br><small>Don't say we didn't warn you!</small>": "/",
"Game reset": "/",
"Good bye, cookies.": "Hei hei, keksit.",
"Welcome back!": "Tervetuloa takaisin!",
"You earned <b>%1</b> while you were away.": "Ansaitsit <b>%1</b> ollessasi poissa.",
"Mods": "Modit",
"Manage mods": "Hallitse modeja",
"Publish mods": "Julkaise modeja",
"Update published mods": "Päivitä julkaistuja modeja",
"Only use mods from trusted sources. Some mods may require a game restart to take effect.": "/",
"Enable": "Ota käyttöön",
"Disable": "Poista käytöstä",
"Priority up": "/",
"Priority down": "/",
"New mod": "Uusi modi",
"Select folder": "Valitse kansio",
"Select updated folder": "Valitse päivitetty kansio",
"Select a mod.": "Valitse modi.",
"Open folder": "Avaa kansio",
"Open Workshop": "/",
"Open Workshop page": "/",
"Unsubscribe": "/",
"Local mod": "Paikallinen modi",
"Open %1 folder": "Avaa %1 kansio",
"Description": "Kuvaus",
"Image": "Kuva",
"Name": "Nimi",
"Title": "Otsikko",
"Visibility": "Näkyvyys",
"Author": "Tekijä",
"File size": "Tiedostokoko",
"Tags": "/",
"Dependencies": "Riippuvuudet",
"Publish to Workshop": "/",
"Version": "Versio",
"Error!": "Virhe!",
"none": "/",
"Publishing...": "Julkaistaan...",
"Updating...": "Päivitetään...",
"Success!": "/",
"Refresh": "/",
"Last update:": "Viimeisin päivitys:",
"Mods are loaded from top to bottom.": "/",
"Some mods couldn't be loaded:": "Joitain modeja ei voitu ladata:",
"This tool allows you to upload new mods to the Steam Workshop.<br>You need to select a mod folder containing a properly-formatted %1 file.<br>See the included sample mods for examples.": "/",
"Modidata": "/",
"No mod data present.": "/",
"These are the mods present in your save data. You may delete some of this data to make your save file smaller.": "/",
"(loaded)": "(ladattu)",
"%1 char": [
"%1 merkki",
"%1 merkkiä"
],
"Check mod data": "/",
"view and delete save data created by mods": "/",
"New update!": "Uusi päivitys!",
"New version available: v. %1!": "Uusi versio saatavilla: v. %1!",
"Update note: \"%1\"": "/",
"Refresh to get it!": "/",
"You are currently playing Cookie Clicker on the <b>%1</b> protocol.<br>The <b>%2</b> version uses a different save slot than this one.<br>Click this lock to reload the page and switch to the <b>%2</b> version!": "/",
"+%1 more notification.": [
"+%1 more notification.",
"+%1 more notifications."
],
"Christmas": "/",
"Valentine's day": "/",
"Business day": "/",
"Easter": "/",
"Halloween": "/",
"%1 has started!": "/",
"%1 is over.": "/",
"%1's bakery": "/",
"Name your bakery": "Nimeä leipomosi:",
"What should your bakery's name be?": "/",
"bakery random name, 1st half": [
"Magic",
"Fantastic",
"Fancy",
"Sassy",
"Snazzy",
"Pretty",
"Cute",
"Pirate",
"Ninja",
"Zombie",
"Robot",
"Radical",
"Urban",
"Cool",
"Hella",
"Sweet",
"Awful",
"Double",
"Triple",
"Turbo",
"Techno",
"Disco",
"Electro",
"Dancing",
"Wonder",
"Mutant",
"Space",
"Science",
"Medieval",
"Future",
"Captain",
"Bearded",
"Lovely",
"Tiny",
"Big",
"Fire",
"Water",
"Frozen",
"Metal",
"Plastic",
"Solid",
"Liquid",
"Moldy",
"Shiny",
"Happy",
"Happy Little",
"Slimy",
"Tasty",
"Delicious",
"Hungry",
"Greedy",
"Lethal",
"Professor",
"Doctor",
"Power",
"Chocolate",
"Crumbly",
"Choklit",
"Righteous",
"Glorious",
"Mnemonic",
"Psychic",
"Frenetic",
"Hectic",
"Crazy",
"Royal",
"El",
"Von"
],
"bakery random name, 2nd half": [
"Cookie",
"Biscuit",
"Muffin",
"Scone",
"Cupcake",
"Pancake",
"Chip",
"Sprocket",
"Gizmo",
"Puppet",
"Mitten",
"Sock",
"Teapot",
"Mystery",
"Baker",
"Cook",
"Grandma",
"Click",
"Clicker",
"Spaceship",
"Factory",
"Portal",
"Machine",
"Experiment",
"Monster",
"Panic",
"Burglar",
"Bandit",
"Booty",
"Potato",
"Pizza",
"Burger",
"Sausage",
"Meatball",
"Spaghetti",
"Macaroni",
"Kitten",
"Puppy",
"Giraffe",
"Zebra",
"Parrot",
"Dolphin",
"Duckling",
"Sloth",
"Turtle",
"Goblin",
"Pixie",
"Gnome",
"Computer",
"Pirate",
"Ninja",
"Zombie",
"Robot"
],
"bakery random name": [
"Magic Cookie",
"Electro-Muffin",
"Cute Pancake",
"Chocolate Kitten",
"Vanilla Puppy",
"Pirate Robot",
"Captain Sausage",
"Tiny Monster",
"Space Zombie",
"Hungry Grandma",
"Techno-Burger",
"Turbo-Pizza",
"Medieval Dolphin",
"Psychic Turtle",
"Dancing Bandit",
"Mutant Baker",
"Tasty Biscuit",
"Happy Little Duckling",
"Lethal Macaroni"
],
"%1, age %2": "/",
"Sugar lumps!": "/",
"Because you've baked a <b>billion cookies</b> in total, you are now attracting <b>sugar lumps</b>. They coalesce quietly near the top of your screen, under the Stats button.<br>You will be able to harvest them when they're ripe, after which you may spend them on all sorts of things!": "/",
"A <b>sugar lump</b> is coalescing here, attracted by your accomplishments.": "/",
"Your sugar lumps mature after <b>%1</b>,<br>ripen after <b>%2</b>,<br>and fall after <b>%3</b>.": "/",
"• Sugar lumps can be harvested when mature, though if left alone beyond that point they will start ripening (increasing the chance of harvesting them) and will eventually fall and be auto-harvested after some time.<br>• Sugar lumps are delicious and may be used as currency for all sorts of things.<br>• Once a sugar lump is harvested, another one will start growing in its place.<br>• Note that sugar lumps keep growing when the game is closed.": "/",
"This sugar lump has been exposed to time travel shenanigans and will take an excruciating <b>%1</b> to reach maturity.": "/",
"This sugar lump is still growing and will take <b>%1</b> to reach maturity.": "/",
"This sugar lump is mature and will be ripe in <b>%1</b>.<br>You may <b>click it to harvest it now</b>, but there is a <b>50% chance you won't get anything</b>.": "/",
"<b>This sugar lump is ripe! Click it to harvest it.</b><br>If you do nothing, it will auto-harvest in <b>%1</b>.": "/",
"This sugar lump grew to be <b>bifurcated</b>; harvesting it has a 50% chance of yielding two lumps.": "/",
"This sugar lump grew to be <b>golden</b>; harvesting it will yield 2 to 7 lumps, your current cookies will be doubled (capped to a gain of 24 hours of your CpS), and you will find 10% more golden cookies for the next 24 hours.": "/",
"This sugar lump was affected by the elders and grew to be <b>meaty</b>; harvesting it will yield between 0 and 2 lumps.": "/",
"This sugar lump is <b>caramelized</b>, its stickiness binding it to unexpected things; harvesting it will yield between 1 and 3 lumps and will refill your sugar lump cooldowns.": "/",
"You harvested <b>%1</b> while you were away.": "/",
"Sugar blessing activated!": "/",
"Your cookies have been doubled.<br>+10% golden cookies for the next 24 hours.": "/",
"Sugar lump cooldowns cleared!": "/",
"Botched harvest!": "/",
"Do you want to spend %1 to %2?": "/",
"Heralds": "/",
"%1 herald": [
"%1 herald",
"%1 heralds"
],
"Heralds couldn't be loaded. There may be an issue with our servers, or you are playing the game locally.": "/",
"There are no heralds at the moment. Please consider <b>donating to our Patreon</b>!": "/",
"selflessly inspiring a boost in production for everyone, resulting in %1.": "/",
"+%1% cookies per second": "/",
"You are in a <b>Born again</b> run, and are not currently benefiting from heralds.": "/",
"You own the <b>Heralds</b> upgrade, and therefore benefit from the production boost.": "/",
"To benefit from the herald bonus, you need a special upgrade you do not yet own. You will permanently unlock it later in the game.": "/",
"<b>Heralds</b> are people who have donated to our highest Patreon tier, and are limited to 100.<br>Each herald gives everyone +1% CpS.<br>Heralds benefit everyone playing the game, regardless of whether you donated.": "/",
"Every %1 current players on Steam generates <b>1 herald</b>, up to %2 heralds.<br>Each herald gives everyone +1% CpS.": "/",
"+%1!": "/",
"You found %1!": "/",
"Found <b>%1</b>!": "/",
"You also found <b>%1</b>!": "/",
"Lost %1!": "/",
"Sweet!<br><small>Found 1 sugar lump!</small>": "/",
"Lucky!": "/",
"Ruin!": "/",
"Cookie chain over. You made %1.": "/",
"Cookie chain": "/",
"Cookie chain broken.<br><small>You made %1.</small>": "/",
"Cookie blab": [
"Cookie crumbliness x3 for 60 seconds!",
"Chocolatiness x7 for 77 seconds!",
"Dough elasticity halved for 66 seconds!",
"Golden cookie shininess doubled for 3 seconds!",
"World economy halved for 30 seconds!",
"Grandma kisses 23% stingier for 45 seconds!",
"Thanks for clicking!",
"Fooled you! This one was just a test.",
"Golden cookies clicked +1!",
"Your click has been registered. Thank you for your cooperation.",
"Thanks! That hit the spot!",
"Thank you. A team has been dispatched.",
"They know.",
"Oops. This was just a chocolate cookie with shiny aluminium foil."
],
"Exploded a wrinkler": "/",
"Exploded a shiny wrinkler": "/",
"Swallowed:": "/",
"Reindeer names": [
"Dasher",
"Dancer",
"Prancer",
"Vixen",
"Comet",
"Cupid",
"Donner",
"Blitzen",
"Rudolph"
],
"The reindeer gives you %1.": "/",
"You are also rewarded with %1!": "/",
"You are granted %1.": "/",
"Found a present!": "/",
"You find a present which contains...": "/",
"Evolve": "/",
"Festive test tube": "/",
"Festive ornament": "/",
"Festive wreath": "/",
"Festive tree": "/",
"Festive present": "/",
"Festive elf fetus": "/",
"Elf toddler": "/",
"Elfling": "/",
"Young elf": "/",
"Bulky elf": "/",
"Nick": "/",
"Santa Claus": "/",
"Elder Santa": "/",
"True Santa": "/",
"Final Claus": "/",
"Dragon egg": "/",
"Shivering dragon egg": "/",
"Krumblor, cookie hatchling": "/",
"Krumblor, cookie dragon": "/",
"Train %1": "/",
"Aura: %1": "/",
"Chip it": "/",
"Hatch it": "/",
"Bake dragon cookie": "/",
"Delicious!": "/",
"Train secondary aura": "/",
"Lets you use two dragon auras simultaneously": "/",
"Your dragon is fully trained.": "/",
"%1 of every building": "/",
"No aura": "/",
"Set your dragon's aura": "/",
"Set your dragon's secondary aura": "/",
"Select an aura from those your dragon knows.": "/",
"<b>One tenth</b> of every other dragon aura, <b>combined</b>.": "/",
"Switching your aura is <b>free</b> because you own no buildings.": "/",
"The cost of switching your aura is <b>%1</b>.<br>This will affect your CpS!": "/",
"Your dragon dropped something!": "/",
"Breath of Milk": "/",
"Dragon Cursor": "/",
"Elder Battalion": "/",
"Reaper of Fields": "/",
"Earth Shatterer": "/",
"Master of the Armory": "/",
"Fierce Hoarder": "/",
"Dragon God": "/",
"Arcane Aura": "/",
"Dragonflight": "/",
"Ancestral Metamorphosis": "/",
"Unholy Dominion": "/",
"Epoch Manipulator": "/",
"Mind Over Matter": "/",
"Radiant Appetite": "/",
"Dragon's Fortune": "/",
"Dragon's Curve": "/",
"Reality Bending": "/",
"Dragon Orbs": "/",
"Supreme Intellect": "/",
"News :": "/",
"Ticker (grandma)": [
"Moist cookies.",
"We're nice grandmas.",
"Indentured servitude.",
"Come give grandma a kiss.",
"Why don't you visit more often?",
"Call me..."
],
"Ticker (threatening grandma)": [
"Absolutely disgusting.",
"You make me sick.",
"You disgust me.",
"We rise.",
"It begins.",
"It'll all be over soon.",
"You could have stopped it."
],
"Ticker (angry grandma)": [
"It has betrayed us, the filthy little thing.",
"It tried to get rid of us, the nasty little thing.",
"It thought we would go away by selling us. How quaint.",
"I can smell your rotten cookies."
],
"Ticker (grandmas return)": [
"shrivel",
"writhe",
"throb",
"gnaw",
"We will rise again.",
"A mere setback.",
"We are not satiated.",
"Too late."
],
"Ticker (grandma invasion start)": [
"millions of old ladies reported missing!",
"families around the continent report agitated, transfixed grandmothers!",
"nurses report \"strange scent of cookie dough\" around female elderly patients!"
],
"Ticker (grandma invasion rise)": [
"town in disarray as strange old ladies break into homes to abduct infants and baking utensils!",
"whole continent undergoing mass exodus of old ladies!",
"old women freeze in place in streets, ooze warm sugary syrup!"
],
"Ticker (grandma invasion full)": [
"wrinkled \"flesh tendrils\" visible from space!",
"all hope lost as writhing mass of flesh and dough engulfs whole city!",
"nightmare continues as wrinkled acres of flesh expand at alarming speeds!"
],
"Ticker (Farm)": [
"cookie farms release harmful chocolate in our rivers, says scientist!",
"genetically-modified chocolate controversy strikes cookie farmers!",
"farm cookies deemed unfit for vegans, says nutritionist."
],
"Ticker (Mine)": [
"is our planet getting lighter? Experts examine the effects of intensive chocolate mining.",
"chocolate mines found to cause earthquakes and sinkholes!",
"depths of chocolate mines found to house \"peculiar, chocolaty beings\"!"
],
"Ticker (Factory)": [
"cookie factories linked to global warming!",
"cookie factories on strike, robotic minions employed to replace workforce!",
"cookie factories on strike - workers demand to stop being paid in cookies!"
],
"Ticker (Bank)": [
"cookie loans on the rise as people can no longer afford them with regular money.",
"cookies slowly creeping up their way as a competitor to traditional currency!",
"most bakeries now fitted with ATMs to allow for easy cookie withdrawals and deposits."
],
"Ticker (Temple)": [
"recently-discovered chocolate temples now sparking new cookie-related cult; thousands pray to Baker in the sky!",
"theists of the world discover new cookie religion - \"Oh boy, guess we were wrong all along!\"",
"explorers bring back ancient artifact from abandoned temple; archeologists marvel at the centuries-old rolling pin!"
],
"Ticker (Wizard tower)": [
"get your new charms and curses at the yearly National Spellcrafting Fair! Exclusive prices on runes and spellbooks.",
"cookie wizards deny involvement in shockingly ugly newborn - infant is \"honestly grody-looking, but natural\", say doctors.",
"\"Any sufficiently crude magic is indistinguishable from technology\", claims renowned technowizard."
],
"Ticker (Shipment)": [
"new chocolate planet found, becomes target of cookie-trading spaceships!",
"massive chocolate planet found with 99.8% certified pure dark chocolate core!",
"chocolate-based organisms found on distant planet!"
],
"Ticker (Alchemy lab)": [
"national gold reserves dwindle as more and more of the precious mineral is turned to cookies!",
"silver found to also be transmutable into white chocolate!",
"defective alchemy lab shut down, found to convert cookies to useless gold."
],
"Ticker (Portal)": [
"nation worried as more and more unsettling creatures emerge from dimensional portals!",
"tourism to cookieverse popular with bored teenagers! Casualty rate as high as 73%!",
"cookieverse portals suspected to cause fast aging and obsession with baking, says study."
],
"Ticker (Time machine)": [
"time machines involved in history-rewriting scandal! Or are they?",
"cookies brought back from the past \"unfit for human consumption\", says historian.",
"\"I have seen the future,\" says time machine operator, \"and I do not wish to go there again.\""
],
"Ticker (Antimatter condenser)": [
"whole town seemingly swallowed by antimatter-induced black hole; more reliable sources affirm town \"never really existed\"!",
"researchers conclude that what the cookie industry needs, first and foremost, is \"more magnets\".",
"first antimatter condenser successfully turned on, doesn't rip apart reality!"
],
"Ticker (Prism)": [
"scientists warn against systematically turning light into matter - One day, we'll end up with all matter and no light!\"",
"cookies now being baked at the literal speed of light thanks to new prismatic contraptions.",
"world citizens advised \"not to worry\" about frequent atmospheric flashes."
],
"Ticker (Chancemaker)": [
"strange statistical anomalies continue as weather forecast proves accurate an unprecedented 3 days in a row!",
"local casino ruined as all gamblers somehow hit a week-long winning streak! \"We might still be okay\", says owner before being hit by lightning 47 times.",
"neighboring nation somehow elects president with sensible policies in freak accident of random chance!"
],
"Ticker (Fractal engine)": [
"local man \"done with Cookie Clicker\", finds the constant self-references \"grating and on-the-nose\".",
"local guru claims \"there's a little bit of ourselves in everyone\", under investigation for alleged cannibalism.",
"polls find idea of cookies made of cookies \"acceptable\" - \"at least we finally know what's in them\", says interviewed citizen."
],
"Ticker (Javascript console)": [
"coding is hip! More and more teenagers turn to technical fields like programming, ensuring a future robot apocalypse and the doom of all mankind.",
"developers unsure what to call their new javascript libraries as all combinations of any 3 dictionary words have already been taken.",
"strange fad has parents giving their newborns names such as Emma.js or Liam.js. At least one Baby.js reported."
],
"Ticker (Idleverse)": [
"is another you living out their dreams in an alternate universe? Probably, you lazy bum!",
"\"I find solace in the knowledge that at least some of my alternate selves are probably doing fine out there\", says citizen's last remaining exemplar in the multiverse.",
"comic book writers point to actual multiverse in defense of dubious plot points. \"See? I told you it wasn't 'hackneyed and contrived'!\""
],
"Ticker (Cortex baker)": [
"runt cortex baker identified with an IQ of only quintuple digits: \"just a bit of a dummy\", say specialists.",
"astronomers warn of cortex baker trajectory drift, fear future head-on collisions resulting in costly concussions.",
"cortex baker wranglers kindly remind employees that cortex bakers are the bakery's material property and should not be endeared with nicknames."
],
"Ticker (Halloween)": [
"pagan rituals on the rise as children around the world dress up in strange costumes and blackmail homeowners for candy.",
"children around the world \"lost and confused\" as any and all Halloween treats have been replaced by cookies.",
"strange twisting creatures amass around cookie factories, nibble at assembly lines."
],
"Ticker (Christmas)": [
"bearded maniac spotted speeding on flying sleigh! Investigation pending.",
"obese jolly lunatic still on the loose, warn officials. \"Keep your kids safe and board up your chimneys. We mean it.\"",
"mysterious festive entity with quantum powers still wrecking havoc with army of reindeer, officials say.",
"\"You mean he just gives stuff away for free?!\", concerned moms ask. \"Personally, I don't trust his beard.\"",
"children shocked as they discover Santa Claus isn't just their dad in a costume after all!<br>\"I'm reassessing my life right now\", confides Laura, aged 6."
],
"Ticker (Valentines)": [
"love's in the air, according to weather specialists. Face masks now offered in every city to stunt airborne infection.",
"marrying a cookie - deranged practice, or glimpse of the future?",
"heart-shaped candies overtaking sweets business, offering competition to cookie empire."
],
"Ticker (Easter)": [
"long-eared critters with fuzzy tails invade suburbs, spread terror and chocolate!",
"egg-laying rabbits \"not quite from this dimension\", warns biologist; advises against petting, feeding, or cooking the creatures.",
"mysterious rabbits found to be egg-layers, but mammalian, hinting at possible platypus ancestry."
],
"Ticker (misc)": [
"doctors recommend twice-daily consumption of fresh cookies.",
"doctors advise against new cookie-free fad diet.",
"doctors warn mothers about the dangers of \"home-made cookies\".",
"\"I'm not addicted to cookies. That's just speculation by fans with too much free time\", reveals celebrity.",
"\"alright, I'll say it - I've never eaten a single cookie in my life\", reveals celebrity.",
"\"cookies helped me stay thin and healthy\", reveals celebrity.",
"man robs bank, buys cookies.",
"new study suggests cookies neither speed up nor slow down aging, but instead \"take you in a different direction\".",
"man found allergic to cookies; \"what a weirdo\", says family.",
"cookie shortage strikes town, people forced to eat cupcakes; \"just not the same\", concedes mayor.",
"\"you gotta admit, all this cookie stuff is a bit ominous\", says confused idiot.",
"mysterious illegal cookies seized; \"tastes terrible\", says police.",
"\"Ook\", says interviewed orangutan.",
"is our media controlled by the cookie industry? This could very well be the case, says crackpot conspiracy theorist.",
"\"at this point, cookies permeate the economy\", says economist. \"If we start eating anything else, we're all dead.\"",
"cookies now illegal in some backwards country nobody cares about. Political tensions rising; war soon, hopefully."
],
"You feel like making cookies. But nobody wants to eat your cookies.": "/",
"Your first batch goes to the trash. The neighborhood raccoon barely touches it.": "/",
"Your family accepts to try some of your cookies.": "/",
"Your cookies are popular in the neighborhood.": "/",
"People are starting to talk about your cookies.": "/",
"Your cookies are talked about for miles around.": "/",
"Your cookies are renowned in the whole town!": "/",
"Your cookies bring all the boys to the yard.": "/",
"Your cookies now have their own website!": "/",
"Your cookies are worth a lot of money.": "/",
"Your cookies sell very well in distant countries.": "/",
"People come from very far away to get a taste of your cookies.": "/",
"Kings and queens from all over the world are enjoying your cookies.": "/",
"There are now museums dedicated to your cookies.": "/",
"A national day has been created in honor of your cookies.": "/",
"Your cookies have been named a part of the world wonders.": "/",
"History books now include a whole chapter about your cookies.": "/",
"Your cookies have been placed under government surveillance.": "/",
"The whole planet is enjoying your cookies!": "/",
"Strange creatures from neighboring planets wish to try your cookies.": "/",
"Elder gods from the whole cosmos have awoken to taste your cookies.": "/",
"Beings from other dimensions lapse into existence just to get a taste of your cookies.": "/",
"Your cookies have achieved sentience.": "/",
"The universe has now turned into cookie dough, to the molecular level.": "/",
"Your cookies are rewriting the fundamental laws of the universe.": "/",
"A local news station runs a 10-minute segment about your cookies. Success!<br><small>(you win a cookie)</small>": "/",
"it's time to stop playing": "/",
"Today is your lucky day!": "/",
"Your lucky numbers are:": "/",
"Fortune!": "/",
"A golden cookie has appeared.": "/",
"You gain <b>one hour</b> of your CpS (capped at double your bank).": "/",
"You've unlocked a new upgrade.": "/",
"Wish granted. Golden cookie spawned.": "/",
"help me!": "/",
"Ascend": "/",
"You've been on this run for <b>%1</b>.": "/",
"Your prestige level is currently <b>%1</b>.<br>(CpS +%2%)": "/",
"Ascending now would grant you no prestige.": "/",
"Ascending now would grant you<br><b>1 prestige level</b> (+1% CpS)<br>and <b>1 heavenly chip</b> to spend.": "/",
"Ascending now would grant you<br><b>%1 prestige levels</b> (+%2% CpS)<br>and <b>%3 heavenly chips</b> to spend.": "/",
"You need <b>%1 more cookies</b> for the next level.": "/",
"Do you REALLY want to ascend?<div class=\"line\"></div>You will lose your progress and start over from scratch.<div class=\"line\"></div>All your cookies will be converted into prestige and heavenly chips.": "/",
"You will keep your achievements.": "/",
"You will keep your achievements, building levels and sugar lumps.": "/",
"Ascending": "/",
"So long, cookies.": "/",
"You forfeit your %1.": "/",
"Prestige level:": "/",
"Heavenly chips:": "/",
"%1 prestige level": [
"%1 prestige level",
"%1 prestige levels"
],
"You gain <b>%1</b>!": "/",
"Reincarnate": "/",
"You are ascending.<br>Drag the screen around<br>or use arrow keys!<br>When you're ready,<br>click Reincarnate.": "/",
"Each prestige level grants you a permanent <b>+%1% CpS</b>.<br>The more levels you have, the more cookies they require.": "/",
"Heavenly chips are used to buy heavenly upgrades.<br>You gain <b>1 chip</b> every time you gain a prestige level.": "/",
"Click this once you've bought<br>everything you need!": "/",
"Are you ready to return to the mortal world?": "/",
"Hello, cookies!": "/",
"Challenge mode for the next run:": "/",
"Challenge modes apply special modifiers to your next ascension.<br>Click to change.": "/",
"Select a challenge mode": "/",
"None [ascension type]": "None",
"No special modifiers.": "/",
"Born again [ascension type]": "Born again",
"This run will behave as if you'd just started the game from scratch. Prestige levels and heavenly upgrades will have no effect, as will sugar lumps and building levels. Perma-upgrades and minigames will be unavailable.<div class=\"line\"></div>Some achievements are only available in this mode.": "/",
"Your bingo center/research facility is conducting experiments.": "/",
"Research has begun": "/",
"Research complete": "/",
"You have discovered: <b>%1</b>.": "/",
"Valentine's Day!": "/",
"It's <b>Valentine's season</b>!<br>Love's in the air and cookies are just that much sweeter!": "/",
"Business Day!": "/",
"It's <b>Business season</b>!<br>Don't panic! Things are gonna be looking a little more corporate for a few days.": "/",
"Halloween!": "/",
"It's <b>Halloween season</b>!<br>Everything is just a little bit spookier!": "/",
"Christmas time!": "/",
"It's <b>Christmas season</b>!<br>Bring good cheer to all and you just may get cookies in your stockings!": "/",
"Easter!": "/",
"It's <b>Easter season</b>!<br>Keep an eye out and you just might click a rabbit or two!": "/",
"[Tag]Heavenly": "Heavenly",
"[Tag]Tech": "Tech",
"[Tag]Cookie": "Cookie",
"[Tag]Debug": "Debug",
"[Tag]Switch": "Switch",
"[Tag]Upgrade": "Upgrade",
"Tier:": "/",
"[Tier]Plain": "Plain",
"[Tier]Berrylium": "Berrylium",
"[Tier]Blueberrylium": "Blueberrylium",
"[Tier]Chalcedhoney": "Chalcedhoney",
"[Tier]Buttergold": "Buttergold",
"[Tier]Sugarmuck": "Sugarmuck",
"[Tier]Jetmint": "Jetmint",
"[Tier]Cherrysilver": "Cherrysilver",
"[Tier]Hazelrald": "Hazelrald",
"[Tier]Mooncandy": "Mooncandy",
"[Tier]Astrofudge": "Astrofudge",
"[Tier]Alabascream": "Alabascream",
"[Tier]Iridyum": "Iridyum",
"[Tier]Synergy I": "Synergy I",
"[Tier]Synergy II": "Synergy II",
"[Tier]Fortune": "Fortune",
"[Tier]Self-referential": "Self-referential",
"Vaulted": "/",
"Researched": "/",
"Purchased": "/",
"Unlocked forever": "/",
"Click to learn!": "/",
"Click to unlearn!": "/",
"Upgrade": "Päivitys",
"Upgrades": "Päivitykset",
"Achievement": "Saavutus",
"Achievements": "Saavutukset",
"Shadow Achievement": "/",
"Unlocked": "/",
"Locked": "Lukittu",
"Source:": "/",
"Click to win!": "/",
"Click to lose!": "/",
"Legacy": "/",
"Buildings": "Rakennukset",
"Switches": "/",
"Vault": "/",
"Research": "Tutkimus",
"Store": "Kauppa",
"sacrifice %1": "uhraa %1",
"Click to purchase.": "Klikkaa ostaaksesi.",
"Click to open selector.": "/",
"Click to toggle.": "/",
"Click to research.": "Klikkaa tutkiaksesi.",
"%1 to vault.": "/",
"%1 to unvault.": "/",
"Upgrade is vaulted and will not be auto-purchased.": "/",
"Upgrade for %1": "/",
"Buy": "Osta",
"Sell": "Myy",
"all": "/",
"max": "/",
"Buy all upgrades": "Osta kaikki päivitykset",
"Will <b>instantly purchase</b> every upgrade you can afford, starting from the cheapest one.<br>Upgrades in the <b>vault</b> will not be auto-purchased.<br>You may place an upgrade into the vault by <b>Shift-clicking</b> on it.": "/",
"each %1 produces <b>%2</b> per second": "jokainen %1 tuottaa <b>%2</b> sekuntissa",
"%1 producing <b>%2</b> per second": "%1 tuottamassa <b>%2</b> sekuntissa",
"<b>%1%</b> of total CpS": "/",
"<b>%1</b> produced so far": "<b>%1</b> tuotettu tähän mennessä",
"...also boosting some other buildings:": "/",
"all combined, these boosts account for <b>%1</b> per second (<b>%2%</b> of total CpS)": "/",
"owned: %1": "omistettu: %1",
"free: %1!": "/",
"Level %1 %2": "Taso %1 %2",
"Granting <b>+%1% %2 CpS</b>.": "/",
"Click to level up for %1.": "/",
"Levelling up this building unlocks a minigame.": "/",
"level up your %1": "/",
"Mute": "/",
"Minimize this building": "/",
"Muted:": "/",
"Click to unmute": "/",
"Show": "Näytä",
"Hide": "Piilota",
"Names in white were submitted by our supporters on Patreon.": "/",
"You can also press %1 to bulk-buy or sell %2 of a building at a time, or %3 for %4.": "/",
"Investment": "Sijoitus",
"You're not sure what this does, you just know it means profit.": "/",
"Cursor": "Kursori",
"cursor": "kursori",
"cursors": "kursorit",
"%1 cursor": [
"%1 kursori",
"%1 kursoria"
],
"[Cursor quote]Autoclicks once every 10 seconds.": "Autoclicks once every 10 seconds.",
"[Cursor business name]Rolling pin": "Rolling pin",
"[Cursor business quote]Essential in flattening dough. The first step in cookie-making.": "Essential in flattening dough. The first step in cookie-making.",
"Grandma": "Isoäiti",
"grandma": "isoäiti",
"grandmas": "isoäidit",