-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathcard.py
1564 lines (1401 loc) · 61 KB
/
card.py
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
#!/usr/bin/env python
#TODO
#Only your cards should have corner colors for targetting. Enemy cards should not since they don't make sense
#Make a card that allows for stacking cards. It multiplies amount for all.
#bidding/buying is a tap. minimum bid for a card received at end of timer
#Switch between auction and price mode
#Remove multiple ais fix indexing
#Need to make it so that you can configure the corner to be the correct Color.
#Have Main list a color
#Just have labels that you add to the card actions that look up one level for the progress bar
#Zoom buttons update CSS scale variable
#When a main action is identified, you can have a generic amount, speed, health, cost, hype. Hype could even tie into one of these traits for any given card. Or random trait temporarily?
#The items stacked on left are lightning
#The items stacked on right are exit
#The items in line in middle happen an amount of times till it finishes.
#The number on each image indicates the amount of the effect.
#Top left says what the interaction of adding a card to another card is.
#So Crate indicates add on.o
#Or actually just make any crate type action have a bigger image. Then lay the card image on top. Three deletes? Just have three empty trash images and slap the three cards on top.
#Option to hide info in the game. Or to pull along a dial for more information.
#Make it so that the basek provides gems. Your player provides cards, and cards can be discarded for discount. Guarantee that you can always play.
#The progress bars.
#The first progress bar is the only progress bar.
#Bomb effects are laid verically on right side with numbers in them.
#Progress effects are laid horizontally and diminish each time it completes. Numbers on images. Max of 4?
#Entrance effects are laid vertically on the left side.
#You could if you really want have multiple effects but they would overlap.
#Make info tab more visual. Have cards list their effect
#Add hype
#Don't allow sell. Make a trashing card that cards can be played on. When a card is played on another card leave a mini image of it on.
#Make sell cooldown
#Make race base stats, Other items modify the default stats
#Shop is same for both players and rotates between shop keepers?
#Have damage pass through by default, then certain cards bypass and certain cards do not
#Add some kind of label to the sections. Preferrably images
#Allow one card to be trashed per round. FIX TRASHING
#Readme card/ button people can click for a general explanation
#TODO TODONE
#Make refresh work
#Add images
#Make it so you can play against yourself
#Make drag and drop work
#inspect to see information
#Restructure cards so enter progress and exit are inside a trigger dict
#Change the python and javascript to match the new structure
#How to get divs on an image
#Progress bars of different thickness to represent number, and color to represent function. Yellow for gold, teal for cards, blue for shield, green for heal. etc. Overlay them thinly on the bottom of the card
#Image and number for coins
#Refactor cardButton updates.
#Refactor for sending complete states to client instead of the client never seeing that something is dead or progress complete. Just the reset to 0 state
#fix shield
#make an exit trigger
#refactor targetting
#Add to inspect
#Make a max money
#Make a way to see team info
#Add skull image on death
#bot removal
#Red text if you don't have the money
#Fix higher cost for cards
#rounded slots
#Hard refactor targetting so that Name = actual card
#refactor data so all I need to push is game state
#Add zones for tent and base so cards can target them just like they would other cards
#Update javascript to match new zones
#Make the team a card, but in another sector
#Effects that can use targetting.
#Discard area next to hand
#Removeable triggers added
#Progressive enemies
#Session table and reset
#Start using images on cards
#Shop zone
#Add reset session option.
#Add different armor
#An an enter armor boost like in slay the spire:
#Add armor decay?
#When an action finishes, outline the sending card, and fill in the receiving card
#Add fog of war
#Canvas, draw an image that moves from a card to a location. Coin for money. Explosion for damage
#Add a run time shop/sell. Min 10 cards. Sell gives a third value.
#Add nuke card
#Add a reconnect feature
#Removed a deep copy
#TODO WARN
#DEAR GOD DO NOT REFACTOR IN A WAY THAT IS NOT BITE SIZED EVER AGAIN
#DEAR GOD DO NOT PLAY GAMES AS RESEARCH IT IS SUCH A WASTE OF TIME
#TODO MAYBE
#AI
#Add keeping health between rounds vs ai.
#Events
#This would also allow for a card that reacts to a card being played across from it
#Need triggers that can be subscribed to like on ally cards die. I suppose I could add triggers to ally cards, but that seems weird.
#I would need a place to store subscription functions and parameters, then a way to call that list of functions
#Add draw button where you can buy draw more cards. This would be done by dragging the tent player to the zone
#Add upgrade card button too maybe?
#Health ticks down version
#Create random cards and allow them to be saved off if good
#SHOP
#Have a random card shop as a rare reward. With end game cards expected to come from random draws.
#Make while triggers, maybe they add something something in a pre tick. The "effect" section is then wiped on tick cleanup
#Change protect to add temporary health on a timer. Maybe a blue line below healthbar
#Then a grey bar for flat armor below that?
#Make a way to create cards from terminal
#Make add random card a player menu function
#Make more triggers and actions
#Make a discard pile
#prevent replace card so players don't step on toes
#Bots play to random open slot instead of 12345
#Make a team health bar near you and on their side for them
#Make you money bar closer to you on the player icon
#TODO TRIGGERS
#On target action - When a target takes and action.... Specify name of action or category. Handled in trigger function.
#On target trigger - When a target trigger occurs... Specify name of trigger
#On draw triggers so when you draw the card you get money or something. Or you take damage when you draw the card.
#TODO Actions
#Mirror requres action to mirror as argument and does so. Basically trigger handles action
#TODO CARD IDEAS
#Card that freezes income or draw of opponent
#Card that reflects destabilize back at attacker
#Card that deals more damage when hurt
#Card that deals a lot of damage to all cards, but stays for a while and is expensive. It even kills your own.
#Weaken, opposite of armor
#Pool: income draw slow enemy income, slow enemy draw, protect neighbor cards, better versions of bomb cards. Combined cards, like spike shield. or Spiky bomb. Guardian that adds armor to neighbor cards. Card that increases tick rate of neighbor cards.
#DON'T USE ORDERED DICT SINCE YOU CAN'T CHOOSE INSERTION POINT. JUST USE A LIST WITH REFERENCES TO A MEGA DICT
import asyncio
from collections import Counter
import websockets
from websockets.exceptions import ConnectionClosedOK
import sys
import requests
import functools
import os
import json
from fractions import Fraction
from operator import itemgetter
import math
import random
import traceback
from functools import reduce
from operator import getitem
from collections import defaultdict
import argparse
import re
import shlex
import copy
import time
from itertools import takewhile
#Create self destructing trigger flag. Once called it removes itself
#Could make an action that accepts a trigger, then marks it as dead. Overly complicated. Flag is fine
#TARGETS
#Gets a list of card groups for targetting. Target group 1,2,3 etc
# acting({"action": "move", "target": ["my_deck", "my_hand"], "amount": 3}, {"owner": username})
#Should never return 0s
def get_target_groups(action, card):
#If the action doesn't have a target, quit
logging = False #action.get("action") == "buy"
if logging:
log("action and card")
log(action)
log(card)
if not action.get("target"):
log("no target")
return []
target_group_aliases = action["target"]
#If it just wants to target itself, return card
#if target_group_aliases == "self":
#return [[card]]
#If target_group_aliases is just a card
if type(target_group_aliases) == dict and "id" in target_group_aliases.keys():
return [[target_group_aliases]]
if target_group_aliases == "on_me":
#If you cannot do this correctly you need to return them to discard
#remove empty slots
on_it = []
for slot in card["storage"]:
if slot:
on_it.append(game_table["ids"].get(slot))
return [on_it]
#If the list of target aliases is just a single, then put it in a list
if type(target_group_aliases) != list:
target_group_aliases = [target_group_aliases]
target_groups = []
#For all aliases resolve them.
#If you want to target append as a destination just cut it off here and return a fake target group that is a dict instead of a list. Dict containing:
#location, entity, type:append. Or just enitity and location
if logging:
log("target_group_aliases")
log(target_group_aliases)
for target_group_alias in target_group_aliases:
target_recipe = resolve_target_group_alias(target_group_alias)
if "index" not in target_recipe.keys():
target_recipe["index"] = "all"
if logging:
log("target_recipe")
log(target_recipe)
if target_recipe["index"] == "append":
target_groups.append(target_recipe)
else:
target_group = get_target_group(target_recipe, action, card, logging)
if logging:
log("target_group")
log(target_group)
target_groups.append(target_group)
return target_groups
def resolve_target_group_alias(target_group_alias):
target_group = targets_table[target_group_alias]
return target_group
#For each target group get cards
def get_target_group(target_recipe, action, card, logging = False):
selected_entity_groups = []
entity_aliases = target_recipe["entity"]
if type(entity_aliases) != list:
entity_aliases = [entity_aliases]
#Main division here is between select from all entities combined zones, or select one from each entity.
#Entity set could be an alias, or a list of aliases, or a list of actual entities
if logging:
log("entity_aliases")
log(entity_aliases)
for entity_alias in entity_aliases:
selected_entity_groups.extend(resolve_entity_alias(entity_alias, card))
#Selected zones is a list of joined or unjoined zones
selected_zones = []
location_aliases = target_recipe["location"]
if type(location_aliases) != list:
location_aliases = [location_aliases]
if logging:
log("selected_entity_groups")
log(selected_entity_groups)
for entity_group in selected_entity_groups:
if logging:
log("entity_group")
log(entity_group)
joined_entity = {"locations":{}}
for entity in entity_group:
if logging:
log("entity")
log(entity)
for location_key in entity["locations"].keys():
if logging:
log("location_key")
log(location_key)
extend_nested(joined_entity,["locations",location_key], entity["locations"][location_key])
for location_alias in location_aliases:
card_zones = resolve_location_alias(joined_entity,location_alias,card)
selected_zones.extend(card_zones)
selected_cards = []
select_function = target_recipe["index"]
args = target_recipe.get("args")
if logging:
log("selected_zones")
log(selected_zones)
for zone in selected_zones:
#Alternative function herre that takes things from the card etc and targetting to get animation list for targetting to enable miss animation
selected_cards.extend(get_cards(zone, select_function, args, action, card))
if logging:
log("selected_cards")
log(selected_cards)
return selected_cards
def listify(to_listify):
return [[i] for i in to_listify]
#Returns a list of entity groups, big or size one.
# [[entity1 e2 e3][e2][e3]]
def resolve_entity_alias(entity_alias, card):
entities = []
match entity_alias:
#Aliases handle combined or not
case "all":
for entity in table("entities").values():
entities.append([entity])
case "all-joined":
all_entities = list(table("entities").values())
entities.append(all_entities)
case "card":
entities.append([table("entities")[card["entity"]]])
case "owner":
entities.append([table("entities")[card["owner"]]])
case "enemies" | "enemy":
for entity_data in table("entities").values():
if entity_data["team"] != card["team"]:
entities.append([entity_data])
case "enemies-joined":
enemies = []
for entity_data in table("entities").values():
if entity_data["team"] != card["team"]:
enemies.append(entity_data)
entities.append(enemies)
case "allies" | "ally":
for entity_data in table("entities").values():
if entity_data["team"] == card["team"]:
entities.append([entity_data])
case "allies-joined":
allies = []
for entity_data in table("entities").values():
if entity_data["team"] == card["team"]:
allies.append(entity_data)
entities.append(allies)
#Entity is the alias
case _:
entities.append([table("entities")[entity_alias]])
return entities
#Returns a list of joined or separate card lists which will be selected from
#double list of cards
#[[c1 c2 c3][c1][c2]]
def resolve_location_alias(entity, location_alias, card):
match location_alias:
case "all":
locations = list(entity["locations"].values())
return locations
case "all_joined":
locations = [list(entity["locations"].values())]
joined = sum(locations, [])
return joined
case "card":
if card["location"] in entity["locations"]:
return [entity["locations"][card["location"]]]
else:
return [[]]
case _:
#case ["deck","hand"]
if type(location_alias) != list:
location_alias = [location_alias]
combined_zone = []
for location in location_alias:
if location in entity["locations"]:
combined_zone.extend(entity["locations"][location])
return [combined_zone]
#Returns a list of cards from the zone
#Needs the zone, index function and args
#Maybe have a miss section that gets generated here?
def get_cards(zone, select_function, args, action, card):
#Aborts if zone is empty
if not zone:
return []
#Removes empty from zones to select from
actual_zone = [i for i in zone if i]
match select_function:
case "all":
return actual_zone
case "random":
result = []
if actual_zone:
result = [random.choice(actual_zone)]
return result
case "random-slot":
selection = random.choice(zone)
if selection:
return [selection]
else:
return []
case "card":
try:
if card["index"] < len(zone) and zone[card["index"]]:
return [zone[card["index"]]]
else:
return []
except KeyError as e:
log(e)
log("You likely discarded the following card then tried to target something based on it's index which is now gone.")
log_json(card)
case "fork":
indices = [card["index"]-1,card["index"],card["index"]+1]
result = []
for index in indices:
if index < len(zone) and zone[index]:
result.append(zone[index])
return result
case "neighbors":
indices = [card["index"]-1,card["index"]+1]
result = []
for index in indices:
if index < len(zone) and zone[index]:
result.append(zone[index])
return result
case "amount":
amount = action["amount"]
return actual_zone[-amount:]
case _:
#Case for if an literal index is passed
return [zone[select_function]]
#TRIGGERS
#How do I handle other triggers like on base hurt. Or on anything dies. Or on purchase
#I can add a trigger event
#Call triggering on dispatch, with the card as a subscription argument. Do this on enter or on card initialization? When should a card subscribe?
#Global triggers can look at every card each time on trigger. Or you need a subscribe on enter and unsubscribe on exit
#For now it can just look at cards on the board
def triggering(card, event_type):
events = card["triggers"].get(event_type)
if events:
for event in events:
match event_type:
case "timer":
timer = event
if timer["progress"] >= timer["goal"]:
timer["progress"] -= timer["goal"]
for action in timer["actions"]:
acting(action, card)
#The change comes after so the client gets a chance to see the progress
speed = 1 + get_effect("speed", card)
timer["progress"] += tick_rate() * speed
case "forgotten":
meter = event
meter["progress"] += 0#1 #tick_rate() * speed
if meter["progress"] >= meter["goal"]:
meter["progress"] -= meter["goal"]
for action in meter["actions"]:
acting(action, card)
case _:
for action in event["actions"]:
acting(action, card)
if event.get("once"):
events.remove(event)
def get_nested(data, keys):
for key in keys[:-1]:
if key not in data or not isinstance(data[key], dict):
return None
data = data[key]
return data.get(keys[-1])
def set_nested(data, keys, value):
for key in keys[:-1]:
if key not in data or not isinstance(data[key], dict):
data[key] = {}
data = data[key]
data[keys[-1]] = value
def try_nested(data, keys, value):
for key in keys[:-1]:
if key not in data or not isinstance(data[key], dict):
return
data = data[key]
data[keys[-1]] = value
def append_nested(data, keys, value):
for key in keys[:-1]:
if key not in data or not isinstance(data[key], dict):
data[key] = {}
data = data[key]
if data.get(keys[-1]):
data[keys[-1]].append(value)
else:
data[keys[-1]] = [value]
def extend_nested(data, keys, value):
for key in keys[:-1]:
if key not in data or not isinstance(data[key], dict):
data[key] = {}
data = data[key]
if data.get(keys[-1]):
data[keys[-1]].extend(value)
else:
data[keys[-1]] = value
def acting(action, card =""):
target_groups = get_target_groups(action, card)
destinations = action.get("to")
#try:
match action["action"]:
case "forgotten":
for played in target_groups[0]:
triggering(played, "forgotten")
case "play":
for played in target_groups[0]:
username = played["owner"]
captain = owner_card(username)
if captain["gold"] >= played["cost"]:
acting({"action": "forgotten", "target": "all_hand"}, played)
del played["triggers"]["forgotten"]
game_table["running"] = 1
captain["gold"] -= played["cost"]
destination = destinations
move(played,destination)
case "buy":
for shop_copy in target_groups[0]:
username = destinations["entity"]
captain = owner_card(username)
if captain["gems"] >= shop_copy["value"]:
#session_table["players"][username]["deck"].append(shop_copy["title"])
animations.append(
{"sender": shop_copy, "receiver": game_table["entities"][username]["locations"]["tent"][0],
"size": 1, "image": "pics/" + shop_copy["title"] + ".png"})
game_table["running"] = 1
captain["gems"] -= shop_copy["value"]
my_copy = initialize_card(shop_copy["name"],
destinations["entity"], destinations["location"],
destinations["index"])
case "move":
#Move is a great example. What the real functions need are a couple target_groups and parameters
#Each target is either a path or a card.
cards = target_groups[0]
destination = destinations
#If destination is just append to entities location, no need to zip
for ca in cards:
move(ca,destination)
if destination["location"] == "hand":
animations.append({"sender": card, "receiver": ca, "size": 1, "image": "pics/cards.png"})
#Card to trash
case "trash":
#Move is a great example. What the real functions need are a couple target_groups and parameters
#Each target is either a path or a card.
cards = target_groups[0]
#If destination is just append to entities location, no need to zip
for card in cards:
to = {"entity": "owner", "location": "trash", "index": "append"}
move(card,to)
case "effect_relative":
# Following comment is the end trigger stored on casting card
#{"action": "effect-relative", "target": ["my_base"], "effect_function":{"name":"armor","function":"add","value":1}, "end_trigger":"exit"}
effect_function = action["effect_function"]
target = action["target"]
effect = {"effect_function":effect_function,"target":target, "card_id":card["id"], "id": get_unique_id()}
game_table["ids"][effect["id"]] = effect
append_nested(card,["triggers",action["end_trigger"]],{"actions": [{"action":"remove_effect","effect_id":effect["id"]}]})
game_table["all_effect_recipes"].append(effect)
case "empty_storage":
victims = target_groups[0]
victim = victims[0]
storage = victim.get("storage")
if storage:
for index, slot in enumerate(storage):
storage[index] = ""
case "hype":
print("hype!")
victims = target_groups[0]
victim = victims[0]
storage = victim.get("storage")
if storage:
for index, slot in enumerate(storage):
if not slot:
storage[index] = card["id"]
acting({"action": "move", "target": card,
"to": {"entity": card["owner"], "location": "held", "index": "append"}})
break
## end trigger stored on effected card
#effect_function = action["effect_function"]
#target = action["target"]
##For all of the target_groups of this action, add the effect
#for target_groups in get_target_groups(target,card):
# for target_group in target_groups:
# for targetted_card in target_group:
# effect = {"effect_function": effect_function, "target": [targetted_card], "id":get_unique_id()}
# game_table["ids"][effect["id"]] = effect
# append_nested(targetted_card, ["triggers", action["end_trigger"]],{"action": "remove_effect", "effect_id": effect["id"]})
# game_table["all_effect_recipes"].append(effect)
# #No card below since the target_groups are evaluated upfront
case "effect_target":
effect_function = action["effect_function"]
target = action["target"]
#For all of the target_groups of this action, add the effect
for target_groups in get_target_groups(target,card):
for target_group in target_groups:
for targetted_card in target_group:
effect = {"effect_function": effect_function, "target": [targetted_card], "id":get_unique_id()}
game_table["ids"][effect["id"]] = effect
append_nested(targetted_card, ["triggers", action["end_trigger"]],{"action": "remove_effect", "effect_id": effect["id"]})
game_table["all_effect_recipes"].append(effect)
#No card below since the target_groups are evaluated upfront
case "effect_positional":
#Need to add a trigger somewhere that can remove the effect
effect_function = action["effect_function"]
target = action["target"]
effect = {"effect_function":effect_function,"target":target, "id":get_unique_id()}
game_table["ids"][effect["id"]] = effect
#You would need to add a card to game events with just the trigger for removal
append_nested(game_table,["entities","situation","events"],
{
"triggers": {
action["end_trigger"]: [
{"actions": [
{"action": "remove_effect", "effect_id": effect["id"]}
]}
]
}
})
game_table["all_effect_recipes"].append(effect)
case "clean":
recipients = target_groups[0]
for recipient in recipients:
recipient["effects"].clear()
case "remove_effect":
all_effect_recipes = game_table["all_effect_recipes"]
all_effect_recipes.remove(game_table["ids"][action["effect_id"]])
del game_table["ids"][action["effect_id"]]
case "vampire":
victims = target_groups[0]
monsters = target_groups[1]
for victim, monster in zip(victims,monsters):
steal = action["amount"]
victim["health"] -= steal
monster["health"] += steal
#Modify value function for damage and health that checks max, checks alive and adds to a cleanup list.
#Modify value also handles effects
#Replace below with get effect which searches effect list
damage = max(0, steal - get_effect("armor",victim))
victim["health"] -= steal
case "damage":
victims = target_groups[0]
for victim in victims:
#Maybe have this set the image too
damage = action["amount"]
animations.append({"sender": card, "receiver":victim, "size":damage, "image":"pics/bang.png"})
armor = get_effect("armor", victim)
remaining_shield = negative_remaining_damage = victim["shield"] - damage
victim["shield"] = max(remaining_shield, 0)
damage = -1 * negative_remaining_damage
damage = max(0, damage - armor)
victim["health"] -= damage
if victim["health"] <= 0 and action.get("kill"):
victim["kill"] = action["kill"]
case "shield":
victims = target_groups[0]
for victim in victims:
shield = action["amount"]
animations.append({"sender": card, "receiver":victim, "size":shield, "image":"pics/energyshield2.png"})
victim["shield"] += shield
victim["shield"] = min(victim["shield"],victim["max_shield"])
case "income":
recipients = target_groups[0]
for recipient in recipients:
animations.append({"sender": card, "receiver":recipient, "size":action["amount"], "image":"pics/coin3.png"})
recipient["gold"] += action["amount"]
recipient["gold"] = max(0, recipient["gold"])
recipient["gold"] = min(recipient["gold_limit"], recipient["gold"])
case "gems":
recipients = target_groups[0]
#Maybe refactor so that recipient also has a missed section returned in another list
for recipient in recipients:
animations.append({"sender": card, "receiver":recipient, "size":action["amount"], "image":"pics/gem.png"})
recipient["gems"] += action["amount"]
recipient["gems"] = max(0, recipient["gems"])
recipient["gems"] = min(recipient["gems_limit"], recipient["gems"])
case "trader":
next_trader = action.get("next")
session_table["trader_level"] += 0.35
initialize_trader(next_trader)
case _:
log("Not sure what action that is:")
log(action["action"])
#except IndexError:
#log("TARGETS NOT AVAILABLE")
#Goes through list of effects and makes a dict which can be referenced by index and effect to get effect a list of operations which can be done to get value
def effect_sort_func(effect_recipe):
match effect_recipe["effect_function"]["function"]:
case "add":
return 0
case "multiply":
return 1
case "max":
return 2
case "min":
return 2
def effecting():
#Not that expensive, could just be run every time get_effect is called. If it's a performance problem, then just move it to pre tick
#The fact that effects is a list means you cannot calculate just one card. Can't sort by affected card though since targets can have multiple
acting({"action": "clean", "target": ["all"]})
all_effect_recipes = game_table["all_effect_recipes"]
all_effect_recipes.sort(key=effect_sort_func)
for effect_recipe in all_effect_recipes:
for target_list in get_target_groups(effect_recipe, game_table["ids"].get(effect_recipe["card_id"])):
for target in target_list:
add_effect(effect_recipe["effect_function"],target)
def add_effect(effect_function, card):
effects = card["effects"]
effect_name = effect_function["name"]
if effect_function["function"] == "add":
if effects.get(effect_name):
effects[effect_name] += effect_function["value"]
else:
effects[effect_name] = effect_function["value"]
if effect_function["function"] == "multiply":
if effects.get(effect_name):
effects[effect_name] *= effect_function["value"]
if effect_function["function"] == "max":
if effects.get(effect_name):
effects[effect_name] = max(effects[effect_name],effect_function["value"])
if effect_function["function"] == "min":
if effects.get(effect_name):
effects[effect_name] = min(effects[effect_name],effect_function["value"])
def get_effect(effect_to_get, card):
effect_value = get_nested(card, ["effects",effect_to_get])
if not effect_value:
effect_value = 0
return effect_value
#MAIN FUNCTIONS:
#Effect action, type as parameter, with duration amount etc as parameters
#Play action
#Move action
#Value action, with certain values having checks they run. Like if gold, check gold_limit. If health, check armor effect. Any value check resist effect. If any of these values apply this effect etc. One change function for math values.
#If a card spawns other cards, that is a different story
#Play action would call value action with the amount
#Play is really just play
#Maybe make this an action?
def kill_card(card):
if card.get("kill"):
animations.append({"sender": card, "receiver": card, "size": 4, "image": "pics/trash-icon.png"})
kill = card["kill"]
acting({"action": kill, "target": card},
card)
else:
animations.append({"sender": card, "receiver": card, "size": 4, "image": "pics/skull.png"})
acting({"action": "move", "target": card, "to": {"entity":"owner","location": "discard", "index": "append"}},
card)
#JSON
def load(a):
with open(a["file"]) as f:
return json.load(f)
#Make a version of this that allows the user to create a card from lists. Then randomization is simply choosing random options. Asks if you want to continue.
#All options are integer based
#Random card just chooses random integers and maybe continues, maybe does not.
#If Auto random, else promptgg
def create_random_card(card_name):
cards_table[card_name] = {}
card = cards_table[card_name]
card["health"] = random.randint(1,9)
card["cost"] = random.randint(1,9)
card["triggers"] = {}
for x in range(random.randint(1,9)):
trigger, triggerData = random.choice(list(random_table["triggers"].items()))
card["triggers"][trigger] = create_random_trigger(triggerData)
return card
def create_random_trigger(trigger):
if "goal" in trigger:
trigger["goal"] = random.randint(1,9)
if "progress" in trigger:
trigger["progress"] = random.randint(1,9)
def create_random_action(action):
return "hey"
#GLOBALS
animations = []
default_session_table = {"ais":{},"players":{},"teams":{"good":{"losses":0},"evil":{"losses":0}},"send_reset":1, "level":1, "max_level":7, "first":1, "reward":1, "trader_level":5}
session_table = copy.deepcopy(default_session_table)
random_table = load({"file":"json/random.json"})
decks_table = load({"file":"json/decks.json"})
cards_table = load({"file":"json/cards.json"})
targets_table = load({"file":"json/targets.json"})
static_lists = ["hand","board","tent","base","shop"]
game_table = load({"file":"json/game.json"})
table_table = {"session":session_table, "game":game_table, "current_id": 1}
#Save and load button for user and session.
#If user was active in this session, possess.
#If user was saved but not active, load and possess.
#If user was saved and ist active, reject request.
#If user does not exist, save
#def save_deck(name,message):
#def load_deck(name, message):
def save_game(name,message):
with open('json/save-'+message["save"]+'.json', 'w') as f:
json.dump(table_table, f)
def load_game(name,message):
#Might need something to wait till end of tick so the game state isn't influenced by what was running
save = load({"file": 'json/save-'+message["save"]+'.json'})
global session_table
global game_table
session_table = save["session"]
game_table = save["game"]
#You could make this easier by having the tables be
table_table["current_id"] = save["current_id"]
def table(entity_type):
if entity_type == "entities":
return game_table["entities"]
result = {}
for entity, entity_data in game_table["entities"].items():
if entity_data["type"] + "s" == entity_type:
result[entity] = entity_data
return result
def location_tick():
tick_areas = []
for team, team_data in table("teams").items():
tick_areas.extend(list(team_data["locations"].values()))
stall = get_nested(game_table, ["entities", "trader", "locations", "stall"])
tick_areas.append(stall)
for player, player_data in table("players").items():
tent = player_data["locations"]["tent"]
tick_areas.append(tent)
for location_data in tick_areas:
for card in location_data:
if card:
triggering(card,"timer")
#Decay shield
if card.get("shield"):
shield = max(card["shield"]-(math.sqrt(card["shield"])*tick_rate()+0.2)/10,0)
card["shield"] = shield
#for team, team_data in table("teams").items():
# stall = get_nested(game_table, ["entities", "trader", "locations", "stall"])
# tick_areas = list(team_data["locations"].values())
# print("ticket")
# print_json(tick_areas)
# tick_areas.append(stall)
# for location_data in tick_areas:
# print("loco")
# print_json(location_data)
# for card in location_data:
# print("card")
# print_json(card)
# if card:
# triggering(card,"timer")
# #Decay shield
# if card.get("shield"):
# shield = max(card["shield"]-(math.sqrt(card["shield"])*tick_rate()+0.2)/10,0)
# card["shield"] = shield
#Cleanup is really just a post tick.
def cleanup_tick():
for team, team_data in table("teams").items():
for location, cards in team_data["locations"].items():
for card in cards:
if card:
if card["health"] <= 0:
if card["location"] == "base":
session_table["teams"][get_team(card["owner"])]["losses"] += 1
if get_team(card["owner"]) == "evil":
if session_table["level"] < session_table["max_level"]:
session_table["reward"] = 1
# Versus workaround
#session_table["level"] += 1
reset_state()
else:
#session_table["level"] -= 1
reset_state()
else:
kill_card(card)
def ai_tick():
#Could be refactored to just run play_action
for player, player_data in table("players").items():
if player_data["ai"]:
acting(
{"action": "play", "target": ["my_hand"], "to": {"entity":player_data["team"],"location": "board", "index": "random"}, "amount": 1}
,{"owner":player}
)
acting({"action": "buy", "target": ["random_shop"], "to": {"entity":player,"location":"discard", "index": "append"}})
async def tick():
while True:
await asyncio.sleep(game_table["tick_duration"])
if session_table.get("send_reset"):
session_table["send_reset"] = 0
await update_state(session_table["players"].keys())
if game_table["running"]:
for player in list(table("players")):
if table("players").get(player).get("quit"):
del game_table["entities"][player]
#Effects happen first since they are things that are removeable. They are added at start, removed at end
effecting()
location_tick()
ai_tick()
await update_state(session_table["players"].keys())
cleanup_tick()
def tick_rate():
return game_table["tick_duration"]*game_table["tick_value"]
def safe_get(l, idx, default=0):
try:
return l[idx]
except IndexError:
return default
def reset_state():
#Clear game
session_table["send_reset"] = 1
global game_table
game_table = load({"file": "json/game.json"})
#Progress game from session data
initialize_game()
session_table["send_reset"] = 1
def get_unique_id():
table_table["current_id"] += 1
return str(table_table["current_id"])
def get_unique_name():
cards_table["current_name"] += 1
return cards_table["current_name"]
###INITIALIZE###
def initialize_team(team):
set_nested(game_table,["entities",team],
{"type": "team",
"team": team,
"locations": {
"base": [0],
"board": [
0, 0, 0, 0, 0
]
}
}
)
base_card = ""
if team == "evil":
#Plus level if you want upgrading team
game_table["entities"][team]["locations"]["base"][0] = initialize_card(team+str(session_table["level"]), team, "base",0)
else:
game_table["entities"][team]["locations"]["base"][0] = initialize_card(team, team, "base",0)
def initialize_player(team,ai,username, deck="beginner"):
#Session needs to hold players/entities, not ais and players.
deck_to_load = []
if ai:
session_table["ais"][username] = {"team":team,"ai":ai}
deck = "ai"+str(session_table["level"])
deck_to_load = decks_table[deck]
else:
if session_table["players"][username].get("deck"):
deck_to_load = session_table["players"][username]["deck"]
else:
deck_to_load = decks_table[deck]
copied_deck = copy.deepcopy(deck_to_load)
# This way shop can add cards to a players recurring deck
session_table["players"][username]["deck"] = copied_deck
deck_to_load = decks_table["beginner"]
#Workaround for vs mode
game_table["entities"][username] = {
"type":"player",
"team":team,
"ai":ai,
"locations": {
"hand": [
0,0,0,0,0
],
"deck": [],
"discard": [],
"held": [],
#"shop": [0,0,0],
"trash": [],