forked from pmotschmann/Evolve
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathfunctions.js
2982 lines (2805 loc) · 237 KB
/
functions.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
import { global, save, message_logs, message_filters, webWorker, keyMultiplier, intervals, resizeGame, atrack } from './vars.js';
import { loc } from './locale.js';
import { races, traits, genus_traits, traitSkin, fathomCheck } from './races.js';
import { actions, actionDesc } from './actions.js';
import { jobScale } from './jobs.js';
import { universe_affixes } from './space.js';
import { arpaAdjustCosts, arpaProjectCosts } from './arpa.js';
import { gridDefs } from './industry.js';
import { govActive } from './governor.js';
import { govEffect } from './civics.js';
import { universeLevel, universeAffix, alevel } from './achieve.js';
import { astrologySign, astroVal } from './seasons.js';
var popperRef = false;
export function popover(id,content,opts){
if (!opts){ opts = {}; }
if (!opts.hasOwnProperty('elm')){ opts['elm'] = '#'+id; }
if (!opts.hasOwnProperty('bind')){ opts['bind'] = true; }
if (!opts.hasOwnProperty('unbind')){ opts['unbind'] = true; }
if (!opts.hasOwnProperty('placement')){ opts['placement'] = 'bottom'; }
if (opts['bind']){
$(opts.elm).on(opts['bind_mouse_enter'] ? 'mouseenter' : 'mouseover',function(){
if (popperRef || $(`#popper`).length > 0){
clearPopper();
}
let wide = opts['wide'] ? ' wide' : '';
let classes = opts['classes'] ? opts['classes'] : `has-background-light has-text-dark pop-desc`;
var popper = $(`<div id="popper" class="popper${wide} ${classes}" data-id="${id}"></div>`);
if (opts['attach']){
$(opts['attach']).append(popper);
}
else {
$(`#main`).append(popper);
}
if (content){
popper.append(typeof content === 'function' ? content({ this: this, popper: popper }) : content);
}
popperRef = Popper.createPopper(opts['self'] ? this : $(opts.elm)[0],
document.querySelector(`#popper`),
{
placement: opts['placement'],
modifiers: [
{
name: 'flip',
enabled: true,
},
{
name: 'offset',
options: {
offset: opts['offset'] ? opts['offset'] : [0, 0],
},
}
],
}
);
popper.show();
if (opts.hasOwnProperty('in') && typeof opts['in'] === 'function'){
opts['in']({ this: this, popper: popper, id: `popper` });
}
if (eventActive('firework') && global[global.race['cataclysm'] || global.race['orbit_decayed'] ? 'space' : 'city'].firework.on > 0){
$(popper).append(`<span class="pyro"><span class="before"></span><span class="after"></span></span>`);
}
});
}
if (opts['unbind']){
if ('ontouchstart' in document.documentElement && navigator.userAgent.match(/Mobi/ && global.settings.touch) ? true : false){
$(opts.elm).on('touchend',function(e){
clearPopper();
if (opts.hasOwnProperty('out') && typeof opts['out'] === 'function'){
opts['out']({ this: this, popper: $(`#popper`), id: `popper`});
}
});
}
else {
$(opts.elm).on(opts['bind_mouse_enter'] ? 'mouseleave' : 'mouseout',function(){
clearPopper();
if (opts.hasOwnProperty('out') && typeof opts['out'] === 'function'){
opts['out']({ this: this, popper: $(`#popper`), id: `popper`});
}
});
}
}
}
if ('ontouchstart' in document.documentElement && navigator.userAgent.match(/Mobi/ && global.settings.touch) ? true : false){
$(document).on('touchend',function(e){
if ($(`.popper`).length === 1){
clearPopper();
return;
}
});
}
export function clearPopper(id){
if (id && $(`#popper`).data('id') !== id){
return;
}
$(`#popper`).hide();
if (popperRef){
popperRef.destroy();
popperRef = false;
}
clearElement($(`#popper`),true);
}
export function gameLoop(act){
switch(act){
case 'stop':
{
if (webWorker.w){
webWorker.w.postMessage({ loop: 'clear' });
}
else {
clearInterval(intervals['main_loop']);
clearInterval(intervals['mid_loop']);
clearInterval(intervals['long_loop']);
}
if (global.settings.at > 0){
global.settings.at = atrack.t;
}
webWorker.s = false;
}
break;
case 'start':
{
addATime(Date.now());
const timers = loopTimers();
// Used to calculate resource increase.
webWorker.mt = timers.webWorkerMainTimer;
if (webWorker.w){
webWorker.w.postMessage({ loop: 'short', period: timers.mainTimer });
webWorker.w.postMessage({ loop: 'mid', period: timers.midTimer });
webWorker.w.postMessage({ loop: 'long', period: timers.longTimer });
}
else {
intervals['main_loop'] = setInterval(function(){
fastLoop();
}, timers.mainTimer);
intervals['mid_loop'] = setInterval(function(){
midLoop();
}, timers.midTimer);
intervals['long_loop'] = setInterval(function(){
longLoop();
}, timers.longTimer);
}
webWorker.s = true;
}
}
}
// Computes the relative to default duration of a single loop (common for all three loop types).
// Note that these values are not tied to the time_multiplier from fastLoop - the relative speed of time in the game
// is controlled by loop lengths.
export function loopTimers(){
// Here come any speed modifiers not related to accelerated time.
let modifier = 1.0;
if (global.race['slow']){
modifier *= 1 + (traits.slow.vars()[0] / 100);
}
if (global.race['hyper']){
modifier *= 1 - (traits.hyper.vars()[0] / 100);
}
// Main loop takes 250ms without any modifiers.
const webWorkerMainTimer = Math.floor(250 * modifier);
// Mid loop takes 1000ms without any modifiers.
const baseMidTimer = 4 * webWorkerMainTimer;
// Long loop (game day) takes 5000ms without any modifiers.
const baseLongTimer = 20 * webWorkerMainTimer;
// The constant by which the time is accelerated when atrack.t > 0.
const timeAccelerationFactor = 2;
const aTimeMultiplier = atrack.t > 0 ? 1 / timeAccelerationFactor : 1;
return {
webWorkerMainTimer,
mainTimer: Math.ceil(webWorkerMainTimer * aTimeMultiplier),
midTimer: Math.ceil(baseMidTimer * aTimeMultiplier),
longTimer: Math.ceil(baseLongTimer * aTimeMultiplier),
baseLongTimer,
timeAccelerationFactor,
};
}
// Adds accelerated time if enough time has passed since `global.stats.current`. Returns true if there was accelerated
// time added. If the parameter is true, it will only add the time if a threshold of 120s has been reached.
export function addATime(currentTimestamp){
// The second case is used for the initialization of atrack.t.
if (exceededATimeThreshold(currentTimestamp) || global.stats.hasOwnProperty('current') && global.settings.at > 0){
let timeDiff = currentTimestamp - global.stats.current;
// Removing any accelerated time if the value is larger than the cap.
if (global.settings.at > 11520){
global.settings.at = 0;
}
// Accelerated time is added only if it is over the threshold.
if (timeDiff >= 120000){
const timers = loopTimers();
const gameDayDuration = timers.baseLongTimer;
// The number of days during which the time is accelerated (at) should take as long as 2 / 3 of paused time.
// at * gameDayDuration / timeAccelerationFactor = 2 / 3 * timeDiff
global.settings.at += Math.floor(2 / 3 * timeDiff * timers.timeAccelerationFactor / gameDayDuration);
}
// Accelerated time is capped at 8*60*60/2.5 game days.
if (global.settings.at > 11520){
global.settings.at = 11520;
}
atrack.t = global.settings.at;
// Updating the current date so that it won't be counted twice (e.g., when unpausing).
global.stats.current = currentTimestamp;
}
}
// Takes the current Date.now, returns whether the minimum threshold to count accelerated time has passed.
export function exceededATimeThreshold(currentTimestamp){
return global.stats.hasOwnProperty('current') && currentTimestamp - global.stats.current >= 120000;
}
window.exportGame = function exportGame(){
if (global.race['noexport']){
return `Export is not available during ${global.race['noexport']} Creation`;
}
addATime(Date.now());
return LZString.compressToBase64(JSON.stringify(global));
}
window.importGame = function importGame(data,utf16){
let saveState = JSON.parse(utf16 ? LZString.decompressFromUTF16(data) : LZString.decompressFromBase64(data));
if (saveState && 'evolution' in saveState && 'settings' in saveState && 'stats' in saveState && 'plasmid' in saveState.stats){
if (webWorker.w){
webWorker.w.terminate();
}
if (saveState.hasOwnProperty('tech') && utf16){
if (saveState.tech.hasOwnProperty('whitehole') && saveState.tech.whitehole >= 4){
saveState.tech.whitehole = 3;
saveState.resource.Soul_Gem.amount += 10;
saveState.resource.Knowledge.amount += 1500000;
saveState.stats.know -= 1500000;
}
if (saveState.tech.hasOwnProperty('quaked') && saveState.tech.quaked === 2){
saveState.tech.quaked = 1;
saveState.resource.Knowledge.amount += 500000;
saveState.stats.know -= 500000;
}
if (saveState.tech.hasOwnProperty('corrupted_ai') && saveState.tech.corrupted_ai === 3){
saveState.tech.corrupted_ai = 1;
saveState.resource.Knowledge.amount += 5000000;
saveState.stats.know -= 5000000;
}
}
save.setItem('evolved',LZString.compressToUTF16(JSON.stringify(saveState)));
window.location.reload();
}
}
export function powerGrid(type,reset){
let grids = gridDefs();
let power_structs = [];
switch (type){
case 'power':
power_structs = [
'city:transmitter','prtl_ruins:arcology','city:apartment','int_alpha:habitat','int_alpha:luxury_condo','spc_red:spaceport','spc_titan:titan_spaceport','spc_titan:electrolysis','int_alpha:starport',
'spc_dwarf:shipyard','spc_titan:ai_core2','spc_eris:drone_control','spc_titan:ai_colonist','int_blackhole:s_gate','gxy_gateway:starbase','spc_triton:fob',
'spc_enceladus:operating_base','spc_enceladus:zero_g_lab','spc_titan:sam','gxy_gateway:ship_dock','prtl_ruins:hell_forge','int_neutron:stellar_forge','int_neutron:citadel',
'tau_home:orbital_station','tau_red:orbital_platform','tau_gas:refueling_station','tau_home:tau_farm','tau_gas:ore_refinery','tau_gas:whaling_station',
'city:coal_mine','spc_moon:moon_base','spc_red:red_tower','spc_home:nav_beacon','int_proxima:xfer_station','gxy_stargate:telemetry_beacon','int_nebula:nexus','gxy_stargate:gateway_depot',
'spc_dwarf:elerium_contain','spc_gas:gas_mining','spc_belt:space_station','spc_gas_moon:outpost','gxy_gorddon:embassy','gxy_gorddon:dormitory','gxy_alien1:resort','spc_gas_moon:oil_extractor',
'int_alpha:int_factory','city:factory','spc_red:red_factory','spc_dwarf:world_controller','prtl_fortress:turret','prtl_badlands:war_drone','city:wardenclyffe','city:biolab','city:mine',
'city:rock_quarry','city:cement_plant','city:sawmill','city:mass_driver','int_neutron:neutron_miner','prtl_fortress:war_droid','prtl_pit:soul_forge','gxy_chthonian:excavator',
'int_blackhole:far_reach','prtl_badlands:sensor_drone','prtl_badlands:attractor','city:metal_refinery','gxy_stargate:gateway_station','gxy_alien1:vitreloy_plant','gxy_alien2:foothold',
'gxy_gorddon:symposium','int_blackhole:mass_ejector','city:casino','spc_hell:spc_casino','tau_home:tauceti_casino','prtl_fortress:repair_droid','gxy_stargate:defense_platform','prtl_ruins:guard_post',
'prtl_lake:cooling_tower','prtl_lake:harbour','prtl_spire:purifier','prtl_ruins:archaeology','prtl_pit:gun_emplacement','prtl_gate:gate_turret','prtl_pit:soul_attractor',
'prtl_gate:infernite_mine','int_sirius:ascension_trigger','spc_kuiper:orichalcum_mine','spc_kuiper:elerium_mine','spc_kuiper:uranium_mine','spc_kuiper:neutronium_mine','spc_dwarf:m_relay',
'tau_home:tau_factory','tau_home:infectious_disease_lab','tau_home:alien_outpost','tau_gas:womling_station','spc_red:atmo_terraformer','tau_star:matrix','tau_home:tau_cultural_center',
'prtl_pit:soul_capacitor','city:replicator'
];
break;
case 'moon':
power_structs = ['spc_moon:helium_mine','spc_moon:iridium_mine','spc_moon:observatory'];
break;
case 'red':
power_structs = ['spc_red:living_quarters','spc_red:exotic_lab','spc_red:red_mine','spc_red:fabrication','spc_red:biodome','spc_red:vr_center'];
break;
case 'belt':
power_structs = ['spc_belt:elerium_ship','spc_belt:iridium_ship','spc_belt:iron_ship'];
break;
case 'alpha':
power_structs = ['int_alpha:fusion','int_alpha:mining_droid','int_alpha:processing','int_alpha:laboratory','int_alpha:g_factory','int_alpha:exchange','int_alpha:zoo'];
break;
case 'nebula':
power_structs = ['int_nebula:harvester','int_nebula:elerium_prospector'];
break;
case 'gateway':
power_structs = ['gxy_gateway:bolognium_ship','gxy_gateway:dreadnought','gxy_gateway:cruiser_ship','gxy_gateway:frigate_ship','gxy_gateway:corvette_ship','gxy_gateway:scout_ship'];
break;
case 'alien2':
power_structs = ['gxy_alien2:armed_miner','gxy_alien2:ore_processor','gxy_alien2:scavenger'];
break;
case 'lake':
power_structs = ['prtl_lake:bireme','prtl_lake:transport'];
break;
case 'spire':
power_structs = ['prtl_spire:port','prtl_spire:base_camp','prtl_spire:mechbay'];
break;
case 'titan':
power_structs = ['spc_titan:titan_quarters','spc_titan:titan_mine','spc_titan:g_factory','spc_titan:decoder'];
break;
case 'enceladus':
power_structs = ['spc_enceladus:water_freighter','spc_enceladus:operating_base','spc_enceladus:zero_g_lab'];
break;
case 'eris':
power_structs = ['spc_eris:shock_trooper','spc_eris:tank'];
break;
case 'tau_home':
power_structs = ['tau_home:colony','tau_home:tau_factory','tau_home:mining_pit','tau_home:infectious_disease_lab'];
break;
case 'tau_red':
power_structs = ['tau_red:womling_village','tau_red:womling_farm','tau_red:overseer','tau_red:womling_mine','tau_red:womling_fun','tau_red:womling_lab'];
break;
case 'tau_roid':
power_structs = ['tau_roid:mining_ship','tau_roid:whaling_ship'];
break;
}
if (reset){
grids[type].l.length = 0;
}
power_structs.forEach(function(struct){
if (!grids[type].l.includes(struct)){
grids[type].l.push(struct);
}
});
if (grids[type].l.length > power_structs.length){
grids[type].l.forEach(function(struct){
if (!power_structs.includes(struct)){
grids[type].l.splice(grids[type].l.indexOf(struct),1);
}
});
}
}
export function initMessageQueue(filters){
filters = filters || message_filters;
filters.forEach(function (filter){
message_logs[filter] = [];
if (!global.settings.msgFilters[message_logs.view].vis){
$(`#msgQueueFilter-${message_logs.view}`).removeClass('is-active');
$(`#msgQueueFilter-${filter}`).addClass('is-active');
message_logs.view = filter;
}
});
}
export function messageQueue(msg,color,dnr,tags,reload){
tags = tags || [];
if (!reload && !tags.includes('all')){
tags.push('all');
}
color = color || 'warning';
if (tags.includes(message_logs.view)){
let new_message = $('<p class="has-text-'+color+'">'+msg+'</p>');
$('#msgQueueLog').prepend(new_message);
if ($('#msgQueueLog').children().length > global.settings.msgFilters[message_logs.view].max){
$('#msgQueueLog').children().last().remove();
}
}
tags.forEach(function (tag){
message_logs[tag].unshift({ msg: msg, color: color });
if (message_logs[tag].length > global.settings.msgFilters[tag].max){
message_logs[tag].pop();
}
});
if (!dnr){
tags.forEach(function (tag){
if (global.lastMsg[tag]){
global.lastMsg[tag].unshift({ m: msg, c: color });
if (global.lastMsg[tag].length > global.settings.msgFilters[tag].save){
global.lastMsg[tag].splice(global.settings.msgFilters[tag].save);
}
}
});
}
}
export function removeFromQueue(build_ids){
for (let i=global.queue.queue.length-1; i>=0; i--){
if (build_ids.includes(global.queue.queue[i].id)){
global.queue.queue.splice(i, 1);
}
}
}
export function removeFromRQueue(tech_trees){
for (let i=global.r_queue.queue.length-1; i>=0; i--){
if (tech_trees.includes(actions.tech[global.r_queue.queue[i].type].grant[0])){
global.r_queue.queue.splice(i, 1);
}
}
}
export function calcQueueMax(){
let max_queue = global.tech['queue'] >= 2 ? (global.tech['queue'] >= 3 ? 8 : 5) : 3;
if (global.stats.feat['journeyman'] && global.stats.feat['journeyman'] >= 2 && global.stats.achieve['seeder'] && global.stats.achieve.seeder.l >= 2){
let rank = Math.min(global.stats.achieve.seeder.l,global.stats.feat['journeyman']);
max_queue += rank >= 4 ? 2 : 1;
}
if (global.genes['queue'] && global.genes['queue'] >= 2){
max_queue *= 2;
}
let pragVal = govActive('pragmatist',0);
if (pragVal){
max_queue = Math.round(max_queue * (1 + (pragVal / 100)));
}
global.queue.max = max_queue;
}
export function calcRQueueMax(){
let max_queue = 3;
if (global.stats.feat['journeyman'] && global.stats.achieve['seeder'] && global.stats.achieve.seeder.l > 0){
let rank = Math.min(global.stats.achieve.seeder.l,global.stats.feat['journeyman']);
max_queue += rank >= 3 ? (rank >= 5 ? 3 : 2) : 1;
}
if (global.genes['queue'] && global.genes['queue'] >= 2){
max_queue *= 2;
}
let theoryVal = govActive('theorist',0);
if (theoryVal){
max_queue = Math.round(max_queue * (1 + (theoryVal / 100)));
}
global.r_queue.max = max_queue;
}
export function buildQueue(){
clearDragQueue();
clearElement($('#buildQueue'));
$('#buildQueue').append($(`
<h2 class="has-text-success">${loc('building_queue')} ({{ | used_q }}/{{ max }})</h2>
<span id="pausequeue" class="${global.queue.pause ? 'pause' : 'play'}" role="button" @click="pauseQueue()" :aria-label="pausedesc()"></span>
`));
if (global.settings.queuestyle) {
$('#buildQueue').addClass(global.settings.queuestyle);
}
let queue = $(`<ul class="buildList"></ul>`);
$('#buildQueue').append(queue);
queue.append($(`<li v-for="(item, index) in queue"><a v-bind:id="setID(index)" class="has-text-warning queued" v-bind:class="{ 'qany': item.qa }" @click="remove(index)"><span v-bind:class="setData(index,'res')" v-bind="setData(index,'data')">{{ item.label }}{{ item.q | count }}</span> [<span v-bind:class="{ 'has-text-danger': item.cna, 'has-text-success': !item.cna }">{{ item.time | time }}{{ item.t_max | max_t(item.time) }}</span>]</a></li>`));
try {
vBind({
el: '#buildQueue',
data: global.queue,
methods: {
remove(index){
let keyMult = keyMultiplier();
for (let i=0; i< keyMult; i++){
if (global.queue.queue[index].q > 0){
global.queue.queue[index].q -= global.queue.queue[index].qs;
}
if (global.queue.queue[index].q <= 0){
clearPopper(`q${global.queue.queue[index].id}${index}`);
global.queue.queue.splice(index,1);
buildQueue();
break;
}
}
},
setID(index){
return `q${global.queue.queue[index].id}${index}`;
},
setData(index,prefix){
let c_action;
let segments = global.queue.queue[index].id.split("-");
if (segments[0].substring(0,4) === 'arpa'){
c_action = segments[0].substring(4);
}
else if (segments[0] === 'city' || segments[0] === 'evolution' || segments[0] === 'starDock'){
c_action = actions[segments[0]][segments[1]];
}
else {
Object.keys(actions[segments[0]]).forEach(function (region){
if (actions[segments[0]][region].hasOwnProperty(segments[1])){
c_action = actions[segments[0]][region][segments[1]];
}
});
}
let final_costs = {};
if (c_action['cost']){
let costs = adjustCosts(c_action);
Object.keys(costs).forEach(function (res){
let cost = costs[res]();
if (cost > 0){
final_costs[`${prefix}-${res}`] = cost;
}
});
}
return final_costs;
},
pauseQueue(){
$(`#pausequeue`).removeClass('play');
$(`#pausequeue`).removeClass('pause');
if (global.queue.pause){
global.queue.pause = false;
$(`#pausequeue`).addClass('play');
}
else {
global.queue.pause = true;
$(`#pausequeue`).addClass('pause');
}
},
pausedesc(){
return global.queue.pause ? loc('queue_play') : loc('queue_pause');
}
},
filters: {
time(time){
return timeFormat(time);
},
count(q){
return q > 1 ? ` (${q})`: '';
},
max_t(max,time){
return time === max || time < 0 ? '' : ` / ${timeFormat(max)}`;
},
used_q(){
let used = 0;
for (let i=0; i<global.queue.queue.length; i++){
used += Math.ceil(global.queue.queue[i].q / global.queue.queue[i].qs);
}
return used;
}
}
});
dragQueue();
}
catch {
global.queue.queue = [];
}
}
function clearDragQueue(){
let el = $('#buildQueue .buildList')[0];
if (el){
let sort = Sortable.get(el);
if (sort){
sort.destroy();
}
}
}
function dragQueue(){
let el = $('#buildQueue .buildList')[0];
Sortable.create(el,{
onEnd(e){
let order = global.queue.queue;
order.splice(e.newDraggableIndex, 0, order.splice(e.oldDraggableIndex, 1)[0]);
global.queue.queue = order;
buildQueue();
resizeGame();
}
});
resizeGame();
attachQueuePopovers();
}
function attachQueuePopovers(){
for (let i=0; i<global.queue.queue.length; i++){
let id = `q${global.queue.queue[i].id}${i}`;
let struct = decodeStructId(global.queue.queue[i].id);
let isWide = struct.s[0].substring(0,4) !== 'arpa' && struct.a['wide'] ? true : false;
popover(id,
function(obj){
let b_res = global.queue.queue[i].hasOwnProperty('bres') ? global.queue.queue[i].bres : false;
if (struct.s[0].substring(0,4) === 'arpa'){
obj.popper.append(arpaProjectCosts(100,struct.a));
}
else {
actionDesc(obj.popper,struct.a,global[struct.s[0]][struct.s[1]],false,false,false,b_res);
}
},
{
wide: isWide,
prop: {
modifiers: {
preventOverflow: { enabled: false },
hide: { enabled: false }
}
}
}
);
}
}
export function decodeStructId(id){
let c_action;
let segments = id.split("-");
if (segments[0].substring(0,4) === 'arpa'){
c_action = segments[0].substring(4);
}
else if (segments[0] === 'city' || segments[0] === 'evolution' || segments[0] === 'starDock'){
c_action = actions[segments[0]][segments[1]];
}
else {
Object.keys(actions[segments[0]]).forEach(function (region){
if (actions[segments[0]][region].hasOwnProperty(segments[1])){
c_action = actions[segments[0]][region][segments[1]];
}
});
}
return { s: segments, a: c_action };
}
const tagDebug = false;
export function tagEvent(event, data){
try {
data['debug_mode'] = tagDebug;
gtag('event', event, data);
} catch (err){}
}
export function modRes(res,val,notrack,buffer){
let count = global.resource[res].amount + val;
let success = true;
if (count > global.resource[res].max && global.resource[res].max != -1){
count = global.resource[res].max;
}
else if (count < 0){
if (!buffer || (buffer && (count * -1) > buffer)){
success = false;
}
count = 0;
}
if (!Number.isNaN(count)){
global.resource[res].amount = count;
if (!notrack){
global.resource[res].delta += val;
if (res === 'Mana' && val > 0){
global.resource[res].gen_d += val;
}
}
}
return success;
}
export function genCivName(alt){
let genus = races[global.race.species].type;
switch (genus){
case 'animal':
genus = 'animalism';
break;
case 'small':
genus = 'dwarfism';
break;
case 'giant':
genus = 'gigantism';
break;
case 'avian':
case 'reptilian':
genus = 'eggshell';
break;
case 'fungi':
genus = 'chitin';
break;
case 'insectoid':
genus = 'athropods';
break;
case 'angelic':
genus = 'celestial';
break;
case 'organism':
genus = 'sentience';
break;
}
const filler = alt ? [
loc(`civics_gov_tp_name0`),
loc(`civics_gov_tp_name1`),
loc(`civics_gov_tp_name2`),
loc(`civics_gov_tp_name3`),
loc(`civics_gov_tp_name4`),
loc(`civics_gov_tp_name5`),
loc(`civics_gov_tp_name6`),
loc(`civics_gov_tp_name7`),
loc(`civics_gov_tp_name8`),
loc(`civics_gov_tp_name9`),
] : [
races[global.race.species].name,
races[global.race.species].home,
loc(`biome_${global.city.biome}_name`),
loc(`evo_${genus}_title`),
loc(`civics_gov_name0`),
loc(`civics_gov_name1`),
loc(`civics_gov_name2`),
loc(`civics_gov_name3`),
loc(`civics_gov_name4`),
loc(`civics_gov_name5`),
loc(`civics_gov_name6`),
loc(`civics_gov_name7`),
loc(`civics_gov_name8`),
loc(`civics_gov_name9`),
loc(`civics_gov_name10`),
loc(`civics_gov_name11`),
];
return {
s0: Math.rand(0,14),
s1: filler[Math.rand(0,filler.length)]
};
}
export function costMultiplier(structure,offset,base,mutiplier,cat){
if (!cat){
cat = 'city';
}
if (global.race.universe === 'micro'){
mutiplier -= darkEffect('micro',false);
}
if (global.race['small']){ mutiplier -= traits.small.vars()[0]; }
else if (global.race['large']){ mutiplier += traits.large.vars()[0]; }
if (global.race['compact']){ mutiplier -= traits.compact.vars()[0]; }
if (global.race['tunneler'] && (structure === 'mine' || structure === 'coal_mine')){ mutiplier -= traits.tunneler.vars()[0]; }
if (global.tech['housing_reduction'] && (structure === 'basic_housing' || structure === 'cottage')){
mutiplier -= global.tech['housing_reduction'] * 0.02;
}
if (global.tech['housing_reduction'] && structure === 'captive_housing'){
mutiplier -= global.tech['housing_reduction'] * 0.01;
}
if (structure === 'basic_housing'){
if (global.race['solitary']){
mutiplier -= traits.solitary.vars()[0];
}
if (global.race['pack_mentality']){
mutiplier += traits.pack_mentality.vars()[0];
}
}
if (structure === 'cottage'){
if (global.race['solitary']){
mutiplier += traits.solitary.vars()[1];
}
if (global.race['pack_mentality']){
mutiplier -= traits.pack_mentality.vars()[1];
}
}
if (structure === 'apartment'){
if (global.race['pack_mentality']){
mutiplier -= traits.pack_mentality.vars()[1];
}
}
if (global.genes['creep'] && !global.race['no_crispr']){
mutiplier -= global.genes['creep'] * 0.01;
}
else if (global.genes['creep'] && global.race['no_crispr']){
mutiplier -= global.genes['creep'] * 0.002;
}
let nqVal = govActive('noquestions',0);
if (nqVal){
mutiplier -= nqVal;
}
if (mutiplier < 1.005){
mutiplier = 1.005;
}
var count = structure === 'citizen' ? global['resource'][global.race.species].amount : (global[cat][structure] ? global[cat][structure].count : 0);
if (offset){
count += offset;
}
return Math.round((mutiplier ** count) * base);
}
export function spaceCostMultiplier(action,offset,base,mutiplier,sector,c_min){
if (!sector){
sector = 'space';
}
c_min = c_min || 1.005;
if (global.race.universe === 'micro'){
mutiplier -= darkEffect('micro',true);
}
if (global.genes['creep'] && !global.race['no_crispr']){
mutiplier -= global.genes['creep'] * 0.01;
}
else if (global.genes['creep'] && global.race['no_crispr']){
mutiplier -= global.genes['creep'] * 0.002;
}
if (global.race['small']){ mutiplier -= traits.small.vars()[1]; }
if (global.race['compact']){ mutiplier -= traits.compact.vars()[1]; }
if (global.prestige.Harmony.count > 0 && global.stats.achieve[`ascended`]){
mutiplier -= harmonyEffect();
}
let nqVal = govActive('noquestions',0);
if (nqVal){
mutiplier -= nqVal;
}
if (mutiplier < c_min){
mutiplier = c_min;
}
var count = action === 'citizen' ? global['resource'][global.race.species].amount : (global[sector][action] ? global[sector][action].count : 0);
if (offset && typeof offset === 'number'){
count += offset;
}
return Math.round((mutiplier ** count) * base);
}
export function harmonyEffect(){
if (global.prestige.Harmony.count > 0 && global.stats.achieve[`ascended`]){
let boost = 0;
switch (global.race.universe){
case 'heavy':
if (global.stats.achieve.ascended.hasOwnProperty('h')){
boost = global.stats.achieve.ascended.h * global.prestige.Harmony.count;
}
break;
case 'antimatter':
if (global.stats.achieve.ascended.hasOwnProperty('a')){
boost = global.stats.achieve.ascended.a * global.prestige.Harmony.count;
}
break;
case 'evil':
if (global.stats.achieve.ascended.hasOwnProperty('e')){
boost = global.stats.achieve.ascended.e * global.prestige.Harmony.count;
}
break;
case 'micro':
if (global.stats.achieve.ascended.hasOwnProperty('m')){
boost = global.stats.achieve.ascended.m * global.prestige.Harmony.count;
}
break;
case 'magic':
if (global.stats.achieve.ascended.hasOwnProperty('mg')){
boost = global.stats.achieve.ascended.mg * global.prestige.Harmony.count;
}
break;
default:
if (global.stats.achieve.ascended.hasOwnProperty('l')){
boost = global.stats.achieve.ascended.l * global.prestige.Harmony.count;
}
break;
}
if (boost > 0){
boost = (Math.log(50 + boost) - 3.912023005428146) * 0.01;
return +(boost).toFixed(5);
}
}
return 0;
}
export function timeCheck(c_action,track,detailed,reqMet){
reqMet = typeof reqMet === 'undefined' ? true : reqMet;
if (c_action.cost){
let time = 0;
let bottleneck = false;
let offset = track && track.id[c_action.id] ? track.id[c_action.id] : false;
let costs = adjustCosts(c_action,offset);
let og_track_r = track ? {} : false;
let og_track_rr = track ? {} : false;
if (track){
Object.keys(track.r).forEach(function (res){
og_track_r[res] = track.r[res];
});
Object.keys(track.rr).forEach(function (res){
og_track_rr[res] = track.rr[res];
});
}
let hasTrash = false;
if (global.interstellar.hasOwnProperty('mass_ejector') && global.genes['governor'] && global.tech['governor'] && global.race['governor'] && global.race.governor['g'] && global.race.governor['tasks']){
Object.keys(global.race.governor.tasks).forEach(function (t){
if (global.race.governor.tasks[t] === 'trash'){
hasTrash = true;
}
});
}
let shorted = {};
Object.keys(costs).forEach(function (res){
if (time >= 0 && !global.prestige.hasOwnProperty(res) && !['Morale','HellArmy','Structs','Bool'].includes(res)){
var testCost = offset ? Number(costs[res](offset)) : Number(costs[res]());
if (testCost > 0){
let f_res = res === 'Species' ? global.race.species : res;
let res_have = res === 'Supply' ? global.portal.purifier.supply : Number(global.resource[f_res].amount);
let res_max = res === 'Supply' ? global.portal.purifier.sup_max : global.resource[f_res].max;
let res_diff = res === 'Supply' ? global.portal.purifier.diff : global.resource[f_res].diff;
if (hasTrash && global.interstellar.mass_ejector[res]){
res_diff += global.interstellar.mass_ejector[res];
if (global.race.governor.config.trash.hasOwnProperty(res)){
res_diff -= Math.min(global.race.governor.config.trash[res].v,global.interstellar.mass_ejector[res]);
}
}
if (track){
res_have += res_diff * (reqMet ? track.t.t : track.t.rt);
if (!track.r.hasOwnProperty(f_res)){ track.r[f_res] = 0; }
if (!track.rr.hasOwnProperty(f_res)){ track.rr[f_res] = 0; }
if (reqMet){
res_have -= Number(track.r[f_res]);
track.r[f_res] += testCost;
track.rr[f_res] += testCost;
}
else {
res_have -= Number(track.rr[f_res]);
track.rr[f_res] += testCost;
}
if (res_max >= 0 && res_have > res_max){
res_have = res_max;
}
}
if (testCost > res_have){
if (res_diff > 0){
let r_time = (testCost - res_have) / res_diff;
if (r_time > time){
bottleneck = f_res;
time = r_time;
}
shorted[f_res] = r_time;
}
else {
if (track){
track.r = og_track_r;
track.rr = og_track_rr;
}
time = -9999999;
shorted[f_res] = 99999999 - res_diff;
if ((shorted[bottleneck] && shorted[f_res] > shorted[bottleneck]) || !shorted[bottleneck]){
bottleneck = f_res;
}
}
}
}
}
});
if (track && time >= 0){
if (typeof track.id[c_action.id] === "undefined"){
track.id[c_action.id] = 1;
}
else {
track.id[c_action.id]++;
}
if (reqMet){
track.t.t += time;
}
track.t.rt += time;
}
return detailed ? { t: time, r: bottleneck, s: shorted } : time;
}
else {
return 0;
}
}
// This function returns the time to complete all remaining Arpa segments.
// Note: remain is a fraction between 0 and 1 representing the fraction of
// remaining arpa segments to be completed
export function arpaTimeCheck(project, remain, track, detailed){
let offset = track && track.id[project.id] ? track.id[project.id] : false;
let costs = arpaAdjustCosts(project.cost,offset);
let allRemainingSegmentsTime = 0;
let og_track_r = track ? {} : false;
let og_track_rr = track ? {} : false;
let bottleneck = false;
if (track){
Object.keys(track.r).forEach(function (res){
og_track_r[res] = track.r[res];
});
Object.keys(track.rr).forEach(function (res){
og_track_rr[res] = track.rr[res];
});
}
let hasTrash = false;
if (global.interstellar.hasOwnProperty('mass_ejector') && global.genes['governor'] && global.tech['governor'] && global.race['governor'] && global.race.governor['g'] && global.race.governor['tasks']){
Object.keys(global.race.governor.tasks).forEach(function (t){
if (global.race.governor.tasks[t] === 'trash'){
hasTrash = true;
}
});
}
let shorted = {};
Object.keys(costs).forEach(function (res){
if (allRemainingSegmentsTime >= 0){
let allRemainingSegmentsCost = Number(costs[res](offset)) * remain;
if (allRemainingSegmentsCost > 0){
let res_have = Number(global.resource[res].amount);
let res_diff = global.resource[res].diff;