-
Notifications
You must be signed in to change notification settings - Fork 105
/
app.py
1388 lines (1291 loc) · 50.1 KB
/
app.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
# -*- mode: python; coding: utf-8; -*-
# ---------------------------------------------------------------------------##
#
# Copyright (C) 1998-2003 Markus Franz Xaver Johannes Oberhumer
# Copyright (C) 2003 Mt. Hood Playing Card Co.
# Copyright (C) 2005-2009 Skomoroh
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
#
# ---------------------------------------------------------------------------##
import os
import re
import sys
import traceback
from pickle import UnpicklingError
import pysollib.app_stat
from pysollib.actions import PysolMenubar
from pysollib.actions import PysolToolbar
from pysollib.app_stat_result import GameStatResult
from pysollib.app_statistics import Statistics
from pysollib.cardsetparser import read_cardset_config
from pysollib.gamedb import GAME_DB, GI, loadGame
from pysollib.help import destroy_help_html, help_about, raise_help_html
from pysollib.images import Images, SubsampledImages
from pysollib.mfxutil import Struct, destruct
from pysollib.mfxutil import USE_PIL
from pysollib.mfxutil import getprefdir, getusername
from pysollib.mfxutil import latin1_normalize, print_err
from pysollib.mfxutil import pickle, unpickle
from pysollib.mygettext import _
from pysollib.options import Options
from pysollib.pysolrandom import PysolRandom, construct_random
from pysollib.pysoltk import HTMLViewer
from pysollib.pysoltk import MfxDialog, MfxExceptionDialog, MfxMessageDialog
from pysollib.pysoltk import MfxScrolledCanvas, TclError
from pysollib.pysoltk import PysolProgressBar
from pysollib.pysoltk import PysolStatusbar
from pysollib.pysoltk import SelectCardsetDialogWithPreview
from pysollib.pysoltk import SelectDialogTreeData
from pysollib.pysoltk import destroy_find_card_dialog
from pysollib.pysoltk import destroy_full_picture_dialog
from pysollib.pysoltk import loadImage, wm_withdraw
from pysollib.pysoltk import raise_find_card_dialog
from pysollib.pysoltk import raise_full_picture_dialog
from pysollib.pysoltk import raise_solver_dialog
from pysollib.resource import CSI, CardsetManager
from pysollib.resource import Music, MusicManager
from pysollib.resource import Sample, SampleManager
from pysollib.resource import Tile, TileManager
from pysollib.settings import DEBUG
from pysollib.settings import PACKAGE, VERSION_TUPLE # , WIN_SYSTEM
from pysollib.settings import TOOLKIT
from pysollib.util import IMAGE_EXTENSIONS
from pysollib.winsystems import TkSettings
if TOOLKIT == 'tk':
from pysollib.ui.tktile.solverdialog import destroy_solver_dialog
else:
from pysollib.pysoltk import destroy_solver_dialog
if TOOLKIT == 'kivy':
import logging
_GameStatResult = GameStatResult
GameStat = pysollib.app_stat.GameStat
# ************************************************************************
# * Application
# * This is the glue between the toplevel window and a Game.
# * Also handles all global resources.
# ************************************************************************
image_ext_re_str = "(" + "|".join(
["(?:\\" + e + ")" for e in IMAGE_EXTENSIONS]) + ")$"
image_ext_re = re.compile(image_ext_re_str, re.I | re.U)
class Application:
def __init__(self):
self.gdb = GAME_DB
self.opt = Options()
self.startup_opt = self.opt.copy()
self.stats = Statistics()
self.splashscreen = 1
# visual components
self.top = None # the root toplevel window
self.top_bg = None # default background
self.top_cursor = None # default cursor
self.menubar = None
self.toolbar = None
self.canvas = None # MfxCanvas
self.scrolled_canvas = None # MfxScrolledCanvas
self.statusbar = None
#
self.game = None
self.dataloader = None
self.audio = None
self.images = None
self.subsampled_images = None
self.gimages = Struct( # global images
demo=[], # demo logos
pause=[], # pause logos
logos=[],
redeal=[],
)
# self.progress_bg = None
self.progress_images = []
self.cardset_manager = CardsetManager()
self.cardset = None # current cardset
self.cardsets_cache = {}
self.tabletile_manager = TileManager()
self.tabletile_index = 0 # current table tile
self.sample_manager = SampleManager()
self.music_manager = MusicManager()
self.music_playlist = []
self.intro = Struct(
progress=None, # progress bar
)
# directory names
config = os.path.normpath(getprefdir(PACKAGE))
self.dn = Struct(
config=config,
plugins=os.path.join(config, "plugins"),
savegames=os.path.join(config, "savegames"),
boards=os.path.join(config, "boards"),
maint=os.path.join(config, "maint"), # debug
)
for k, v in self.dn.__dict__.items():
# if os.name == "nt":
# v = os.path.normcase(v)
v = os.path.normpath(v)
self.dn.__dict__[k] = v
# file names
self.fn = Struct(
opt=os.path.join(self.dn.config, "options.dat"),
opt_cfg=os.path.join(self.dn.config, "options.cfg"),
stats=os.path.join(self.dn.config, "statistics.dat"),
holdgame=os.path.join(self.dn.config, "holdgame.dat"),
comments=os.path.join(self.dn.config, "comments.dat"),
)
for k, v in self.dn.__dict__.items():
if os.name == "nt":
v = os.path.normcase(v)
v = os.path.normpath(v)
self.fn.__dict__[k] = v
# random generators
self.gamerandom = PysolRandom()
self.miscrandom = PysolRandom()
# player
player = getusername()
if not player:
player = "unknown"
player = player[:30]
self.opt.player = player
# misc
self.nextgame = Struct(
id=0, # start this game
random=None, # use this random generator
loadedgame=None, # data for loaded game
startdemo=0, # start demo ?
cardset=None, # use this cardset
holdgame=0, # hold this game on exit ?
bookmark=None, # goto this bookmark (load new cardset)
)
self.commandline = Struct(
loadgame=None, # load a game ?
game=None,
gameid=None,
deal=None,
)
self.demo_counter = 0
# the PySol mainloop
def mainloop(self):
try:
approc = self.mainproc() # setup process
approc.send(None) # and go
except StopIteration:
pass
def gameproc(self):
while True:
logging.info('App: gameproc waiting for game to start')
(id_, random) = yield
logging.info('App: game started {},{}'.format(id_, random))
self.runGame(id_, random)
def _load_held_or_saved_game(self, tmpgame):
"""docstring for _load_held_or_saved_game"""
if self.opt.game_holded > 0 and not self.nextgame.loadedgame:
game = None
try:
game = tmpgame._loadGame(self.fn.holdgame, self)
except Exception:
traceback.print_exc()
game = None
if game:
if game.id == self.opt.game_holded and game.gstats.holded:
game.gstats.loaded = game.gstats.loaded - 1
game.gstats.holded = 0
self.nextgame.loadedgame = game
else:
# not a holded game
game.destruct()
destruct(game)
def _main_loop(self):
"""docstring for _main_loop"""
try:
# this is the mainloop
while 1:
assert self.cardset is not None
id_, random = self.nextgame.id, self.nextgame.random
self.nextgame.id, self.nextgame.random = 0, None
try:
if TOOLKIT == 'kivy':
self.gproc.send((id_, random))
logging.info('App: sent for game to start')
yield
logging.info('App: game proc stopped')
else:
self.runGame(id_, random)
except Exception:
# try Klondike if current game fails
if id_ == 2:
raise # internal error?
if DEBUG:
raise
traceback.print_exc()
self.nextgame.id = 2
self.freeGame()
continue
if self.nextgame.holdgame:
assert self.nextgame.id <= 0
try:
self.game.gstats.holded = 1
self.game._saveGame(self.fn.holdgame)
self.opt.game_holded = self.game.id
except Exception:
traceback.print_exc()
pass
self.wm_save_state()
# save game geometry
geom = (self.canvas.winfo_width(), self.canvas.winfo_height())
if self.opt.save_games_geometry and not self.opt.wm_maximized:
self.opt.games_geometry[self.game.id] = geom
self.opt.game_geometry = geom
self.freeGame()
#
if self.nextgame.id <= 0:
break
# load new cardset
if self.nextgame.cardset is not self.cardset:
self.loadCardset(
self.nextgame.cardset, id=self.nextgame.id,
update=7+256)
else:
self.requestCompatibleCardsetType(self.nextgame.id)
except Exception:
traceback.print_exc()
pass
finally:
# hide main window
self.wm_withdraw()
#
destroy_help_html()
destroy_find_card_dialog()
destroy_full_picture_dialog()
destroy_solver_dialog()
# update options
self.opt.last_gameid = id_
# save options
try:
self.saveOptions()
except Exception:
traceback.print_exc()
pass
# save statistics
try:
self.saveStatistics()
except Exception:
traceback.print_exc()
pass
# shut down audio
try:
self.audio.destroy()
except Exception:
traceback.print_exc()
pass
if TOOLKIT == 'kivy':
self.top.quit()
while True:
logging.info('App: mainloop end position')
yield
def mainproc(self):
# copy startup options
self.startup_opt = self.opt.copy()
# try to load statistics
try:
self.loadStatistics()
except Exception:
traceback.print_exc()
pass
# Under normal circumstances, this won't trigger.
# But if the config has been incorrectly edited or
# otherwise corrupted, this can prevent a crash.
if 0 < self.opt.game_holded != self.opt.last_gameid:
self.opt.last_gameid = self.opt.game_holded
# startup information
if self.getGameClass(self.opt.last_gameid):
self.nextgame.id = self.opt.last_gameid
elif self.opt.last_gameid in GI.PROTECTED_GAMES:
self.nextgame.id = GI.PROTECTED_GAMES.get(self.opt.last_gameid)
# load a holded or saved game
tmpgame = self.constructGame(self.gdb.getGamesIdSortedByName()[0])
self._load_held_or_saved_game(tmpgame)
if not self.nextgame.loadedgame:
if self.commandline.loadgame:
try:
self.nextgame.loadedgame = tmpgame._loadGame(
self.commandline.loadgame, self)
self.nextgame.loadedgame.gstats.holded = 0
self.nextgame.id = self.nextgame.loadedgame.id
except Exception:
traceback.print_exc()
self.nextgame.loadedgame = None
elif self.commandline.game is not None:
gameid = self.gdb.getGameByName(self.commandline.game)
if gameid is None:
print_err(_("can't find game: %(game)s") % {
'game': self.commandline.game})
sys.exit(-1)
else:
self.nextgame.id = gameid
deal = self.commandline.deal
self.nextgame.random = \
None if deal is None else construct_random(deal)
elif self.commandline.gameid is not None:
self.nextgame.id, self.nextgame.random = \
self.commandline.gameid, None
self.opt.game_holded = 0
tmpgame.destruct()
destruct(tmpgame)
#
# widgets
#
# create the menubar
if self.intro.progress:
self.intro.progress.update(step=1)
self.menubar = PysolMenubar(self, self.top,
progress=self.intro.progress)
# create the statusbar(s)
self.statusbar = PysolStatusbar(self.top)
self.statusbar.show(self.opt.statusbar)
for w, v in self.opt.statusbar_vars.items():
self.statusbar.config(w, v)
# create the canvas
self.scrolled_canvas = MfxScrolledCanvas(self.top, propagate=True)
self.canvas = self.scrolled_canvas.canvas
padx, pady = TkSettings.canvas_padding
self.scrolled_canvas.grid(row=1, column=1, sticky='nsew',
padx=padx, pady=pady)
self.top.grid_columnconfigure(1, weight=1)
self.top.grid_rowconfigure(1, weight=1)
self.setTile(self.tabletile_index, force=True)
# create the toolbar
dirname = self.getToolbarImagesDir()
self.toolbar = PysolToolbar(self.top, self.menubar, dir=dirname,
size=self.opt.toolbar_size,
relief=self.opt.toolbar_relief,
compound=self.opt.toolbar_compound)
self.toolbar.show(self.opt.toolbar)
if TOOLKIT == 'tk':
for w, v in self.opt.toolbar_vars.items():
self.toolbar.config(w, v)
#
if self.intro.progress:
self.intro.progress.update(step=1)
#
if TOOLKIT == 'kivy':
self.gproc = self.gameproc()
self.gproc.send(None)
return self._main_loop()
def runGame(self, id_, random=None):
self.top.connectApp(self)
# create game instance
g = self.getGameClass(id_)
if g is None:
id_ = 2 # start Klondike as default game
random = None
g = self.getGameClass(id_)
if g is None:
# start first available game
id_ = self.gdb.getGamesIdSortedByName()[0]
g = self.getGameClass(id_)
gi = self.getGameInfo(id_)
assert gi is not None and gi.id == id_
self.game = self.constructGame(id_)
self.gdb.setSelected(id_)
self.game.busy = 1
# create stacks and layout
self.game.create(self)
# connect with game
self.menubar.connectGame(self.game)
if self.toolbar: # ~
self.toolbar.connectGame(self.game)
self.game.updateStatus(player=self.opt.player)
# update "Recent games" menubar entry
if id_ in self.opt.recent_gameid:
self.opt.recent_gameid.remove(id_)
self.opt.recent_gameid.insert(0, id_)
del self.opt.recent_gameid[self.opt.num_recent_games:]
self.menubar.updateRecentGamesMenu(self.opt.recent_gameid)
self.menubar.updateFavoriteGamesMenu()
# hide/show "Shuffle" button
self.toolbar.config(
'shuffle',
self.opt.toolbar_vars['shuffle'] and self.game.canShuffle())
# delete intro progress bar
if self.intro.progress:
self.intro.progress.destroy()
destruct(self.intro.progress)
self.intro.progress = None
# prepare game
autoplay = 0
if self.nextgame.loadedgame is not None:
self.stats.gameid_balance = 0
self.game.restoreGame(self.nextgame.loadedgame)
destruct(self.nextgame.loadedgame)
elif self.nextgame.bookmark is not None:
self.game.restoreGameFromBookmark(self.nextgame.bookmark)
else:
self.stats.gameid_balance = 0
self.game.newGame(random=random, autoplay=0)
autoplay = 1
self.nextgame.loadedgame = None
self.nextgame.bookmark = None
# splash screen
if self.opt.splashscreen and self.splashscreen > 0:
status = help_about(self, timeout=20000, sound=0)
if status == 2: # timeout - start a demo
if autoplay:
self.nextgame.startdemo = 1
self.splashscreen = 0
# start demo/autoplay
if self.nextgame.startdemo:
self.nextgame.startdemo = 0
self.game.startDemo()
self.game.createDemoInfoText()
elif autoplay:
self.game.autoPlay()
self.game.stats.player_moves = 0
# enter the Tk mainloop
self.game.busy = 0
self.top.mainloop()
# free game
def freeGame(self):
# disconnect from game
self.menubar.connectGame(None)
self.toolbar.connectGame(None)
# clean up the canvas
self.canvas.deleteAllItems()
self.canvas.update_idletasks()
# destruct the game
if self.game:
self.game.destruct()
destruct(self.game)
self.game = None
self.top.connectApp(None)
#
# UI support
#
def wm_save_state(self):
if self.top:
s = self.top.wm_state()
# print "wm_save_state", s
if s == "zoomed": # Windows only
self.opt.wm_maximized = True
elif s == "normal":
self.opt.wm_maximized = False
def wm_withdraw(self):
if self.intro.progress:
self.intro.progress.destroy()
destruct(self.intro.progress)
self.intro.progress = None
if self.top:
wm_withdraw(self.top)
self.top.busyUpdate()
def wm_toggle_fullscreen(self):
self.opt.wm_fullscreen = not self.opt.wm_fullscreen
self.top.attributes("-fullscreen", self.opt.wm_fullscreen)
# Topmost dialogs need to be reset when toggling fullscreen.
self.raiseAll()
self.top.attributes('-topmost', False)
def raiseAll(self):
raise_find_card_dialog(self.game)
raise_full_picture_dialog(self.game)
raise_solver_dialog(self.game)
raise_help_html(self.game)
def loadImages1(self):
# load dialog images
dirname = os.path.join("images", "logos")
self.gimages.logos = []
for f in ("joker07_40_774",
"joker08_40_774",
"joker07_50_774",
"joker08_50_774",
"joker11_100_774",
"joker10_100",):
self.gimages.logos.append(self.dataloader.findImage(f, dirname))
dirname = os.path.join('images', 'dialog', self.opt.dialog_icon_style)
for f in ('error', 'info', 'question', 'warning'):
fn = self.dataloader.findImage(f, dirname)
im = loadImage(fn)
MfxMessageDialog.img[f] = im
# load button images
MfxDialog.button_img = {}
if TOOLKIT == 'tk' and self.opt.button_icon_style != 'none':
dirname = os.path.join('images', 'buttons',
self.opt.button_icon_style)
for n, f in (
(_('&OK'), 'ok'),
(_('&Select'), 'ok'),
(_('&Nice'), 'ok'),
(_('&Enjoy'), 'ok'),
(_("&Great"), 'ok'),
(_("&Cool"), 'ok'),
(_("&Yeah"), 'ok'),
(_("&Wow"), 'ok'),
(_("&Oh well"), 'ok'),
(_("&That's life"), 'ok'),
(_("&Hmm"), 'ok'),
(_('&Cancel'), 'cancel'),
(_('&Close'), 'cancel'),
(_("&Apply"), 'apply'),
(_("&Start"), 'apply'),
(_('&New'), 'new'),
(_('&New game'), 'new'),
(_('&Back to game'), 'back'),
(_('&Reset...'), 'reset'),
(_('&Restart'), 'reset'),
(_('&Rules'), 'help'),
(_('&Info...'), 'help'),
(_('&Credits'), 'help'),
(_('&Next number'), 'next'),
(_('&Play'), 'next'),
(_('&Play this game'), 'next'),
(_('C&lear'), 'clear'),
(_('&Solid color...'), 'color'),
(_('&Save to file'), 'save'),
(_('&Statistics...'), 'statistics'),
):
fn = self.dataloader.findImage(f, dirname)
im = loadImage(fn)
MfxDialog.button_img[n] = im
def loadImages2(self):
# load canvas images
dirname = os.path.join("images", "redealicons",
self.opt.redeal_icon_style)
# for f in ("noredeal", "redeal",):
self.gimages.redeal = []
for f in ("stopsign", "redeal",):
self.gimages.redeal.append(self.dataloader.findImage(f, dirname))
dirname = os.path.join("images", "demo", self.opt.demo_logo_style)
self.gimages.demo = []
foundall = False
count = 0
while not foundall:
count += 1
try:
self.gimages.demo.append(self.dataloader.findImage("demo" +
("%02d" %
(count,)),
dirname))
except OSError:
foundall = True
dirname = os.path.join("images", "pause", self.opt.pause_text_style)
self.gimages.pause = []
foundall = False
count = 0
while not foundall:
count += 1
try:
self.gimages.pause.append(self.dataloader.findImage("pause" +
("%02d" %
(count,)),
dirname))
except OSError:
foundall = True
# dirname = os.path.join("images", "stats")
# for f in ("barchart",):
# self.gimages.stats.append(self.dataloader.findImage(f, dirname))
def loadImages3(self):
# load treeview images
SelectDialogTreeData.img = []
dirname = os.path.join('images', 'tree', self.opt.tree_icon_style)
for f in ('folder', 'openfolder', 'node', 'emptynode'):
fn = self.dataloader.findImage(f, dirname)
im = loadImage(fn)
SelectDialogTreeData.img.append(im)
# load htmlviewer images
dirname = os.path.join('images', 'htmlviewer')
fn = self.dataloader.findImage('disk', dirname)
HTMLViewer.symbols_fn['disk'] = fn
def loadImages4(self):
# load all remaining images
for k, v in self.gimages.__dict__.items():
if isinstance(v, list):
for i in range(len(v)):
if isinstance(v[i], str):
v[i] = loadImage(v[i])
if self.intro.progress:
self.intro.progress.update(step=1)
self.gimages.__dict__[k] = tuple(v)
def _getImagesDir(self, *dirs, **kwargs):
check = kwargs.get('check', True)
dirs = [str(d) for d in dirs] # XXX: don't use unicode
d = os.path.join(self.dataloader.dir, 'images', *dirs)
if check:
if os.path.exists(d):
return d
return None
return d
def getFindCardImagesDir(self):
return self._getImagesDir('cards')
def getToolbarImagesDir(self):
if self.opt.toolbar_size == 2:
size = 'xlarge'
elif self.opt.toolbar_size == 1:
size = 'large'
else:
size = 'small'
style = self.opt.toolbar_style
if TOOLKIT == 'kivy':
size = 'xlarge'
style = 'remix light'
d = self._getImagesDir('toolbar', style, size)
if d:
return d
return self._getImagesDir('toolbar', 'default', size, check=False)
def setTile(self, i, scaling=-1, force=0):
if scaling == -1:
scaling = self.opt.tabletile_scale_method
if self.scrolled_canvas.setTile(self, i, scaling, force):
tile = self.tabletile_manager.get(i)
if i == 0:
self.opt.colors['table'] = tile.color
self.opt.tabletile_name = None
else:
self.opt.tabletile_name = tile.name
self.tabletile_index = i
self.tabletile_manager.setSelected(i)
return True
return False
def getFont(self, name):
return self.opt.fonts.get(name)
#
# search logic
#
def checkSearchString(self, search_string, check_string):
terms = search_string.split()
if len(terms) == 0:
return True
for term in terms:
if term.upper() not in check_string.upper():
return False
return True
#
# cardset
#
def updateCardset(self, id=0, update=7):
cs = self.images.cs
self.cardset = cs
self.nextgame.cardset = cs
# update settings
self.cardset_manager.setSelected(cs.index)
# update options
self.images.setNegative(self.opt.negative_bottom)
self.subsampled_images.setNegative(self.opt.negative_bottom)
if update & 1:
self.opt.cardset[0][0] = (cs.name, cs.backname)
if update & 2:
self.opt.cardset[cs.si.type][cs.si.subtype] = (cs.name,
cs.backname)
gi = self.getGameInfo(id)
if gi:
if update & 256:
try:
del self.opt.cardset[(1, gi.id)][gi.subcategory]
except KeyError:
pass
t = self.checkCompatibleCardsetType(gi, cs)
if not t[1]:
if update & 4:
self.opt.cardset[gi.category][gi.subcategory] = \
(cs.name, cs.backname)
if update & 8:
self.opt.cardset[(1, gi.id)][gi.subcategory] = \
(cs.name, cs.backname)
# from pprint import pprint; pprint(self.opt.cardset)
def loadCardset(self, cs, id=0, update=7, progress=None,
tocache=False, noprogress=False):
# print 'loadCardset', cs.ident
r = 0
if cs is None or cs.error:
return 0
if cs is self.cardset:
if not tocache:
self.updateCardset(id, update=update)
return 1
# cache carsets
# self.cardsets_cache:
# key: Cardset.type
# value: (Cardset.ident, Images, SubsampledImages)
c = self.cardsets_cache.get(cs.type)
if c:
c2 = c.get(cs.subtype)
if c2 and c2[0] == cs.ident:
# print 'load from cache', c
self.images, self.subsampled_images = c2[1], c2[2]
if not tocache:
self.updateCardset(id, update=update)
if self.menubar is not None:
self.menubar.updateBackgroundImagesMenu()
return 1
#
if progress is None and not noprogress:
self.wm_save_state()
self.wm_withdraw()
title = _("Loading cardset %s...") % cs.name
color = self.opt.colors['table']
if self.tabletile_index > 0:
color = "#008200"
progress = PysolProgressBar(self, self.top, title=title,
color=color,
images=self.progress_images)
images = Images(self.dataloader, cs)
images.cardset_bottoms = self.opt.use_cardset_bottoms
try:
if not images.load(app=self, progress=progress):
raise Exception("Invalid or damaged cardset")
simages = SubsampledImages(images)
if tocache:
simages.setNegative(self.opt.negative_bottom)
# The save cardsets option is deprecated, and its existence
# directly conflicts with the ability to allow previews of
# other cardset types.
# if self.opt.save_cardsets:
c = self.cardsets_cache.get(cs.type)
if c:
c2 = c.get(cs.subtype)
if c2:
# c2[1].destruct()
destruct(c2[1])
self.cardsets_cache[cs.type] = {}
self.cardsets_cache[cs.type][cs.subtype] = (cs.ident, images,
simages)
if not tocache:
# elif self.images is not None:
# # self.images.destruct()
# destruct(self.images)
#
if self.cardset:
if self.cardset.ident != cs.ident:
if self.cardset.type == cs.type:
# clear saved games geometry
self.opt.games_geometry = {}
# update
self.images = images
self.subsampled_images = simages
self.updateCardset(id, update=update)
r = 1
except (Exception, TclError, UnpicklingError) as ex:
traceback.print_exc()
cs.error = 1
# restore settings
self.nextgame.cardset = self.cardset
if self.cardset:
self.cardset_manager.setSelected(self.cardset.index)
# images.destruct()
destruct(images)
MfxExceptionDialog(
self.top, ex, title=_("Cardset load error"),
text=_("Error while loading cardset"))
self.intro.progress = progress
if r and not tocache and self.menubar is not None:
self.menubar.updateBackgroundImagesMenu()
return r
def checkCompatibleCardsetType(self, gi, cs):
assert gi is not None
cs_type = "None"
cs_subtype = "None"
gc = gi.category
gs = gi.subcategory
if cs is not None:
cs_type = cs.si.type
cs_subtype = cs.si.subtype
t0, t1 = None, None
if gc == GI.GC_FRENCH:
t0 = "French"
if cs_type not in (CSI.TYPE_FRENCH,
# CSI.TYPE_TAROCK,
):
t1 = t0
if (cs_subtype == CSI.SUBTYPE_NONE
and gs == CSI.SUBTYPE_JOKER_DECK):
t1 = t0
elif gc == GI.GC_HANAFUDA:
t0 = "Hanafuda"
if cs_type not in (CSI.TYPE_HANAFUDA,):
t1 = t0
elif gc == GI.GC_TAROCK:
t0 = "Tarock"
if cs_type not in (CSI.TYPE_TAROCK,):
t1 = t0
elif gc == GI.GC_MAHJONGG:
t0 = "Mahjongg"
if cs_type not in (CSI.TYPE_MAHJONGG,):
t1 = t0
elif gc == GI.GC_HEXADECK:
t0 = "Hex A Deck"
if cs_type not in (CSI.TYPE_HEXADECK,):
t1 = t0
elif gc == GI.GC_MUGHAL_GANJIFA:
t0 = "Mughal Ganjifa"
if cs_type not in (CSI.TYPE_MUGHAL_GANJIFA,
CSI.TYPE_NAVAGRAHA_GANJIFA,
CSI.TYPE_DASHAVATARA_GANJIFA,):
t1 = t0
elif gc == GI.GC_NAVAGRAHA_GANJIFA:
t0 = "Navagraha Ganjifa"
if cs_type not in (CSI.TYPE_NAVAGRAHA_GANJIFA,
CSI.TYPE_DASHAVATARA_GANJIFA,):
t1 = t0
elif gc == GI.GC_DASHAVATARA_GANJIFA:
t0 = "Dashavatara Ganjifa"
if cs_type not in (CSI.TYPE_DASHAVATARA_GANJIFA,):
t1 = t0
elif gc == GI.GC_TRUMP_ONLY:
t0 = "Trump only"
if cs_type not in (CSI.TYPE_TRUMP_ONLY,):
t1 = t0
elif len(cs.trumps) < gi.ncards: # not enough cards
t1 = t0
elif gc == GI.GC_MATCHING:
t0 = "Matching"
if cs.ncards < (gi.ncards / 2): # not enough cards
t1 = t0
elif gc == GI.GC_PUZZLE:
t0 = "Puzzle"
if cs_type not in (CSI.TYPE_PUZZLE,) or cs_subtype != gs:
t1 = t0
elif gc == GI.GC_ISHIDO:
t0 = "Ishido"
if cs_type not in (CSI.TYPE_ISHIDO,):
t1 = t0
else:
# we should not come here
t0 = t1 = "Unknown"
return t0, t1
def getCompatibleCardset(self, gi, cs, trychange=True):
if gi is None:
return cs, 1, None
t = self.checkCompatibleCardsetType(gi, cs)
# try current
if cs:
if not t[1]:
return cs, 1, t
if trychange:
# try by gameid / category
for key, flag in (((1, gi.id), 8), (gi.category, 4)):
c = self.opt.cardset.get(key)
c2 = None
if c:
c2 = c.get(gi.subcategory)
if not c2 or len(c2) != 2:
continue
cs = self.cardset_manager.getByName(c2[0])
if not cs:
continue
t = self.checkCompatibleCardsetType(gi, cs)
if not t[1]:
cs.updateCardback(backname=c2[1])
return cs, flag, t
# ask
return None, 0, t
def requestCompatibleCardsetType(self, id, progress=None):
gi = self.getGameInfo(id)
#
cs, cs_update_flag, t = self.getCompatibleCardset(gi, self.cardset)
if cs is self.cardset:
return 0
if cs is not None:
self.loadCardset(cs, update=1, progress=progress)
return 1
self.requestCompatibleCardsetTypeDialog(self.cardset, gi, t)
cs = self.__selectCardsetDialog(t)
if cs is None:
return -1
self.loadCardset(cs, id=id, progress=progress)
return 1
def requestCompatibleCardsetTypeDialog(self, cardset, gi, t):
MfxMessageDialog(
self.top, title=_("Incompatible cardset"),
bitmap="warning",
text=_('''The currently selected cardset %(cardset)s
is not compatible with the game
%(game)s
Please select a %(correct_type)s type cardset.
''') % {'cardset': cardset.name, 'game': gi.name,
'correct_type': t[0]}, strings=(_("&OK"),), default=0)
def selectCardset(self, title, key):
d = SelectCardsetDialogWithPreview(
self.top, title=title, app=self,
manager=self.cardset_manager, key=key)
cs = self.cardset_manager.get(d.key)
if d.status != 0 or d.button != 0 or d.key < 0 or cs is None:
return None
changed = False
if USE_PIL:
if (self.opt.scale_x, self.opt.scale_y,
self.opt.auto_scale, self.opt.spread_stacks,
self.opt.preserve_aspect_ratio) != \
d.scale_values or \
(cs.CARD_XOFFSET, cs.CARD_YOFFSET) != d.cardset_values:
changed = True
if d.key == self.cardset.index and not changed:
return None
if USE_PIL:
(self.opt.scale_x,
self.opt.scale_y,
self.opt.auto_scale,
self.opt.spread_stacks,
self.opt.preserve_aspect_ratio) = d.scale_values
if not self.opt.auto_scale:
self.images.resize(self.opt.scale_x, self.opt.scale_y,
resample=self.opt.resampling)
if d.cardset_values:
cs.CARD_XOFFSET, cs.CARD_YOFFSET = d.cardset_values
self.opt.offsets[cs.ident] = d.cardset_values
self.images.setOffsets()
return cs
def __selectCardsetDialog(self, t):
cs = self.selectCardset(
_("Please select a %s type cardset") % t[0],
self.cardset.index)
return cs