This repository has been archived by the owner on Oct 30, 2022. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 164
/
tr.ts
1514 lines (1514 loc) · 88.2 KB
/
tr.ts
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
export const TR = {
Translator: "Translator",
TranslatorName: "Graffien,Takipsizad",
Language: "Türkçe",
ThisLanguage: "English",
OK: "Tamam",
SteelMill: "Çelik fabrikası",
StainlessSteelPlant: "Paslanmaz Çelik Fabrikası",
CircuitFoundry: "Devre Dökümhanesi",
IntegratedCircuit: "Entegre Devre",
OilWell: "Petrol Kuyusu",
Wood: "Odun",
LoggingCamp: "Odun Üretimhanesi",
LumberMill: "Kereste fabrikası",
Lumber: "Kereste",
Paper: "Kağıt",
PaperMill: "Kağıt fabrikası",
Book: "Kitap",
BookPublisher: "Kitap yayınlayayıcısı",
OilRefinery: "Yağ Rafinerisi",
Sell: "Sat",
Upgrade: "Yükselt",
Build: "İnşa et",
Buildings: "Yapılar",
Iron: "Demir",
FuelType: "Yakıt türü seç",
FuelCost: "Yakıt maliyeti",
FuelEconomy: "Yakıt ekonomisi",
FuelInStorage: "%{fuel} Depoda",
Plastic: "Plastik",
Petrol: "Petrol",
Buy: "Sat",
Multiplier: "Katlayıcı",
MultiplierDesc: "Her 10 seviyede bir +1 çarpanı alırsınız ",
SellBuilding: "Yapıyı sat",
PowerGrid: "Güç ızgarası",
SortBy: "Göre sırala",
SortByPrice: "Fiyat",
SortByAmount: "Miktar",
NotEnoughResources: "Bu işlem için yeterli kaynak (lar) yok",
Transportation: "Taşıma",
Cash: "Para",
Aluminum: "Alüminyum",
ResearchPoint: "Araştırma Puanı",
Unlock: "Araştır",
BuildingUnlocked: "%{building} ın kilidi açıldı ",
Science: "Bilim",
ScienceFromPowerDesc: "Enerji santralleri, güç üretirken az miktarda Bilim üretir",
Culture: "Kültür",
School: "Okul",
University: "Üniverste",
Polytechnic: "Politeknik",
Colosseum: "Kolezyum",
WindTurbine: "Rüzgar türbini",
Engine: "Motor",
EngineFactory: "Motor Fabrikası",
CameraFactory: "Kamera Fabrikası",
Camera: "Kamera",
Gun: "Silah",
GunFactory: "Silah fabrikası",
Aircraft: "Uçak",
AircraftFactory: "Uçak fabrikası",
Zeppelin: "Zeplin",
ZeppelinFactory: "Zeplin Fabrikası",
Tank: "Tank",
TankFactory: "Tank Fabrikası",
CoalPowerPlant: "Kömürlü Termik Santral",
PetrolPowerPlant: "Petrol Güç Santrali",
Copper: "Bakır",
Gas: "Doğalgaz",
GasPump: "Doğalgaz Pompası",
GasPowerPlant: "Doğalgaz Santrali",
Missile: "Füze",
MissileFactory: "Füze Fabrikası",
Rocket: "Roket",
RocketFactory: "Roket Fabrikası",
BuildingPermit: "Yapı izini",
BuildingPermitDesc: "%{amount} binalar için izininiz var, ama %{amountBuilt} oluşturdunuz ve %{amountLeft} kaldı",
BuildingLocked: "Bina henüz mevcut değil, önce araştırma laboratuarında kilidini açmanız gerekir ",
MaxBuilders: "Maksimum İnşaat",
MaxBuildersDesc: "Aynı anda inşa edebileceğiniz bina sayısı",
Silicon: "Silikon",
AluminumMine: "Alimünyum Madeni",
CopperMine: "Bakır Madeni",
SiliconMine: "Silikon Madeni",
IronMine: "Demir Madeni",
CoalMine: "Kömür madeni",
Headquarter: "Merkez",
ResearchLab: "Araştırma Laboratuvarı",
TradeCenter: "Pazar Yeri",
Resources: "Kaynaklar",
NotEnoughCash: "Bu işlem için yeterli nakit yok",
NotEnoughSwissMoney: "Bu operasyon için yeterli Swiss parası yok",
BuildingNotEnoughFuel: "💡 Yeterli değil %{fuel}",
AutoSell: "Otomatik Sat",
Change: "Değiştir",
StatisticsBureau: "İstatistik Bürosu",
LogisticsDepartment: "Lojistik Departmanı",
From: "İtibaren",
Top20FuelCost: "İlk 20 Yakıt Maliyeti",
To: "İle",
TransportTime: "Transfer Zamanı",
Warehouse: "Depo",
TradeWarehouse: "Nakliye Deposu",
Coal: "Kömür",
Video: "Video",
ClothingFactory: "Giysi Fabrikası",
Clothes: "Giysi",
Fashion: "Moda",
FashionFactory: "Moda Fabrikası",
VideoFarm: "Video Çiftliği",
SantaFactory: "Noel Baba Fabrikası",
Santa: "Noel Baba",
Car: "Araba",
CarFactory: "Araba Fabrikası",
Ship: "Gemi",
SolarPanel: "Güneş Paneli",
SolarPanelDesc: "💡 Güneş Panelleri her 10 saniyede sadece 5 saniye çalışır - tüm döngüler hizalıdır",
WindTurbineDesc: "💡 Rüzgar Türbinleri her 10 saniyede yalnızca 8 saniye çalışır - döngüler hizalı değildir",
Movie: "Film",
MovieStudio: "Film Stüdyosu",
Sitcom: "Komedi Filmi",
TVStudio: "TV Stüdyosu",
PC: "Bilgisayar",
GameStudio: "Oyun Stüdyosu",
Game: "Oyun",
ComputerFactory: "Bilgisayar Fabrikası",
Shipyard: "Tershane",
PowerUsage: "Güç Kullanımı",
PowerSupply: "Güç Kaynağı",
Level: "Seviye",
Power: "Güç",
CentralBank: "Merkez Bankası",
ResourceInput: "Üretim",
ResourceOutput: "Tüketim",
ResourceStorage: "Depo",
ResourceChange: "Değişimi",
ResourceInOutDesc:
"💡 Karşılık gelen çıkış ve giriş binalarını vurgulamak için yukarıdaki Giriş-Çıkış sayılarına dokunun",
MarketUpdateIn: "%{time} içinde bir sonraki piyasa fiyatı güncellemesi",
Semiconductor: "Çip",
SemiconductorFactory: "Çip Fabrikası",
Steel: "Çelik",
Bitcoin: "Bitcoin",
BitcoinFarm: "Bitcoin Madeni",
Dogecoin: "Dogecoin",
DogecoinFarm: "Dogecoin Madeni",
Guitar: "Gitar",
GuitarFactory: "Gitar Fabrikası",
Drum: "Davul",
DrumFactory: "Davul Fabrikası",
RecordingStudio: "Kayıt Stüdyosu",
OperaHouse: "Opera binası",
CoalGasificationPlant: "Kömür Gazlaştırma Tesisi",
GasProcessingPlant: "Gaz İşleme Tesisi",
Music: "Müzik",
Glass: "Cam",
PhoneFactory: "Telefon Fabrikası",
Phone: "Telefon",
GlassFactory: "Cam Fabrikası",
Oil: "Yağ",
Chromium: "Krom",
ChromiumMine: "Krom Madeni",
Uranium: "Uranyum",
EnrichedUranium: "Zenginleştirilmiş Uranyum",
NuclearPowerPlant: "Nükleer Güç Santrali",
UraniumEnrichmentPlant: "Uranyum Zenginleştirme Tesisi",
UraniumMine: "Uranyum Madeni",
Titanium: "Titanyum",
TitaniumMine: "Titanyum Madeni",
TitaniumAlloyPlant: "Titanyum Alaşım Tesisi",
ChromiumAlloyPlant: "Krom Alaşım Tesisi",
Input: "Üretim",
PanelPosition: "Panel Pozisyonu",
Output: "Output",
OutputCapacity: "Tüketim Kapasitesi",
ResourceDeposit: "Kaynak Yatırımı",
AdjacentBonus: "Bitişik Bonusu",
AdjacentBonusDesc: "Aynı türdeki her bitişik çalışan bina için %{bonus}% ekstra kapasite elde edersiniz",
ConsiderIncreaseProduction: "💡 %{resource} üretimini artırmayı düşünün",
ProductionCycleLength: "Üretim Döngüsü",
ProductionCycleLengthDesc:
"Saniye cinsinden ölçülen bir üretim döngüsünün süresi. Döngünün uzatılması, döngü başına girdi/çıktıyı buna göre artıracak ve böylece girdi kaynaklarını alırken önceliğini azaltacaktır.",
MaxInputDistance: "Max Input Distance",
MaxInputDistanceDesc:
"The maximum distance this building can fetch input resources from, measured in number of tiles",
AutoSellConcurrency: "Auto Sell Concurrency",
AutoSellConcurrencyDesc: "Max number of resources auto sell can handle at the same time",
MaxAutoSellConcurrencyReached:
"You have reached maximum auto sell concurrency, turn off another auto sell to enable this one",
WallStreet: "Borsa Merkezi",
MarketCap: "Piyasa Değeri",
MarketCapDesc: "Total market capitalization (i.e. market value) of your corporation",
BuildingValuation: "Building Valuation",
BuildingValuationDesc: "Total value of your buildings, including building permits and upgrades",
ResourcesValuation: "Resources Valuation",
ResourcesValuationDesc: "Total value of resources in your inventory",
Battery: "Batarya",
BatteryFactory: "Batarya Fabrikası",
RatingBuy: "Satın Al",
RatingSell: "Sat",
SwissShop: "Swiss Marketi",
RatingHold: "Tut",
RatingOutperform: "Outperform",
RatingUnderperform: "Underperform",
StockRating: "Fon Değeri",
JetEngine: "Jet Motoru",
Helicopter: "Helikopter",
Lithium: "Lityum",
LithiumMine: "Lityum Madeni",
LiionBatteryFactory: "Li-ion Batarya Fabrikası",
HelicopterFactory: "Helikopter Fabrikası",
Satellite: "Uydu",
ToyFactory: "Oyuncak Fabrikası",
Toy: "Oyuncak",
SpaceStation: "Uzay İstasyonu",
SpaceStationFactory: "Uzay İstasyon Fabrikası",
OperatingSystem: "İşletim Sistemi",
OperatingSystemCompany: "İşletim Sistem Şirketi",
LinuxDistribution: "Linux Dağıtımı",
Internet: "İnternet",
WebBrowser: "İnternet Tarayıcısı",
Console: "Konsol",
ConsoleFactory: "Konsol Fabrikası",
Train: "Tren",
TrainFactory: "Tren Fabrikası",
ShoeFactory: "Ayakkabı Fabrikası",
Shoes: "Ayakkabı",
ArtilleryFactory: "Ağırsilah Fabrikası",
Artillery: "Ağırsilah",
SubmarineFactory: "Denizaltı Fabrikası",
Submarine: "Deniz Altı",
Spaceship: "Uzay Gemisi",
RobotFactory: "Robot Fabrikası",
Robot: "Robot",
SpaceshipFactory: "Uzaygemisi Fabrikası",
SatelliteFactory: "Uydu Fabrikası",
JetEngineFactory: "Jet Motor Fabrikası",
StockRatingDesc:
"Stock rating consensus from Wall Street analysts, which affects your market cap and is updated together with the market",
OfflineEarning: "Çevrimdışı Kazanç",
PerMin: "%{amount}/dakika",
OfflineEarningTime: "Çevrimdışı Kazanç Süresi",
OfflineEarningTimeDesc: "You will earn offline earning for up to this threshold",
BuyPermit: "İzin Satın Al",
Settings: "Ayarlar",
Sound: "Ses Efekti",
SoundDesc: "Turn on sound effect like click or error sound",
MusicDesc: "Turn on music: It's Not Over 'Til The Bossa Nova by Shane Ivers (https://www.silvermansound.com)",
Credits: "Credits",
Icons: "İkonlar",
MisplacedBuilding: "⛔ This %{building} is not placed on top of the correct resource deposit",
HighlightBuildings: "Highlight Buildings",
HighlightTurnedOff: "...that are shut down",
HighlightStockpileModeOn: "...that have stockpile mode on",
HighlightProductionCycleNotDefault: "...that have production cycle > 1",
HighlightMaxInputDistanceNotDefault: "...that have max input distance < ∞",
HighlightNotMakingProfit: "...do not make a profit",
NBuildingsAreHighlighted: "%{n} building(s) are highlighted",
TurnOffProduction: "Üretimi Durdur",
TurnOffProductionDesc:
"Turn off the building's production. The building will no longer transport resources and use power",
FuelCostNumber: "%{cost} %{fuel}",
Unlimited: "Sınırsız",
Transport: "Ulaşım",
TileModifier: "Karo bonusu",
ShowAllModifiers: "Bütün bonusları gösterin",
HideAllModifiers: "Hide All Modifiers",
NumberOfBuildings: "Bu kadar binan var:",
ShowContent: "İçerikleri göster",
HideContent: "içerikleri gizle",
BuyExpansionPack: "%{price} Kadar fiyat al",
Cities: "Şehirler",
InputStrategy: "İçeri Alma Stratejisi",
InputStrategyClose: "Closer",
InputStrategyCloseDesc: "Prefer the closest warehouse which has enough resources",
InputStrategyFar: "Farther",
InputStrategyFarDesc: "Prefer the farthest warehouse which has enough resources",
InputStrategyAmount: "Amount",
InputStrategyAmountDesc: "Prefer the warehouse with the largest amount of the resources, regardless of distance",
FuelCostSave: "Fuel Cost Save",
FuelCostSaveDescV2:
"Warehouses save a certain percentage of fuel for transporting resources compared to other buildings, the higher the level, the more the save",
SoftwareCompany: "Yazılım Şirketi",
Software: "Yazılım",
ScreenFactory: "Ekran Fabrikası",
Screen: "Ekran",
JoinDiscord: "Join our Discord server for latest updates, tips and discussions",
ClaimOfflineEarning: "Çevrimdışı Ödülünü Topla",
OfflineTime: "Çevrimdışı zamanı",
Minutes: "%{time} dakika",
MaxUpgrade: "Maksimum Geliştirme",
MaxUpgradeDesc: "Maksimum geliştirmeye ulaştınız",
ClaimAmount: "Nakit +%{amount}",
EffectiveTime: "Etkili Zaman",
EffectiveTimeDesc: "Your effective offline earning time is capped at %{time}min.",
BuildSearchPlaceholder: "Type building or resource to search",
MineOverlayWarning: "%{building} is not affected by tile modifier",
WholesaleCenter: "Wholesale Center",
OrderFrom: "Order from %{name}",
ExpireIn: "Expire In",
Reward: "Bedel",
PerSecond: "%{time}/saniye",
PolicyPoint: "Politika Puanı",
PolicyPointDesc: "💡 The more active policies, the more cost for each policy",
NextOrderIn: "Sıradaki Sipariş",
FillOrder: "Siparişi gönder",
RejectOrder: "İptal et",
WholesaleCenterLocked:
"You need at least %{required} different resources to unlock Wholesale Center. You only have %{current} resources",
OrderFilled: "The order from %{from} has been successfully filled!",
PolicyCenter: "Politika Merkezi",
NewOrder: "A new order from %{from} has arrived, please check in Wholesale Center",
Policies: "Politikalar",
PolicyNotEnoughTime: "You don't have enough policy points for this policy",
WholesaleCenterOrderFasterDesc: "Wholesale Center receives orders 2x faster and the order size is 2x bigger",
PolicyOilWellPowerx2: "Supercharge Oil Well",
PolicyOilWellPowerx2Desc: "Oil wells produce 2x oil and use 2x power",
HalfTransportSpeed: "Slow Down To Save Up",
HalfTransportSpeedDesc: "Transportation speed is slowed down by 25% and fuel cost is reduced by 25%",
RefineryMoreOil: "Mo Petrol Mo Problems",
RefineryMoreOilDesc: "Oil Refineries produce 50% more petrol and 50% less plastic",
RefineryMorePlastic: "Mo Plastics Mo Problems",
RefineryMorePlasticDesc: "Oil Refineries produce 50% less petrol and 50% more plastic",
FreeOilTransportDesc: "Oil transport doesn't cost fuel but oil wells use 2x power",
SuperSteelMill: "Hearts of Iron",
SuperSteelMillDesc: "Steel mills use 50% less coal and 25% more iron and 25% more power",
AlSemiconductor: "Al Circuit",
AlSemiconductorDesc: "Circuit foundries use aluminum instead of copper",
CostSaver: "Cost Saver",
CostSaverDesc: "If a building's input cost more than its output, shut down the production",
CostSaverBuildingDesc:
"Cost Saver policy is active, production will turn on/off automatically based on its profitability",
CostSaverBuildingWarning: "Cost Saver policy is active, you cannot manually change production",
GlassUseCoal: "Black Glass",
GlassUseCoalDesc: "Glass factories use 50% more coal and 50% less silicon",
AdjacentBonusOnlyOutput: "Adjacent Bonus Plus",
AdjacentBonusOnlyOutputDesc:
"Adjacent bonus does not require more input but uses more power and is only 50% effective",
IronMine2xOutput: "Heavy Iron",
IronMine2xOutputDesc: "Iron mines produce 2x iron but iron transport costs 2x fuel",
SolarPanelAlwaysWork: "The Sun Never Sets",
SolarPanelAlwaysWorkDesc: "Solar panel works 100% of the time but produces 60% less power",
SteelScience: "Knowledge Through Steel",
SteelScienceDesc: "Steel mills use 2x input and produce extra science",
ShoppingSpree: "Shopping Spree",
ShoppingSpreeDesc:
"If a resource's output capacity falls short, buy the shortage amount from Trade Center automatically (If the resource has auto sell on, it will be ignored)",
ShoppingSpreeTradeCenterDesc:
"💡 Shopping Spree policy is on, Trade Center will automatically buy resources in shortage",
ExtraPolicyPoints: "Politiksel Lobici",
CrAlloyUseFe: "Chroiron",
CrAlloyUseFeDesc: "Chromium alloy plants do not use Lithium but use 2x Iron instead",
DoubleTileModifier: "Nature's Power",
TileModifierOutputOnly: "Tile Modifier Plus",
GasPlantPetrol: "Gaz Sıvılaştırıcı",
GasPlantPetrolDesc: "Gas power plants use extra gas to produce petrol",
CoalPlantFuel: "Kömür Sıvılaştırıcı",
CoalPlantFuelDesc: "Coal power plants use extra coal to produce petrol",
Welcome: "Hoşgeldin",
SeeTutorialAgain: "Eğitimi Göster",
HelpTranslateTheGame: "Dil çevirisine yardımcı ol",
NextTutorial: "Sıradaki",
Tutorial1:
"Industry Idle is a <em>resource management</em> game where you build factories🏭, produce goods📦 and make money💸.<br><br>Let's go through some basic concepts to get you started - it won't take long, I pinky promise.",
Tutorial2:
"All buildings need power⚡, you have a <em>wind turbine</em> that generates power. You can see your current power supply on the left side of the top bar.<br><br>You might have noticed that wind turbines only work <em>80%</em> of the time. You can consider building other types of power plants that generate stable power.",
Tutorial3:
"You have a lot of <em>resource deposits</em> on the map. To extract resources, you have to build mines⛏️ <em>on top of</em> the corresponding deposit.<br><br>For example, you have an <em>oil well🛢️</em> that extracts <em>oil</em> from an oil deposit.<br></br>Resource deposits are unlimited - no need to worry about them running out. Apart from mines, other buildings can be built on any empty tile.",
Tutorial5:
"To make money, you need to export your resources via the trade center. To do this, simply turn on <em>auto sell</em> for that resource.<br></br>You can also buy resources from the trade center as well. Remember <em>if you buy a resource, you will drive up the price</em> and if you sell a resource, you will drive down the price.<br><br>The market is <em>volatile</em> and the price📈 changes regularly.",
Tutorial6:
"To build new buildings, you need to unlock it first in the <em>research lab🧪</em>. The research lab also converts science to research points.<br><br>Your wind turbine (and other power plants) produces a small amount of science when running. And you can build school🏫 and other dedicated buildings to boost science later.<br><br>Now you have learned all the basics, start to build up your economy! Here are some <em>cash💸</em> and <em>petrol⛽</em> to give you a jump start.",
WelcomePlay: "Oyna",
WelcomePlayMuted: "Oyna (🔇Müzik)",
Chat: "Sohbet",
RestoreFromBackup: "Restore from Backup",
RestoreFromBackupFail: "Failed to restore backup from Steam Cloud: are you sure there's a backup?",
RestoreFromBackupTitle: "Are you sure?",
RestoreFromBackupDesc:
"You normally don't need to restore from cloud backup, unless your local save is lost. Cloud backup are a bit older than your local save",
ChangeName: "İsmini Değiştir",
SaveName: "Kaydet",
NameValidationRule: "Your name should only contain letters and numbers and be between 5-15 chars",
NameValidationRuleProfanity: "Your name should not contain profanity",
ChatMessageRateLimit: "You can only send a new chat message every 10 seconds",
NameSaved: "İsmin başarıyla değiştirildi",
NoMessages: "Yeni mesaj yok",
Leaderboard: "Lider Sıralaması",
Name: "İsim",
Tips1: "Stock ratings have 5 levels: Buy, Overperform, Hold, Underperform and Sell",
Tips2: "Buildings will stop transporting resources if there's already enough for production, unless you turn on stockpile mode",
Tips3: "Fuel cost for resource transportation is determined by distance and amount of resources",
Tips4: "Buildings will only transport a resource if the amount found on map exceeds the input capacity",
Tips5: "Buildings will only transport a resource from Trade Center if auto sell is turned off for that resource",
Tips6: "You can see the fuel cost for a resource under the corresponding input capacity section",
Tips7: "If you buy a resource, you will drive up the price. If you sell a resource, you will drive down the price",
Tips8: "You can see the chart for each resource's amount and its change over time in Statistics Bureau",
Tips9: "Research points needed for a building is determined by the market price of it's input resources",
Tips10: "Different resources are priced differently in market - always be prepared for market volatility",
Tips11: "It's a good idea to always check your power and fuel supply before expanding your production",
FPS30: "Daha az batarya tüketimi",
OfflineModeDesc:
"Cannot connect to the server: offline earnings will not be generated. Please check your internet connection",
OptOut: "Opt Out",
OptIn: "Reset and Enable",
LeaderboardOptOut: "Leaderboard Opt-Out",
LeaderboardOptIn: "Reset and Enable Leaderboard",
LeaderboardOptInDesc: "Your data needs to be RESET before you can re-enable leaderboard, are you sure?",
RewardAdsFailed: "Reward video did not complete",
OfflineEarningDoubleSuccess: "You have doubled your offline earning",
FPS30Desc:
"Turn on energy saving mode will run the game at 30FPS instead of 60FPS. This will make your battery last longer",
HighlightAll: 'Highlight "%{type}"',
HighlightInput: "🔍 Highlight %{type} Input",
HighlightOutput: "🔍 Highlight %{type} Output",
RunOutIn: "Out in %{time}",
SwissBank: "Swiss Bank",
SwissMoney: "%{money} 💵",
PrestigeDesc: "If you start in a new city, you will get %{money} 💵",
RestorePurchases: "Restore Purchases",
RestorePurchasesSuccess: "Your purchases have been restored",
RestorePurchasesFailed: "Your purchases did not restore",
ExpansionPacks: "Expansion Packs",
ExpansionPack1: "Expansion Pack 1",
RequireExpansionPack1: "Expansion Pack 1",
RequireExpansionPack1Desc: "This is only available for Expansion Pack 1",
RequireAnyExpansionPack: "Genişletme Paketine Özel",
RequireAnyExpansionPackDesc: "This feature requires you to own at least one of the expansion packs",
HideRewardAd: "Reklamları gizle",
HideRewardAdDesc:
"All in-game ads are optional rewarded ads. This will hide all the rewarded ad options from game.",
HideDiscordBanner: "Hide Discord Banner",
HideDiscordBannerDesc: "Hide Discord and storefront banner in the headquarter",
HideChat: "Hide Chat Message",
PurchaseFailed: "The purchase did not complete",
PurchaseSteamContinue: "Please finish your purchase on Steam",
PurchaseSuccess: "The purchase has completed, thanks for your support",
PrestigeCurrency: "Swiss Parası 💵",
RestartDesc: "💡 Just want to restart? You can tap on Start In A New City above and choose your current city",
PrestigeGoBack: "Go Back",
ProductionMultiplier: "Production Multiplier",
ProductionMultiplierDesc:
"A boost to all your buildings' production capacity (including mines, factories, power plants, science and culture buildings)",
FuelCostDiscount: "Fuel Cost Discount",
FuelCostDiscountDesc: "Gives a discount to fuel cost when transporting resources",
BuildingPermitCostDivider: "Building Permit Cost Divider",
BuildingPermitCostDividerDesc: "Divide building permit cost by this divider",
ExtraAdjacentBonus: "Extra Adjacent Bonus",
ExtraAdjacentBonusDesc: "Extra bonus capacity for every adjacent working building of the same type",
PrestigeAlertTitle: "Are you sure?",
PrestigeAlertContent:
"Your company will be liquidated. You will cash in %{amount} Swiss money and start a new company in %{city}",
PrestigeCurrencyDesc:
"This is the money in your secret Swiss bank account, you can carry it with you when you start in a new city",
Prestige: "Cash In",
Cancel: "Cancel",
SaveFileCorrupted: "Save File Corrupted",
LoadGameError: "Failed to Load Game",
LoadGameErrorMessage: "Error message: %{message}",
LoadGameErrorDesc: "Please check your Internet connection. If the problem persists, please contact support",
ExpansionPackIncompatible:
"You are importing a save with expansion packs but your game doesn't have the required expansion packs",
CashIn: "Nakit",
CurrentCity: "Current City",
CashInDesc:
"Your will get this amount to your Swiss bank account if you start in a new city. It is based on your company's market cap and it must reach %{amount} before you can earn Swiss money",
CitySize: "Harita Genişliği",
GridType: "Klavuz Çizgileri",
StartInThisCity: "Şehirde Başla %{city}",
CityBonus: "Şehir Bonusu",
ResourceTilePercentage: "Kaynaklar",
MapSquareGrid: "Büyüklük",
MapHexGrid: "Altıgen",
Stockholm: "Stockholm",
Rotterdam: "Rotterdam",
Oslo: "Oslo",
StPetersburg: "St. Petersburg",
Hamburg: "Hamburg",
HamburgBonus:
"<li>Zeppelin factories are unlocked</li><li>Semiconductor factories have 2x productivity</li><li>Shipyards have 2x capacity</li><li>Car factories have 2x capacity</li><li>Li-ion battery factories are unlocked</li>",
Toulouse: "Toulouse",
Rome: "Roma",
RomeBonus:
"<li>Colosseums are unlocked</li><li>Colosseums have 2x productivity</li><li>Start with level 5 policy center</li><li>Opera houses have 2x capacity</li><li>Recording studios also produce culture</li>",
Detroit: "Detroit",
Boston: "Boston",
BostonBonus:
"<li>Start with level 5 research lab</li><li>Polytechnics are unlocked</li><li>Polytechnics have 2x capacity</li><li>Schools have 2x capacity</li><li>University have 2x productivity</li>",
HideNotProducing: "Hide resources that are not being produced",
SortByStorage: "Depo",
SortByName: "İsim",
PlayerTrade: "Oyuncu Ticareti",
AddTradeFail: "Failed to add your trade",
AddTradeExceedMaximumTrade:
"You can only have maximum %{number} active trades, please claim or cancel one of them first",
AddTradeSuccess: "Your trade has been added successfully",
ClaimTradeFail: "Failed to claim this trade, please try again later",
CancelTradeSuccess: "Your trade has been cancelled successfully",
CancelTradeFail: "Failed to cancel this trade, please try again later",
AcceptTradeFail: "Failed to accept this trade, please try again later",
PlayerTradeBanner: "Trade Resources with Other Players",
PlayerTradeResource: "Resource",
PlayerTradeAmount: "Amount",
PlayerTradePrice: "Price $",
PlayerTradeValue: "Value $",
PlayerTradeWaiting: "Waiting...",
AddTrade: "Add Trade",
AcceptTrade: "Accept",
CancelTrade: "Cancel",
ClaimTrade: "Claim",
FailedToImportSave: "Failed to Import Save",
CancelActiveTradeFirst: "You have active player trades, please cancel/claim them first",
PlayerTradeValidRange: "Range: %{min} ~ %{max}",
PlayerTradeUnavailable:
"You need to have at least one resource in production and in storage before you can trade with players",
PlayerTradeToClaim: "Your have %{num} new trade(s) to claim in Player Trade",
PowerBank: "Power Bank",
PowerBankBuildDesc: "Store surplus power and provide power supply during shortage",
WarehouseBuildDesc: "Warehouses can transport and store any resources",
PowerBankChargeSpeed: "Charge Speed",
PowerBankPowerLeft: "Power Left",
PowerBankMoreCapacity: "Battery Saver",
PowerBankMoreCapacityDesc: "Power banks charge at 50% speed but have 50% more capacity",
PowerBankNotWorking: "⛔ Power banks only work next to a power plant",
ColorTheme: "Color Theme",
ColorThemeDesc: "Color theme for game icons, highlight, grid and background. REQUIRES RELOAD",
SiliconMine2xOutput: "Silicon Valley",
SiliconMine2xOutputDesc:
"Silicon mines produce 2x silicon but use 50% more power and silicon transport costs 50% more fuel",
CoalMine2xOutput: "Industrial Revolution",
CoalMine2xOutputDesc: "Coal mines produce 2x coal but use 50% more power and coal transport costs 50% more fuel",
AlMine2xOutput: "Aluminum Smelting",
AlMine2xOutputDesc: "Aluminum mines produce 2x aluminum and use 2x more power",
LoggingCamp2xOutput: "Deforestation",
LoggingCamp2xOutputDesc: "Logging camps produce 2x wood and wood transport costs 2x fuel",
PowerBankLeft: "Power Bank",
ColorThemeEditor: "Color Theme Editor",
ColorThemeEditorDesc: "You can override colors in the current color theme. You currently have %{num} overrides",
ColorThemeEditorSave: "Save",
ColorThemeEditorReset: "Reset",
ColorThemeEditorResetAll: "Reset All",
NewMessageMentions: "A new message mentions you: %{message}",
HideChatMentions: "Hide Chat Mentions",
HideChatMentionsDesc: "Hide the audio and toast notification when a chat message mentions me,",
AcceptTradeFailRateLimit: "You can only accept one trade every %{time} seconds",
DowngradeBuilding: "Downgrade",
WarehouseAddInput: "Add Route",
WarehouseTapToSelect: "Tap on Map to Select...",
WarehouseFindOnMap: "🔍 Find on Map",
WarehouseRemoveRoute: "Remove",
WarehouseAddRouteFail: "Failed to add route: selected tile is not valid source",
LevelN: "Level %{level}",
Surplus: "Surplus",
Production: "Production",
Consumption: "Consumption",
WarehouseInputCapacityDescV2: "Total capacity of inward transportation, divided equally among all routes",
PlayerCountryFlag: "Oyuncu bayrağı",
PlayerCountryChooseFlag: "In Alphabetical Order of Country Code",
WindTurbineAlwaysWork: "The Wind Rises",
WindTurbineAlwaysWorkDesc: "Wind turbines work 100% of the time but produces 30% less power",
BookPublisherScience: "Science Literature",
BookPublisherScienceDesc: "Book publishers produce science instead of culture",
BatteryFuelEconomy: "Rechargeable Battery",
BatteryFuelEconomyDesc: "Battery fuel economy improves by 100% (ie. 50% fuel cost)",
ShowTheoreticalInputOutputCapacity: "Show theoretical input/output capacity",
SpecialTransportCost: "Resources with Special Transport Cost",
FreeTransportCost: "Resources with Free Transport Cost",
Osaka: "Osaka",
OsakaBonus:
"<li>Resources tend to spawn in clusters</li><li>Warehouse provide 50% more fuel save</li><li>Unique building: manga publisher</li><li>Unique building: anime studio</li><li>Semiconductor factories have 2x productivity</li><li>Li-ion battery factories have 2x capacity</li><li>Battery factories are unlocked</li><li>Battery factories have 2x capacity</li><li>Battery fuel economy improves by 100%</li><li>Battery factories do not require coal</li><li>Start with 100K batteries</li>",
HideChatDescV2: "Hide chat message from the bottom toolbar. By showing chat messages, you agree to our ",
HideChatDescV2ToS: "Terms of Service",
IntegratedCircuitFab: "Integrated Circuit Fab",
MangaPublisher: "Manga Publisher",
Manga: "Manga",
AnimeStudio: "Anime Studio",
Anime: "Anime",
PlayerTradeAction: "Action",
PlayerTradeBuy: "Buy",
PlayerTradeSell: "Sell",
PlayerTradeBid: "Bid",
PlayerTradeAsk: "Ask",
ClaimTradeSuccessV2: "Your trade has been claimed successfully: %{cashOrResource}",
AcceptTradeSuccessV2: "This trade has been accepted by you: %{cashOrResource}",
ResourceExplorer: "Resource Explorer",
ResourceExplorerDesc: "Allow you to extract resources from an empty map tile",
ResourceExplorerDescLong: "💡 Resource Explorers do not have adjacent bonus. The power usage differs per resource",
ProductionSettings: "Production Settings",
PlayerTradePartialFillTitle: "Choose Fill Percentage",
PlayerTradeAmountNotValidV2: "Minimum trade amount allowed is 1",
PlayerTradeOptOut: "You have opted out of the leaderboard, you cannot trade with other players",
FirstTimeReadGuide: "💡 Need a little bit of help on how to play? Tap to read the beginner's guide!",
ReadSteamGuideV2: "Game Guides",
ReadSteamGuideV2Desc: "You can read community created guides on Steam - and you can create your own as well",
ChatMessageTooLong: "Your chat message exceeded the maximum chars allowed",
ChatPlaceholderV2: "Type your message: max %{length} chars",
ProfitBreakdownOutput: "%{res} Output",
ProfitBreakdownInput: "%{res} Input",
ProfitBreakdownFuel: "Fuel Cost",
BuildingProfit: "Profit",
RestoreBackup: "Restore",
SteamLogin: "Sign In Through Steam",
SteamLoginDialogDesc:
"Your local save has Expansion Pack enabled, you need to sign in through Steam to continue. Or you can ERASE YOUR LOCAL SAVE and start over",
SteamLoginDesc: "If you own expansion packs on Steam, you can play with expansion packs on web after signing in",
SteamLoginYes: "Sign In",
SteamLoginNo: "Erase & Start Over",
KungFuDojo: "Kung-Fu Dojo",
KungFu: "Kung-Fu",
TaiChi: "Tai-Chi",
TaiChiDojo: "Tai-Chi Dojo",
HongKong: "Hong Kong",
FreeTransportToTradeCenter: "Uluslar arası İhracat Trade",
FreeTransportToTradeCenterDesc:
"Transportation to the trade center does not cost fuel but transportation from the trade center cost 50% more fuel",
TaiChi10xCulture: "Pearl of the Orient",
PlayerTradeYouHave: "In Storage: %{amount}",
FiberFactory: "Fiber Fabrikası",
Fiber: "Fiber",
Achievements: "Achievements",
AchievementsDesc: "You have achieved %{number} out of %{total} achievements",
AchievementsReward: "Reward: Swiss Money +%{swiss}",
AchievementsRewardToast: "You have claimed the reward: Swiss Money +%{swiss}",
AchievementsClaim: "Topla",
AchievementsToast: "You have achieved %{name}, claim your reward in Headquarter",
AchievementStockholm100: "Freshman Viking",
AchievementStockholm100Desc: "Earn 100 Swiss Money in Stockholm in a single run",
AchievementStockholm500: "Graduate Viking",
AchievementStockholm500Desc: "Earn 500 Swiss Money in Stockholm in a single run",
AchievementStockholm1000: "Experienced Viking",
AchievementStockholm1000Desc: "Earn 1000 Swiss Money in Stockholm in a single run",
AchievementOslo100: "Norwegian Oil Hobbyist",
AchievementOslo100Desc: "Earn 100 Swiss Money in Oslo in a single run",
AchievementOslo500: "Norwegian Oil Enthusiast",
AchievementOslo500Desc: "Earn 500 Swiss Money in Oslo in a single run",
AchievementOslo1000: "Norwegian Oil Tycoon",
AchievementOslo1000Desc: "Earn 1000 Swiss Money in Oslo in a single run",
AchievementRotterdam100: "Pinwheel Owner",
AchievementRotterdam100Desc: "Earn 100 Swiss Money in Rotterdam in a single run",
AchievementRotterdam500: "Wind Mill Owner",
AchievementRotterdam500Desc: "Earn 500 Swiss Money in Rotterdam in a single run",
AchievementRotterdam1000: "Wind Turbine Owner",
AchievementRotterdam1000Desc: "Earn 1000 Swiss Money in Rotterdam in a single run",
AchievementDetroit100: "Local Car Dealer",
AchievementDetroit100Desc: "Earn 100 Swiss Money in Detroit in a single run",
AchievementDetroit500: "Regional Car Distributor",
AchievementDetroit500Desc: "Earn 500 Swiss Money in Detroit in a single run",
AchievementDetroit1000: "National Car Monopoly",
AchievementDetroit1000Desc: "Earn 1000 Swiss Money in Detroit in a single run",
AchievementBoston100: "Bachelor of Earning Money",
AchievementBoston100Desc: "Earn 100 Swiss Money in Boston in a single run",
AchievementBoston500: "Master of Gaining Money",
AchievementBoston500Desc: "Earn 500 Swiss Money in Boston in a single run",
AchievementBoston1000: "Ph.D in Printing Money",
AchievementBoston1000Desc: "Earn 1000 Swiss Money in Boston in a single run",
AchievementRome100: "Diocletian",
AchievementRome100Desc: "Earn 100 Swiss Money in Rome in a single run",
AchievementRome500: "Constantine the Great",
AchievementRome500Desc: "Earn 500 Swiss Money in Rome in a single run",
AchievementRome1000: "Caesar Augustus",
AchievementRome1000Desc: "Earn 1000 Swiss Money in Rome in a single run",
AchievementHamburg100: "Deutschland",
AchievementHamburg100Desc: "Earn 100 Swiss Money in Hamburg in a single run",
AchievementHamburg500: "Vaterland",
AchievementHamburg500Desc: "Earn 500 Swiss Money in Hamburg in a single run",
AchievementHamburg1000: "Graf Zeppelin",
AchievementHamburg1000Desc: "Earn 1000 Swiss Money in Hamburg in a single run",
AchievementToulouse100: "Jetliner A310",
AchievementToulouse100Desc: "Earn 100 Swiss Money in Toulouse in a single run",
AchievementToulouse500: "Jetliner A330",
AchievementToulouse500Desc: "Earn 500 Swiss Money in Toulouse in a single run",
AchievementToulouse1000: "Jetliner A380",
AchievementToulouse1000Desc: "Earn 1000 Swiss Money in Toulouse in a single run",
AchievementHongKong100: "Hobbyist Trader",
AchievementHongKong100Desc: "Earn 100 Swiss Money in Hong Kong in a single run",
AchievementHongKong500: "Professional Broker",
AchievementHongKong500Desc: "Earn 500 Swiss Money in Hong Kong in a single run",
AchievementHongKong1000: "Hedge Fund Manager",
AchievementHongKong1000Desc: "Earn 1000 Swiss Money in Hong Kong in a single run",
AchievementStPetersburg100: "The Grand Duke",
AchievementStPetersburg100Desc: "Earn 100 Swiss Money in St. Petersburg in a single run",
AchievementStPetersburg500: "The Tsesarevich",
AchievementStPetersburg500Desc: "Earn 500 Swiss Money in St. Petersburg in a single run",
AchievementStPetersburg1000: "The Tsar of All Russia",
AchievementStPetersburg1000Desc: "Earn 1000 Swiss Money in St. Petersburg in a single run",
AchievementOsaka100: "Danshaku",
AchievementOsaka100Desc: "Earn 100 Swiss Money in Osaka in a single run",
AchievementOsaka500: "Hakushaku",
AchievementOsaka500Desc: "Earn 500 Swiss Money in Osaka in a single run",
AchievementOsaka1000: "Kōshaku",
AchievementOsaka1000Desc: "Earn 1000 Swiss Money in Osaka in a single run",
SteamAutoCloudBackup: "Steam Cloud Auto Backup",
SteamAutoCloudBackupFailed: "Steam Cloud Auto Backup Failed: %{error}",
SteamManualBackup: "Bulut'a kaydetmeye zorla",
UILoading: "Yükleniyor...",
BuildingResourceBreakdown: "Idle Amount Breakdown",
SortByDeficit: "Deficit",
SortByRunOut: "Run Out",
SocialNetworkInc: "Social Network Inc",
SocialNetwork: "Sosyal ağ",
DatabaseCompany: "Veritabanı Şirketi",
Database: "Veritabanı",
SatelinkInc: "Satelink Inc",
GameStationInc: "GameStation Inc",
AirShuttleInc: "Air Shuttle Inc",
AircraftCarrierFactory: "Aircraft Carrier Factory",
AircraftCarrier: "Aircraft Carrier",
MapExclusive: "Map Exclusive",
ElectricCar: "Nikola Tesla",
ElectricCarDesc: "Car factories use batteries instead of petrol and only require 50% of the amount",
HongKongBonusV2:
"<li>Unique market pricing algorithm - prices and stock rating follow normal distribution (bell curve)</li><li>Market updates and trade quota resets are twice as frequent (every hour)</li><li>Research can be unlocked via traded resources</li><li>Unique building: Kung-Fu Dojo</li><li>Unique building: Tai-Chi Dojo</li><li>50% increase in max numbers of active player trades allowed</li><li>Start with 1 more auto sell concurrency</li><li>Unique policy: International Export Trade</li><li>Unique policy: Pearl of the Orient</li><li>Wholesale Center only needs 4 resources to unlock</li><li>Start with 100M Cash</li>",
TaiChi10xCultureDescV2:
"Free Kung-fu and Tai-chi transportation. Movie studios have 2x capacity but uses 50% more power",
SettingsFullScreen: "Full Screen",
SettingsFullScreenDesc: "Run the game in fullscreen mode. Only available for Steam version",
LeaderboardByAllPrestigeCurrency: "All Time Swiss Money Earned",
LeaderboardByCash: "Current Cash At Hand",
LeaderboardTotalValuation: "Total Valuation",
LeaderboardDescV2: "See the where the top players are",
LastUpdatedAt: "Last Updated At",
DetroitBonusV3:
"<li>Motor fabrikaları açıldı,</li><li>Engine factories have 2x productivity</li><li>Car factories have 2x capacity</li><li>Car factories use gas instead of petrol</li><li>Free car transportation</li><li>Nikola Tesla policy is free</li><li>Train factories have 2x capacity</li>",
SaveAndExit: "Save and Exit Game",
SaveAndExitDesc:
"Save and exit game. This is only available on Steam version and does the same as the close button on the window bar",
AutoSellResourceWarningShortLabel: "💡Auto Sell",
AutoSellResourceWarningDesc:
"You are auto selling this resource, the amount stored in Trade Center cannot be used here",
PlayerTradeLocalPrice: "Local Price: %{price}",
ChatForceScroll: "Force Scroll",
ChatForceScrollDesc:
"If force scroll is on, the chat will scroll whenever there's a new message. Otherwise it will only scroll when you are already at the bottom",
ResourceExplorer2: "Resource Explorer 2.0",
ConstructionCancel: "Cancel",
PolicyBlueprint: "Blueprint",
PolicyBlueprintDesc:
"Construction of a building will not automatically start - it has to be started manually (BEDAVA POLİTİKA)",
HighlightUnderConstruction: "...that haven't been constructed",
HighlightUnderLevel10: "... 10. seviyenin altında olanlar",
HighlightUnderLevel20: "... 20. seviyenin altında olanlar",
HighlightUnderLevel30: "... 30. seviyenin altında olanlar",
Logout: "You Are Logged Out",
ConstructionStatusQueueingV2: "Queueing",
ConstructionStatusPausedV2: "Paused",
ConstructionStatusBuildingV2: "Building",
ConstructionStatusUnpaidV2: "Unpaid",
ConstructionStatus: "Construction Status",
ConstructionStart: "Start",
CostFree: "Bedeva",
PlaceBlueprint: "Place a building blueprint is free",
PlayerTradePriceNotValidV2: "Trade price must be between %{min} and %{max}",
MarketNews: "Market News",
MarketNewsApplyToYou: "Only you",
MarketNewsApplyToGlobal: "Global",
MarketNewsHighlightAffected: "🔍 Highlight",
MarketNewsFilterInput: "All %{res} input ",
MarketNewsFilterOutput: "All %{res} output ",
MarketNewsFilterBoth: "All %{res} input and output ",
MarketNewsIncrease: "increased by %{percent}",
MarketNewsDecrease: "decreased by %{percent}",
MarketNewsBuilding: "This building is affected by %{num} news",
StockholmBonusV2:
"<li>Unique building: music producer</li><li>Logging camps have 2x output</li><li>Paper mills are unlocked</li><li>Circuit foundries have 2x productivity</li><li>Science Literature policy is free</li>",
FreeOilTransportV2: "Electric Oil Transport",
Tutorial4P1:
"Resource transportation costs fuel. There are several fuel types and now you are using <em>petrol⛽</em> as fuel. You have an <em>oil refinery</em> that transports oil from the oil well and produces petrol.<br><br>The tiny moving <em>dots</em> represent the real-time movement of resources. You should optimize your building locations to minimize the distance of travel.<br><br><em>Upgrading</em> your buildings will increase their output, but will also increase their power usage and input required.",
Tutorial4P2:
"You can change your fuel type in the <em>logistics department🚦</em> - on this map, you can also use <em>natural gas</em> as fuel.<br><br>The logistics department also shows your transportation routes that burns most fuel - you'll want to keep an eye on it.<br><br>Remember to <em>make sure your fuel production is above consumption</em> otherwise your production will halt when you run out of fuel.<br><br>If that happens, don't worry, you can buy some emergency fuel from the trade center or from other players",
Tutorial5P2:
"<em>The statistics bureau📊</em> provides a good overview of your production. You can see a detailed breakdown of your resource input and output.<br><br>There are also lots of useful charts📈 - you'll want to refer to them when you balance your production.<br></br>Your <em>cash💰, power surplus⚡ and fuel surplus⛽</em> numbers are also shown on the top left corner - if any of them turns red, you should investigate what's going on.",
MusicProducer: "Music Producer",
PlasticFiber: "Plastik Fiber",
PlasticFiberDesc: "Fiber factories use 50% more plastics but 50% less glass",
SellRefundPercentage: "Sell/Downgrade Refund",
SellRefundPercentageDesc:
"If you sell or downgrade a building, this is the percentage of cash and resources you are refunded",
SellBuildingDescV2:
"Selling a building will refund you %{percent} of your investment and %{percent} of the resources will be transported to Trade Center",
BuilderMoveSpeed: "Builder Move Speed",
BuilderMoveSpeedDesc: "The speed that builders move to construct buildings",
EBookInc: "eBook Inc",
ResourceBooster: "Resource Booster",
BuildWarningTitle: "Building Might Not Work",
BuildWarningTitleDesc: "%{reason}. Are you sure to build on this tile?",
BuildWarningBuildAnyway: "Build Anyway",
ResourceBoosterNotWorking: "⛔ Resource boosters only work next to deposit mines",
ResourceBoosterBuildings: "Buildings Being Boosted",
BuildingResourceConversion: "%{resource} Conversion",
AllTimeSwissMoneyEarned: "All time Swiss Money earned: %{number}",
BuildingUpgradeCostDivider: "Building Upgrade Cost Divider",
AchievementSoftwareGiant: "Yazılım Devi",
AchievementSoftwareGiantDesc:
"Build a level 10 Software Company, level 10 Operating System Inc, level 10 Database Company and level 10 Web Browser on the same map",
AchievementSpaceRace: "Space Race",
AchievementSpaceRaceDesc:
"Build a level 10 Rocket Factory, level 10 Satellite Factory, level 10 Spaceship Factory and level 10 Space Station Factory on the same map",
AchievementToTheMoon: "To The Moon",
AchievementToTheMoonDesc:
"Build a level 40 Bitcoin Farm and level 40 Dogecoin Farm. Own 1B Bitcoin and 1B Dogecoin",
ItsAllGreen: "It's All Green",
ItsAllGreenDesc: "Have 50 production lines and no production deficit at all",
DeepInRed: "Deep In Red",
DeepInRedDesc: "Have 50 production lines that has production deficit",
UseScientificNotation: "Use Scientific Notation",
UseScientificNotationDesc: "Use scientific notation (e notation) for numbers larger than 999.9T",
LogoutDescV2:
"You have logged in on another device, this device is logged out. You can log back in but the other device will be logged out",
LogBackIn: "Log Back In",
ServerDisconnected:
"You are disconnected from the server, please check your internet connection and restart the game",
BuildingUpgradeCostDividerDescV2: "Divide building upgrade cost by this divider",
ResourceBoosterDesc: "Boost the output of adjacent mines",
BlockUserChatTitle: "%{user} Engelle",
BlockUserChatAction: "Engelle",
BlockUserChatDesc:
"The block will be in effect during this game session and you cannot undo this unless you restart the game",
ChangeNameCooldown: " %{hour} Saat",
AtomicBombFactory: "Atomik Bomba Fabrikası",
AtomicBomb: "Atomik Bomba",
DynamiteFactory: "Dinamit Fabrikası",
Dynamite: "Dinamit",
NuclearMissileFactory: "Nükleer Füze Fabrikası",
NuclearMissile: "Nuclear Missile",
LiquidPropellantFactory: "Sıvı Sıkıştırcı Fabrikası",
GasPropellantFactory: "Gaz Sıkıştırıcı Fabrikası",
Propellant: "Propellant",
ProjectV2: "Project V-2",
ICBMFactory: "ICBM Fabrikası",
ICBM: "ICBM",
RadarFactory: "Radar Fabrikası",
Radar: "Radar",
SpaceForceCommand: "Space Force Command",
SpaceForce: "Space Force",
SpaceColony: "Space Colony",
SpaceColonyInc: "Space Colony",
ProjectVostok: "Project Vostok",
AdjacentBonusSquare: "Adjacent Bonus Square",
AdjacentBonusSquareDesc: "Adjacent bonus is 50% more effective, but tile modifiers scale from -15% to +15%",
ResourceBoosterSquare: "Resource Booster Square",
ResourceBoosterSquareDesc:
"Resource boosters provide 25% more boost but their science input and power usage also increase by 25%",
SteelMillx2: "Steel Furnace Modernization",
SteelMillx2Desc: "Steel mills and stainless steel plants have 2x capacity but uses 2x power",
FuelDynamite: "Fuel Dynamite",
FuelDynamiteDesc: "Dynamite factories use your current fuel instead of oil",
StPetersburgBonusV2:
"<li>Uranium mines have 2x output</li><li>Uranium enrichment plants have 2x capacity</li><li>Uranium transportation costs 50% less fuel</li><li>Free gun transportation</li><li>Project Vostok has 2x capacity</li>",
ToulouseBonusV2:
"<li>Titanium mines have 2x output</li><li>Uranium enrichment plants have 2x productivity</li><li>Jet engine factories have 2x capacity</li><li>Aircraft factories have 2x productivity</li><li>Rocket factories have 2x capacity</li>",
BuildingPermitsNeededDesc: "This building is not working because you don't have enough building permits",
BuildingPermitsNeeded: "Building Permits Needed",
BuyMissingPermits: "Buy Missing Permits",
GPUIsBusy: "GPU'un Meşgul",
GPUIsBusyDesc:
"Your operating system has paused the game's graphics because the GPU is busy with other tasks. You can reload the game to resume. If it doesn't work, try restarting the game",
SaveAndReloadGame: "Save And Reload Game",
ResearchLabCultureInput: "The Renaissance",
ResearchLabCultureInputDesc: "Research Lab has 2x capacity but takes culture as the extra input",
GasPumpx2Output: "High Pressure Gas Pump",
GasPumpx2OutputDesc: "Natural gas pumps have 2x output but use 2x power",
LeaderboardValuationPerHour: "Total Valuation Per Hour",
LeaderboardValuationPerHourPerSwiss: "Total Valuation Per Hour Per Swiss",
LeaderboardValuationPerHourNewPlayers: "Total Valuation Per Hour (< 1000 Swiss)",
LeaderboardValuationPerBuilding: "Building Valuation Per Building",
BuildingCustomColor: "Yapı Rengi",
BuildingCustomColorReset: "Sıfırla",
Vancouver: "Vancouver",
VancouverBonus:
"<li>Every 4 different types of buildings give 1 free building permit</li><li>Unique policy: Production Diversification</li><li>Unique building: Maple Syrup Factory</li><li>Bedeva Akçaağaç şurubu transport</li><li>Unique fuel type: Maple Syrup</li><li>2x player trade quota when trading Uranium and Enriched Uranium</li><li>Özel BEDAVA POLİTİKA: Şurup Plastik</li><li>Oyuncak fabrikaları 2x kadar fazla üretir</li><li>Game studios have 2x capacity</li>",
MapExtraPermitDesc: " %{number} kadar bedeva yapı izni aldın,haritanın's özel bonusu nedeniyle",
OsloBonusV3:
"<li>Oil refineries are unlocked</li><li>Oil refineries have 2x capacity</li><li>Electric oil transport policy is free</li><li>Gas processing plants have 2x capacity</li><li>Free level 4 wind turbine x1</li><li>Free level 8 oil well x1</li><li>Free level 2 oil refinery x1</li><li>Free level 2 natural gas pump x1</li>",
ResourceBoosterPercentageV2: "💡 This amount includes %{percent} boost from adjacent resource boosters",
MapleSyrup: "Maple Syrup",
MapleSyrupFactory: "Maple Syrup Factory",
SyrupPlastic: "Syrup Plastic",
SyrupPlasticDesc: "All buildings that input plastic use maple syrup instead",
ResourceBoosterSupplyChain: "Supply Chain Booster",
ResourceBoosterSupplyChainDesc:
"Resource boosters use 2x power and science, but for each working mine a resource booster is boosting, it also provides capacity boost to adjacent factories that consume the mine's output (the factory should only consume deposits)",
ProductionDiversification: "Production Diversification",
ProductionDiversificationDesc: "Each different type of building gives 1% extra capacity to all buildings",
ExtraPolicyPointsDescV2: "Policy center has 2x policy points conversion capacity",
PowerRequired: "Power Required",
AchievementVancouver100: "Sap Seller",
AchievementVancouver100Desc: "Earn 100 Swiss Money in Vancouver in a single run",
AchievementVancouver500: "Syrup Savant",
AchievementVancouver500Desc: "Earn 500 Swiss Money in Vancouver in a single run",
AchievementVancouver1000: "Canuck Conqueror",
AchievementVancouver1000Desc: "Earn 1000 Swiss Money in Vancouver in a single run",
BarbariansAtTheGate: "Barbarians At The Gate",
BarbariansAtTheGateDesc: "Use 1 trillion worth of player trade quota between market updates",
DiversifiedProductions: "Diversified Productions",
DiversifiedProductionsDesc: "Build 100 different types of buildings on a single map",
RealEstateTycoon: "Real Estate Tycoon",
RealEstateTycoonDesc: "Have 400 buildings on a single map",
ResourceExplorer2DescV2:
"Resource explorers produce 2x output but use 2x power. Resource explorers can be boosted by resource boosters if Supply Chain Booster policy is active and the booster has an adjacent mine of the same output",
NoTileModifier: "Earth Is Flat",
NoTileModifierDesc:
"All tile modifiers are zero. This policy will deactivate Nature's Power and Tile Modifier Plus policies",
DoubleTileModifierDescV2:
"All tile modifiers' effect x2 - both positive and negative. This policy will deactivate Earth Is Flat policy",
TileModifierOutputOnlyDescV2:
"Tile modifiers only affect output instead of both input and output but are only 50% effective. This policy will deactivate Earth Is Flat policy",
QuickLinks: "Quick Links",
GetHelp: "Get Help",
GetHelpBeginnerGuides: "Beginner's Guide",
GetHelpSteamGuides: "Other Steam Guides",
GetHelpInGameChat: "Ask In-Game Chat",
GetHelpDiscord: "Yardım için Discordumuza katılın",
GetHelpWiki: "Topluluk Wikisi",
SelectATile: "Select a Tile",
PledgeAmount: "Pledge %{amount}",
PledgeValue: "Value $%{amount}",
TotalPledgedValue: "Total Pledged Value",
TotalPledgedValueDesc:
"Your first pledge counts towards the crowdfunding goal. Subsequent pledges increase total pledged value but do not count towards the goal",
ReturnOnPledge: "Return On Pledge",
CrowdfundingEndIn: "End in %{time}",
ClaimCrowdfundingReward: "Claim Reward %{amount}",
PledgeSuccessful: "You have pledged %{amount} to this crowdfunding",
CrowdfundingClaimSuccessful: "You have claimed %{amount} cash",
CrowdfundingAlreadyPledged: "You've Already Pledged",
CrowdfundingAlreadyPledgedDesc:
"You can pledge more resources, which will increase your total pledged value (and potential return), but won't count towards crowdfunding goal",
WholesaleCenterProducingOnly: "Wholesale Partners",
WholesaleCenterProducingOnlyDesc:
"Wholesale center orders only contain resources that are currently being produced (you also need to be producing the number of required resources to unlock wholesale center)",
SoftwareCompiler: "Yazılım derleyicisi",
SearchEngine: "Arama motoru",
SearchEngineCompany: "Search Engine Company",
Navy: "Navy",
NavyCommand: "Navy Command",
Battleship: "Battleship",
BattleshipFactory: "Battleship Factory",
ResourceMovementHide: "Always Hide",
ResourceMovementShow: "Always Show",
ResourceMovementViewport: "In Viewport",
ResourceMovementHighlight: "On Highlight",
ResourceMovementLine: "Line Only",
ResourceMovement: "Resource Movement",
ResourceMovementDesc:
"You can choose when to show the resource movement (dots). Hiding it can improvement performance",
CrowdfundingCashInWarning: "You have pending crowdfunding pledges - starting in a new city will forfeit them",
ResourceBoosterBannerDescV2:
"💡 Şuan %{number} kadar kaynak yükselticin var- the science input of each is scaled to the number of resource boosters you currently have",
CrowdfundingId: "Crowdfunding %{id}",
PatchNotes: "Patch Notes",
PatchNotesDesc: "Read what's new in this update",
PanelPositionLeft: "Left (Docked)",
PanelPositionLeftFloat: "Left (Float)",
PanelPositionRight: "Right (Docked)",
PanelPositionRightFloat: "Right (Float)",
PanelPositionAuto: "Auto",
TimePlayed: "Time Played",
ValuationPerHour: "Valuation Per Hour",
HighPowerPriority: "High Power Priority",
HighPowerPriorityDesc: "Switching this on will make the building draw power before other buildings",
IndustryZone: "Industry Zone",
IndustryZoneDesc: "Combine adjacent buildings that forms a supply chain and save building permits",
IndustryZoneMaxBuildingLevel: "Max Building Level",
IndustryZoneNotWorkingDesc:
"All of its adjacent buildings should form a supply chain and are not part of other industry zones",
PlayerTradeAutoClaim: "Automatically claim filled trades",
MusifyInc: "Musify Inc",
WebflixInc: "Webflix Inc",
CloudStreaming: "Cloud Steaming",
GameCloudInc: "GameCloud Inc",
SuperComputerLab: "Super Computer Lab",
SuperComputer: "Super Computer",
SkyNetInc: "SkyNet Inc",
SkyNet: "SkyNet",
RobocarFactory: "Robot araba Fabrikası",
Robocar: "Robot araba",
WarehouseBuildingPermitSave: "Warehouse Permit Act",
WarehouseBuildingPermitSaveDesc: "Every two warehouses provide one free building permit",
PolicySearchPlaceholder: "Type a policy name to search",
SwissUpgrade: "Swiss Upgrade",
SwissUpgradeDesc: "Swiss upgrades are permanent and will carry over if you start in a new city",
SwissBoost: "Swiss Boost",
SwissBoostDesc: "Swiss boosts only affect your current run - and will reset if you start in a new city",
ProductionMultipliers: "Production Multipliers",
MultiplierMapUniqueBonus: "Haritanın özel bonusu:",
MultiplierSwissUpgrade: "Swiss Upgrade (Permanent)",
MultiplierSwissBoost: "Swiss Boost (This Run)",
SwissBoostCostDivider: "Swiss Boost Cost Divider",
SwissBoostCostDividerDesc: "Divide Swiss boost cost by this divider - only applies to multiplier/divider upgrades",
AirForceCommand: "Air Force Command",
AirForce: "Air Force",
StealthFighterFactory: "Stealth Fighter Factory",
StealthFighter: "Stealth Fighter",
ArmyCommand: "Army Command",
Army: "Army",
GreenPeacekeeper: "Green Peacekeeper",
GreenPeacekeeperDesc: "Make army, navy, air force or space force with only renewable power plants (wind/solar)",
DotComTycoon: "DotCom Tycoon",
DotComTycoonDesc: