forked from tweecode/twine
-
Notifications
You must be signed in to change notification settings - Fork 0
/
storyframe.py
1340 lines (1050 loc) · 55.4 KB
/
storyframe.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
import sys, re, os, urllib, urlparse, pickle, wx, codecs, time, tempfile, images, version
from wx.lib import imagebrowser
from tiddlywiki import TiddlyWiki
from storypanel import StoryPanel
from passagewidget import PassageWidget
from statisticsdialog import StatisticsDialog
from storysearchframes import StoryFindFrame, StoryReplaceFrame
from storymetadataframe import StoryMetadataFrame
class StoryFrame(wx.Frame):
"""
A StoryFrame displays an entire story. Its main feature is an
instance of a StoryPanel, but it also has a menu bar and toolbar.
"""
def __init__(self, parent, app, state=None, refreshIncludes=True):
wx.Frame.__init__(self, parent, wx.ID_ANY, title=StoryFrame.DEFAULT_TITLE, \
size=StoryFrame.DEFAULT_SIZE)
self.app = app
self.parent = parent
self.pristine = True # the user has not added any content to this at all
self.dirty = False # the user has not made unsaved changes
self.storyFormats = {} # list of available story formats
self.lastTestBuild = None
self.title = ""
# inner state
if (state):
self.buildDestination = state.get('buildDestination', '')
self.saveDestination = state.get('saveDestination', '')
self.setTarget(state.get('target', 'sugarcane').lower())
self.metadata = state.get('metadata', {})
self.storyPanel = StoryPanel(self, app, state=state['storyPanel'])
self.pristine = False
else:
self.buildDestination = ''
self.saveDestination = ''
self.metadata = {}
self.setTarget('sugarcane')
self.storyPanel = StoryPanel(self, app)
if refreshIncludes:
self.storyPanel.refreshIncludedPassageList()
# window events
self.Bind(wx.EVT_CLOSE, self.checkClose)
self.Bind(wx.EVT_UPDATE_UI, self.updateUI)
# Timer for the auto build file watcher
self.autobuildtimer = wx.Timer(self)
self.Bind(wx.EVT_TIMER, self.autoBuildTick, self.autobuildtimer)
# File menu
fileMenu = wx.Menu()
fileMenu.Append(wx.ID_NEW, '&New Story\tCtrl-Shift-N')
self.Bind(wx.EVT_MENU, self.app.newStory, id=wx.ID_NEW)
fileMenu.Append(wx.ID_OPEN, '&Open Story...\tCtrl-O')
self.Bind(wx.EVT_MENU, self.app.openDialog, id=wx.ID_OPEN)
recentFilesMenu = wx.Menu()
self.recentFiles = wx.FileHistory(self.app.RECENT_FILES)
self.recentFiles.Load(self.app.config)
self.app.verifyRecentFiles(self)
self.recentFiles.UseMenu(recentFilesMenu)
self.recentFiles.AddFilesToThisMenu(recentFilesMenu)
fileMenu.AppendMenu(wx.ID_ANY, 'Open &Recent', recentFilesMenu)
self.Bind(wx.EVT_MENU, lambda e: self.app.openRecent(self, 0), id=wx.ID_FILE1)
self.Bind(wx.EVT_MENU, lambda e: self.app.openRecent(self, 1), id=wx.ID_FILE2)
self.Bind(wx.EVT_MENU, lambda e: self.app.openRecent(self, 2), id=wx.ID_FILE3)
self.Bind(wx.EVT_MENU, lambda e: self.app.openRecent(self, 3), id=wx.ID_FILE4)
self.Bind(wx.EVT_MENU, lambda e: self.app.openRecent(self, 4), id=wx.ID_FILE5)
self.Bind(wx.EVT_MENU, lambda e: self.app.openRecent(self, 5), id=wx.ID_FILE6)
self.Bind(wx.EVT_MENU, lambda e: self.app.openRecent(self, 6), id=wx.ID_FILE7)
self.Bind(wx.EVT_MENU, lambda e: self.app.openRecent(self, 7), id=wx.ID_FILE8)
self.Bind(wx.EVT_MENU, lambda e: self.app.openRecent(self, 8), id=wx.ID_FILE9)
self.Bind(wx.EVT_MENU, lambda e: self.app.openRecent(self, 9), id=wx.ID_FILE9 + 1)
fileMenu.AppendSeparator()
fileMenu.Append(wx.ID_SAVE, '&Save Story\tCtrl-S')
self.Bind(wx.EVT_MENU, self.save, id=wx.ID_SAVE)
fileMenu.Append(wx.ID_SAVEAS, 'S&ave Story As...\tCtrl-Shift-S')
self.Bind(wx.EVT_MENU, self.saveAs, id=wx.ID_SAVEAS)
fileMenu.Append(wx.ID_REVERT_TO_SAVED, '&Revert to Saved')
self.Bind(wx.EVT_MENU, self.revert, id=wx.ID_REVERT_TO_SAVED)
fileMenu.AppendSeparator()
# Import submenu
importMenu = wx.Menu()
importMenu.Append(StoryFrame.FILE_IMPORT_HTML, 'Compiled &HTML File...')
self.Bind(wx.EVT_MENU, self.importHtmlDialog, id=StoryFrame.FILE_IMPORT_HTML)
importMenu.Append(StoryFrame.FILE_IMPORT_SOURCE, 'Twee Source &Code...')
self.Bind(wx.EVT_MENU, self.importSourceDialog, id=StoryFrame.FILE_IMPORT_SOURCE)
fileMenu.AppendMenu(wx.ID_ANY, '&Import', importMenu)
# Export submenu
exportMenu = wx.Menu()
exportMenu.Append(StoryFrame.FILE_EXPORT_SOURCE, 'Twee Source &Code...')
self.Bind(wx.EVT_MENU, self.exportSource, id=StoryFrame.FILE_EXPORT_SOURCE)
exportMenu.Append(StoryFrame.FILE_EXPORT_PROOF, '&Proofing Copy...')
self.Bind(wx.EVT_MENU, self.proof, id=StoryFrame.FILE_EXPORT_PROOF)
fileMenu.AppendMenu(wx.ID_ANY, '&Export', exportMenu)
fileMenu.AppendSeparator()
fileMenu.Append(wx.ID_CLOSE, '&Close Story\tCtrl-W')
self.Bind(wx.EVT_MENU, self.checkCloseMenu, id=wx.ID_CLOSE)
fileMenu.Append(wx.ID_EXIT, 'E&xit Twine\tCtrl-Q')
self.Bind(wx.EVT_MENU, lambda e: self.app.exit(), id=wx.ID_EXIT)
# Edit menu
editMenu = wx.Menu()
editMenu.Append(wx.ID_UNDO, '&Undo\tCtrl-Z')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.undo(), id=wx.ID_UNDO)
if sys.platform == 'darwin':
shortcut = 'Ctrl-Shift-Z'
else:
shortcut = 'Ctrl-Y'
editMenu.Append(wx.ID_REDO, '&Redo\t' + shortcut)
self.Bind(wx.EVT_MENU, lambda e: self.bodyInput.Redo(), id=wx.ID_REDO)
editMenu.AppendSeparator()
editMenu.Append(wx.ID_CUT, 'Cu&t\tCtrl-X')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.cutWidgets(), id=wx.ID_CUT)
editMenu.Append(wx.ID_COPY, '&Copy\tCtrl-C')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.copyWidgets(), id=wx.ID_COPY)
editMenu.Append(wx.ID_PASTE, '&Paste\tCtrl-V')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.pasteWidgets(), id=wx.ID_PASTE)
editMenu.Append(wx.ID_DELETE, '&Delete\tDel')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.removeWidgets(e, saveUndo=True), id=wx.ID_DELETE)
editMenu.Append(wx.ID_SELECTALL, 'Select &All\tCtrl-A')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.eachWidget(lambda i: i.setSelected(True, exclusive=False)),
id=wx.ID_SELECTALL)
editMenu.AppendSeparator()
editMenu.Append(wx.ID_FIND, 'Find...\tCtrl-F')
self.Bind(wx.EVT_MENU, self.showFind, id=wx.ID_FIND)
editMenu.Append(StoryFrame.EDIT_FIND_NEXT, 'Find Next\tCtrl-G')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.findWidgetRegexp(), id=StoryFrame.EDIT_FIND_NEXT)
if sys.platform == 'darwin':
shortcut = 'Ctrl-Shift-H'
else:
shortcut = 'Ctrl-H'
editMenu.Append(wx.ID_REPLACE, 'Replace Across Story...\t' + shortcut)
self.Bind(wx.EVT_MENU, self.showReplace, id=wx.ID_REPLACE)
editMenu.AppendSeparator()
editMenu.Append(wx.ID_PREFERENCES, 'Preferences...\tCtrl-,')
self.Bind(wx.EVT_MENU, self.app.showPrefs, id=wx.ID_PREFERENCES)
# View menu
viewMenu = wx.Menu()
viewMenu.Append(wx.ID_ZOOM_IN, 'Zoom &In\t=')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.zoom('in'), id=wx.ID_ZOOM_IN)
viewMenu.Append(wx.ID_ZOOM_OUT, 'Zoom &Out\t-')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.zoom('out'), id=wx.ID_ZOOM_OUT)
viewMenu.Append(wx.ID_ZOOM_FIT, 'Zoom to &Fit\t0')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.zoom('fit'), id=wx.ID_ZOOM_FIT)
viewMenu.Append(wx.ID_ZOOM_100, 'Zoom &100%\t1')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.zoom(1), id=wx.ID_ZOOM_100)
viewMenu.AppendSeparator()
viewMenu.Append(StoryFrame.VIEW_SNAP, 'Snap to &Grid', kind=wx.ITEM_CHECK)
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.toggleSnapping(), id=StoryFrame.VIEW_SNAP)
viewMenu.Append(StoryFrame.VIEW_CLEANUP, '&Clean Up Passages')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.cleanup(), id=StoryFrame.VIEW_CLEANUP)
viewMenu.AppendSeparator()
viewMenu.Append(StoryFrame.VIEW_TOOLBAR, '&Toolbar', kind=wx.ITEM_CHECK)
self.Bind(wx.EVT_MENU, self.toggleToolbar, id=StoryFrame.VIEW_TOOLBAR)
# Story menu
self.storyMenu = wx.Menu()
# New Passage submenu
self.newPassageMenu = wx.Menu()
self.newPassageMenu.Append(StoryFrame.STORY_NEW_PASSAGE, '&Passage\tCtrl-N')
self.Bind(wx.EVT_MENU, self.storyPanel.newWidget, id=StoryFrame.STORY_NEW_PASSAGE)
self.newPassageMenu.AppendSeparator()
self.newPassageMenu.Append(StoryFrame.STORY_NEW_STYLESHEET, 'S&tylesheet')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.newWidget(text=self.storyPanel.FIRST_CSS, \
tags=['stylesheet']),
id=StoryFrame.STORY_NEW_STYLESHEET)
self.newPassageMenu.Append(StoryFrame.STORY_NEW_SCRIPT, '&Script')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.newWidget(tags=['script']), id=StoryFrame.STORY_NEW_SCRIPT)
self.newPassageMenu.Append(StoryFrame.STORY_NEW_ANNOTATION, '&Annotation')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.newWidget(tags=['annotation']),
id=StoryFrame.STORY_NEW_ANNOTATION)
self.storyMenu.AppendMenu(wx.ID_ANY, 'New', self.newPassageMenu)
self.storyMenu.Append(wx.ID_EDIT, '&Edit Passage\tCtrl-E')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.eachSelectedWidget(lambda w: w.openEditor(e)), id=wx.ID_EDIT)
self.storyMenu.Append(StoryFrame.STORY_EDIT_FULLSCREEN, 'Edit in &Fullscreen\tF12')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.eachSelectedWidget(lambda w: w.openEditor(e, fullscreen=True)), \
id=StoryFrame.STORY_EDIT_FULLSCREEN)
self.storyMenu.AppendSeparator()
self.importImageMenu = wx.Menu()
self.importImageMenu.Append(StoryFrame.STORY_IMPORT_IMAGE, 'From &File...')
self.Bind(wx.EVT_MENU, self.importImageDialog, id=StoryFrame.STORY_IMPORT_IMAGE)
self.importImageMenu.Append(StoryFrame.STORY_IMPORT_IMAGE_URL, 'From Web &URL...')
self.Bind(wx.EVT_MENU, self.importImageURLDialog, id=StoryFrame.STORY_IMPORT_IMAGE_URL)
self.storyMenu.AppendMenu(wx.ID_ANY, 'Import &Image', self.importImageMenu)
self.storyMenu.Append(StoryFrame.STORY_IMPORT_FONT, 'Import &Font...')
self.Bind(wx.EVT_MENU, self.importFontDialog, id=StoryFrame.STORY_IMPORT_FONT)
self.storyMenu.AppendSeparator()
# Story Settings submenu
self.storySettingsMenu = wx.Menu()
self.storySettingsMenu.Append(StoryFrame.STORYSETTINGS_START, 'Start')
self.Bind(wx.EVT_MENU, self.createInfoPassage, id=StoryFrame.STORYSETTINGS_START)
self.storySettingsMenu.Append(StoryFrame.STORYSETTINGS_TITLE, 'StoryTitle')
self.Bind(wx.EVT_MENU, self.createInfoPassage, id=StoryFrame.STORYSETTINGS_TITLE)
self.storySettingsMenu.Append(StoryFrame.STORYSETTINGS_SUBTITLE, 'StorySubtitle')
self.Bind(wx.EVT_MENU, self.createInfoPassage, id=StoryFrame.STORYSETTINGS_SUBTITLE)
self.storySettingsMenu.Append(StoryFrame.STORYSETTINGS_AUTHOR, 'StoryAuthor')
self.Bind(wx.EVT_MENU, self.createInfoPassage, id=StoryFrame.STORYSETTINGS_AUTHOR)
self.storySettingsMenu.Append(StoryFrame.STORYSETTINGS_MENU, 'StoryMenu')
self.Bind(wx.EVT_MENU, self.createInfoPassage, id=StoryFrame.STORYSETTINGS_MENU)
self.storySettingsMenu.Append(StoryFrame.STORYSETTINGS_INIT, 'StoryInit')
self.Bind(wx.EVT_MENU, self.createInfoPassage, id=StoryFrame.STORYSETTINGS_INIT)
# Separator for 'visible' passages (title, subtitle) and those that solely affect compilation
self.storySettingsMenu.AppendSeparator()
self.storySettingsMenu.Append(StoryFrame.STORYSETTINGS_SETTINGS, 'StorySettings')
self.Bind(wx.EVT_MENU, self.createInfoPassage, id=StoryFrame.STORYSETTINGS_SETTINGS)
self.storySettingsMenu.Append(StoryFrame.STORYSETTINGS_INCLUDES, 'StoryIncludes')
self.Bind(wx.EVT_MENU, self.createInfoPassage, id=StoryFrame.STORYSETTINGS_INCLUDES)
self.storySettingsMenu.AppendSeparator()
self.storySettingsMenu.Append(StoryFrame.STORYSETTINGS_HELP, 'About Special Passages')
self.Bind(wx.EVT_MENU, lambda e: wx.LaunchDefaultBrowser('http://twinery.org/wiki/special_passages'),
id=StoryFrame.STORYSETTINGS_HELP)
self.storyMenu.AppendMenu(wx.ID_ANY, 'Special Passages', self.storySettingsMenu)
self.storyMenu.AppendSeparator()
self.storyMenu.Append(StoryFrame.REFRESH_INCLUDES_LINKS, 'Update StoryIncludes Links')
self.Bind(wx.EVT_MENU, lambda e: self.storyPanel.refreshIncludedPassageList(),
id=StoryFrame.REFRESH_INCLUDES_LINKS)
self.storyMenu.AppendSeparator()
# Story Format submenu
storyFormatMenu = wx.Menu()
storyFormatCounter = StoryFrame.STORY_FORMAT_BASE
for key in sorted(app.headers.keys()):
header = app.headers[key]
storyFormatMenu.Append(storyFormatCounter, header.label, kind=wx.ITEM_CHECK)
self.Bind(wx.EVT_MENU, lambda e, target=key: self.setTarget(target), id=storyFormatCounter)
self.storyFormats[storyFormatCounter] = header
storyFormatCounter += 1
if storyFormatCounter:
storyFormatMenu.AppendSeparator()
storyFormatMenu.Append(StoryFrame.STORY_FORMAT_HELP, '&About Story Formats')
self.Bind(wx.EVT_MENU, lambda e: self.app.storyFormatHelp(), id=StoryFrame.STORY_FORMAT_HELP)
self.storyMenu.AppendMenu(wx.ID_ANY, 'Story &Format', storyFormatMenu)
self.storyMenu.Append(StoryFrame.STORY_METADATA, 'Story &Metadata...')
self.Bind(wx.EVT_MENU, self.showMetadata, id=StoryFrame.STORY_METADATA)
self.storyMenu.Append(StoryFrame.STORY_STATS, 'Story &Statistics\tCtrl-I')
self.Bind(wx.EVT_MENU, self.stats, id=StoryFrame.STORY_STATS)
# Build menu
buildMenu = wx.Menu()
buildMenu.Append(StoryFrame.BUILD_TEST, '&Test Play\tCtrl-T')
self.Bind(wx.EVT_MENU, self.testBuild, id=StoryFrame.BUILD_TEST)
buildMenu.Append(StoryFrame.BUILD_TEST_HERE, 'Test Play From Here\tCtrl-Shift-T')
self.Bind(wx.EVT_MENU,
lambda e: self.storyPanel.eachSelectedWidget(lambda w: self.testBuild(startAt=w.passage.title)), \
id=StoryFrame.BUILD_TEST_HERE)
buildMenu.Append(StoryFrame.BUILD_VERIFY, '&Verify All Passages')
self.Bind(wx.EVT_MENU, self.verify, id=StoryFrame.BUILD_VERIFY)
buildMenu.AppendSeparator()
buildMenu.Append(StoryFrame.BUILD_BUILD, '&Build Story...\tCtrl-B')
self.Bind(wx.EVT_MENU, self.build, id=StoryFrame.BUILD_BUILD)
buildMenu.Append(StoryFrame.BUILD_REBUILD, '&Rebuild Story\tCtrl-R')
self.Bind(wx.EVT_MENU, self.rebuild, id=StoryFrame.BUILD_REBUILD)
buildMenu.Append(StoryFrame.BUILD_VIEW_LAST, '&Rebuild and View\tCtrl-L')
self.Bind(wx.EVT_MENU, lambda e: self.rebuild(displayAfter=True), id=StoryFrame.BUILD_VIEW_LAST)
buildMenu.AppendSeparator()
self.autobuildmenuitem = buildMenu.Append(StoryFrame.BUILD_AUTO_BUILD, '&Auto Build', kind=wx.ITEM_CHECK)
self.Bind(wx.EVT_MENU, self.autoBuild, self.autobuildmenuitem)
buildMenu.Check(StoryFrame.BUILD_AUTO_BUILD, False)
# Help menu
helpMenu = wx.Menu()
helpMenu.Append(StoryFrame.HELP_MANUAL, 'Twine &Wiki')
self.Bind(wx.EVT_MENU, self.app.openDocs, id=StoryFrame.HELP_MANUAL)
helpMenu.Append(StoryFrame.HELP_FORUM, 'Twine &Forum')
self.Bind(wx.EVT_MENU, self.app.openForum, id=StoryFrame.HELP_FORUM)
helpMenu.Append(StoryFrame.HELP_GITHUB, 'Twine\'s Source Code on &GitHub')
self.Bind(wx.EVT_MENU, self.app.openGitHub, id=StoryFrame.HELP_GITHUB)
helpMenu.AppendSeparator()
helpMenu.Append(wx.ID_ABOUT, '&About Twine')
self.Bind(wx.EVT_MENU, self.app.about, id=wx.ID_ABOUT)
# add menus
self.menus = wx.MenuBar()
self.menus.Append(fileMenu, '&File')
self.menus.Append(editMenu, '&Edit')
self.menus.Append(viewMenu, '&View')
self.menus.Append(self.storyMenu, '&Story')
self.menus.Append(buildMenu, '&Build')
self.menus.Append(helpMenu, '&Help')
self.SetMenuBar(self.menus)
# enable/disable paste menu option depending on clipboard contents
self.clipboardMonitor = ClipboardMonitor(self.menus.FindItemById(wx.ID_PASTE).Enable)
self.clipboardMonitor.Start(100)
# extra shortcuts
self.SetAcceleratorTable(wx.AcceleratorTable([ \
(wx.ACCEL_NORMAL, wx.WXK_RETURN, wx.ID_EDIT), \
(wx.ACCEL_CTRL, wx.WXK_RETURN, StoryFrame.STORY_EDIT_FULLSCREEN) \
]))
iconPath = self.app.iconsPath
self.toolbar = self.CreateToolBar(style=wx.TB_FLAT | wx.TB_NODIVIDER)
self.toolbar.SetToolBitmapSize((StoryFrame.TOOLBAR_ICON_SIZE, StoryFrame.TOOLBAR_ICON_SIZE))
self.toolbar.AddLabelTool(StoryFrame.STORY_NEW_PASSAGE, 'New Passage', \
wx.Bitmap(iconPath + 'newpassage.png'), \
shortHelp=StoryFrame.NEW_PASSAGE_TOOLTIP)
self.Bind(wx.EVT_TOOL, lambda e: self.storyPanel.newWidget(), id=StoryFrame.STORY_NEW_PASSAGE)
self.toolbar.AddSeparator()
self.toolbar.AddLabelTool(wx.ID_ZOOM_IN, 'Zoom In', \
wx.Bitmap(iconPath + 'zoomin.png'), \
shortHelp=StoryFrame.ZOOM_IN_TOOLTIP)
self.Bind(wx.EVT_TOOL, lambda e: self.storyPanel.zoom('in'), id=wx.ID_ZOOM_IN)
self.toolbar.AddLabelTool(wx.ID_ZOOM_OUT, 'Zoom Out', \
wx.Bitmap(iconPath + 'zoomout.png'), \
shortHelp=StoryFrame.ZOOM_OUT_TOOLTIP)
self.Bind(wx.EVT_TOOL, lambda e: self.storyPanel.zoom('out'), id=wx.ID_ZOOM_OUT)
self.toolbar.AddLabelTool(wx.ID_ZOOM_FIT, 'Zoom to Fit', \
wx.Bitmap(iconPath + 'zoomfit.png'), \
shortHelp=StoryFrame.ZOOM_FIT_TOOLTIP)
self.Bind(wx.EVT_TOOL, lambda e: self.storyPanel.zoom('fit'), id=wx.ID_ZOOM_FIT)
self.toolbar.AddLabelTool(wx.ID_ZOOM_100, 'Zoom to 100%', \
wx.Bitmap(iconPath + 'zoom1.png'), \
shortHelp=StoryFrame.ZOOM_ONE_TOOLTIP)
self.Bind(wx.EVT_TOOL, lambda e: self.storyPanel.zoom(1.0), id=wx.ID_ZOOM_100)
self.SetIcon(self.app.icon)
if app.config.ReadBool('storyFrameToolbar'):
self.showToolbar = True
self.toolbar.Realize()
else:
self.showToolbar = False
self.toolbar.Realize()
self.toolbar.Hide()
def revert(self, event=None):
"""Reverts to the last saved version of the story file."""
bits = os.path.splitext(self.saveDestination)
title = '"' + os.path.basename(bits[0]) + '"'
if title == '""': title = 'your story'
message = 'Revert to the last saved version of ' + title + '?'
dialog = wx.MessageDialog(self, message, 'Revert to Saved', wx.ICON_WARNING | wx.YES_NO | wx.NO_DEFAULT)
if (dialog.ShowModal() == wx.ID_YES):
self.Destroy()
self.app.open(self.saveDestination)
self.dirty = False;
self.checkClose(None)
def checkClose(self, event):
self.checkCloseDo(event, byMenu=False)
def checkCloseMenu(self, event):
self.checkCloseDo(event, byMenu=True)
def checkCloseDo(self, event, byMenu):
"""
If this instance's dirty flag is set, asks the user if they want to save the changes.
"""
if (self.dirty):
bits = os.path.splitext(self.saveDestination)
title = '"' + os.path.basename(bits[0]) + '"'
if title == '""': title = 'your story'
message = 'Do you want to save the changes to ' + title + ' before closing?'
dialog = wx.MessageDialog(self, message, 'Unsaved Changes', \
wx.ICON_WARNING | wx.YES_NO | wx.CANCEL | wx.YES_DEFAULT)
result = dialog.ShowModal();
if (result == wx.ID_CANCEL):
event.Veto()
return
elif (result == wx.ID_NO):
self.dirty = False
else:
self.save(None)
if self.dirty:
event.Veto()
return
# ask all our widgets to close any editor windows
for w in list(self.storyPanel.widgetDict.itervalues()):
if isinstance(w, PassageWidget):
w.closeEditor()
if self.lastTestBuild and os.path.exists(self.lastTestBuild.name):
try:
os.remove(self.lastTestBuild.name)
except OSError, ex:
print >> sys.stderr, 'Failed to remove lastest test build:', ex
self.lastTestBuild = None
self.app.removeStory(self, byMenu)
if event != None:
event.Skip()
self.Destroy()
def saveAs(self, event=None):
"""Asks the user to choose a file to save state to, then passes off control to save()."""
dialog = wx.FileDialog(self, 'Save Story As', os.getcwd(), "", \
"Twine Story (*.tws)|*.tws|Twine Story without private content [copy] (*.tws)|*.tws", \
wx.FD_SAVE | wx.FD_OVERWRITE_PROMPT | wx.FD_CHANGE_DIR)
if dialog.ShowModal() == wx.ID_OK:
if dialog.GetFilterIndex() == 0:
self.saveDestination = dialog.GetPath()
self.app.config.Write('savePath', os.getcwd())
self.app.addRecentFile(self.saveDestination)
self.save(None)
elif dialog.GetFilterIndex() == 1:
npsavedestination = dialog.GetPath()
try:
dest = open(npsavedestination, 'wb')
pickle.dump(self.serialize_noprivate(npsavedestination), dest)
dest.close()
self.app.addRecentFile(npsavedestination)
except:
self.app.displayError('saving your story')
dialog.Destroy()
def exportSource(self, event=None):
"""Asks the user to choose a file to export source to, then exports the wiki."""
dialog = wx.FileDialog(self, 'Export Source Code', os.getcwd(), "", \
'Twee File (*.twee;* .tw; *.txt)|*.twee;*.tw;*.txt|All Files (*.*)|*.*',
wx.FD_SAVE | wx.FD_OVERWRITE_PROMPT | wx.FD_CHANGE_DIR)
if dialog.ShowModal() == wx.ID_OK:
try:
path = dialog.GetPath()
tw = TiddlyWiki()
for widget in self.storyPanel.widgetDict.itervalues(): tw.addTiddler(widget.passage)
dest = codecs.open(path, 'w', 'utf-8-sig', 'replace')
order = map(lambda w: w.passage.title, self.storyPanel.sortedWidgets())
dest.write(tw.toTwee(order))
dest.close()
except:
self.app.displayError('exporting your source code')
dialog.Destroy()
def importHtmlDialog(self, event=None):
"""Asks the user to choose a file to import HTML tiddlers from, then imports into the current story."""
dialog = wx.FileDialog(self, 'Import From Compiled HTML', os.getcwd(), '', \
'HTML Twine game (*.html;* .htm; *.txt)|*.html;*.htm;*.txt|All Files (*.*)|*.*',
wx.FD_OPEN | wx.FD_CHANGE_DIR)
if dialog.ShowModal() == wx.ID_OK:
self.importHtml(dialog.GetPath())
def importHtml(self, path):
"""Imports the tiddler objects in a HTML file into the story."""
self.importSource(path, True)
def importSourceDialog(self, event=None):
"""Asks the user to choose a file to import source from, then imports into the current story."""
dialog = wx.FileDialog(self, 'Import Source Code', os.getcwd(), '', \
'Twee File (*.twee;* .tw; *.txt)|*.twee;*.tw;*.txt|All Files (*.*)|*.*',
wx.FD_OPEN | wx.FD_CHANGE_DIR)
if dialog.ShowModal() == wx.ID_OK:
self.importSource(dialog.GetPath())
def importSource(self, path, html=False):
"""Imports the tiddler objects in a Twee file into the story."""
try:
# have a TiddlyWiki object parse it for us
tw = TiddlyWiki()
if html:
tw.addHtmlFromFilename(path)
else:
tw.addTweeFromFilename(path)
allWidgetTitles = []
self.storyPanel.eachWidget(lambda e: allWidgetTitles.append(e.passage.title))
# add passages for each of the tiddlers the TiddlyWiki saw
if len(tw.tiddlers):
removedWidgets = []
skippedTitles = []
# Check for passage title conflicts
for t in tw.tiddlers:
if t in allWidgetTitles:
dialog = wx.MessageDialog(self, 'There is already a passage titled "' + t \
+ '" in this story. Replace it with the imported passage?',
'Passage Title Conflict', \
wx.ICON_WARNING | wx.YES_NO | wx.CANCEL | wx.YES_DEFAULT);
check = dialog.ShowModal();
if check == wx.ID_YES:
removedWidgets.append(t)
elif check == wx.ID_CANCEL:
return
elif check == wx.ID_NO:
skippedTitles.append(t)
# Remove widgets elected to be replaced
for t in removedWidgets:
self.storyPanel.removeWidget(self.storyPanel.findWidget(t))
# Insert widgets now
lastpos = [0, 0]
addedWidgets = []
for t in tw.tiddlers:
t = tw.tiddlers[t]
if t.title in skippedTitles:
continue
new = self.storyPanel.newWidget(title=t.title, tags=t.tags, text=t.text, quietly=True,
pos=t.pos if t.pos else lastpos)
lastpos = new.pos
addedWidgets.append(new)
self.setDirty(True, 'Import')
for t in addedWidgets:
t.clearPaintCache()
else:
if html:
what = "compiled HTML"
else:
what = "Twee source"
dialog = wx.MessageDialog(self, 'No passages were found in this file. Make sure ' + \
'this is a ' + what + ' file.', 'No Passages Found', \
wx.ICON_INFORMATION | wx.OK)
dialog.ShowModal()
except:
self.app.displayError('importing')
def importImageURL(self, url, showdialog=True):
"""
Downloads the image file from the url and creates a passage.
Returns the resulting passage name, or None
"""
try:
# Download the file
urlfile = urllib.urlopen(url)
path = urlparse.urlsplit(url)[2]
title = os.path.splitext(os.path.basename(path))[0]
file = urlfile.read().encode('base64').replace('\n', '')
# Now that the file's read, check the info
maintype = urlfile.info().getmaintype();
if maintype != "image":
self.app.displayError("importing from the web: The server served " + maintype + " instead of an image",
stacktrace=False)
return None
# Convert the file
mimeType = urlfile.info().gettype()
urlfile.close()
text = "data:" + mimeType + ";base64," + file
return self.finishImportImage(text, title, showdialog=showdialog)
except:
self.app.displayError('importing from the web')
return None
def importImageURLDialog(self, event=None):
dialog = wx.TextEntryDialog(self, "Enter the image URL (GIFs, JPEGs, PNGs, SVGs and WebPs only)",
"Import Image from Web", "http://")
if dialog.ShowModal() == wx.ID_OK:
self.importImageURL(dialog.GetValue())
def importImageFile(self, file, replace=None, showdialog=True):
"""
Perform the file I/O to import an image file, then add it as an image passage.
Returns the name of the resulting passage, or None
"""
try:
if not replace:
text, title = self.openFileAsBase64(file)
return self.finishImportImage(text, title, showdialog=showdialog)
else:
replace.passage.text = self.openFileAsBase64(file)[0]
replace.updateBitmap()
return replace.passage.title
except IOError:
self.app.displayError('importing an image')
return None
def importImageDialog(self, event=None, useImageDialog=False, replace=None):
"""Asks the user to choose an image file to import, then imports into the current story.
replace is a Tiddler, if any, that will be replaced by the image."""
# Use the wxPython image browser?
if useImageDialog:
dialog = imagebrowser.ImageDialog(self, os.getcwd())
dialog.ChangeFileTypes([('Web Image File', '*.(gif|jpg|jpeg|png|webp|svg)')])
dialog.ResetFiles()
else:
dialog = wx.FileDialog(self, 'Import Image File', os.getcwd(), '', \
'Web Image File|*.gif;*.jpg;*.jpeg;*.png;*.webp;*.svg|All Files (*.*)|*.*',
wx.FD_OPEN | wx.FD_CHANGE_DIR)
if dialog.ShowModal() == wx.ID_OK:
file = dialog.GetFile() if useImageDialog else dialog.GetPath()
self.importImageFile(file, replace)
def importFontDialog(self, event=None):
"""Asks the user to choose a font file to import, then imports into the current story."""
dialog = wx.FileDialog(self, 'Import Font File', os.getcwd(), '', \
'Web Font File (.ttf, .otf, .woff, .svg)|*.ttf;*.otf;*.woff;*.svg|All Files (*.*)|*.*',
wx.FD_OPEN | wx.FD_CHANGE_DIR)
if dialog.ShowModal() == wx.ID_OK:
self.importFont(dialog.GetPath())
def openFileAsBase64(self, file):
"""Opens a file and returns its base64 representation, expressed as a Data URI with MIME type"""
file64 = open(file, 'rb').read().encode('base64').replace('\n', '')
title, mimeType = os.path.splitext(os.path.basename(file))
return (images.AddURIPrefix(file64, mimeType[1:]), title)
def newTitle(self, title):
""" Check if a title is being used, and increment its number if it is."""
while self.storyPanel.passageExists(title):
try:
match = re.search(r'(\s\d+)$', title)
if match:
title = title[:match.start(1)] + " " + str(int(match.group(1)) + 1)
else:
title += " 2"
except:
pass
return title
def finishImportImage(self, text, title, showdialog=True):
"""Imports an image into the story as an image passage."""
# Check for title usage
title = self.newTitle(title)
self.storyPanel.newWidget(text=text, title=title, tags=['Twine.image'])
if showdialog:
dialog = wx.MessageDialog(self, 'Image file imported successfully.\n' + \
'You can include the image in your passages with this syntax:\n\n' + \
'[img[' + title + ']]', 'Image added', \
wx.ICON_INFORMATION | wx.OK)
dialog.ShowModal()
return title
def importFont(self, file, showdialog=True):
"""Imports a font into the story as a font passage."""
try:
text, title = self.openFileAsBase64(file)
title2 = self.newTitle(title)
# Wrap in CSS @font-face declaration
text = \
"""font[face=\"""" + title + """\"] {
font-family: \"""" + title + """\";
}
@font-face {
font-family: \"""" + title + """\";
src: url(""" + text + """);
}"""
self.storyPanel.newWidget(text=text, title=title2, tags=['stylesheet'])
if showdialog:
dialog = wx.MessageDialog(self, 'Font file imported successfully.\n' + \
'You can use the font in your stylesheets with this CSS attribute syntax:\n\n' + \
'font-family: ' + title + ";", 'Font added', \
wx.ICON_INFORMATION | wx.OK)
dialog.ShowModal()
return True
except IOError:
self.app.displayError('importing a font')
return False
def defaultTextForPassage(self, title):
if title == 'Start':
return "Your story will display this passage first. Edit it by double clicking it."
elif title == 'StoryTitle':
return self.DEFAULT_TITLE
elif title == 'StorySubtitle':
return "This text appears below the story's title."
elif title == 'StoryAuthor':
return "Anonymous"
elif title == 'StoryMenu':
return "This passage's text will be included in the menu for this story."
elif title == 'StoryInit':
return """/% Place your story's setup code in this passage.
Any macros in this passage will be run before the Start passage (or any passage you wish to Test Play) is run. %/
"""
elif title == 'StoryIncludes':
return """List the file paths of any .twee or .tws files that should be merged into this story when it's built.
You can also include URLs of .tws and .twee files, too.
"""
else:
return ""
def createInfoPassage(self, event):
"""Open an editor for a special passage; create it if it doesn't exist yet."""
id = event.GetId()
title = self.storySettingsMenu.FindItemById(id).GetLabel()
# What to do about StoryIncludes files?
editingWidget = self.storyPanel.findWidget(title)
if editingWidget is None:
editingWidget = self.storyPanel.newWidget(title=title, text=self.defaultTextForPassage(title))
editingWidget.openEditor()
def save(self, event=None):
if (self.saveDestination == ''):
self.saveAs()
return
try:
dest = open(self.saveDestination, 'wb')
pickle.dump(self.serialize(), dest)
dest.close()
self.setDirty(False)
self.app.config.Write('LastFile', self.saveDestination)
except:
self.app.displayError('saving your story')
def verify(self, event=None):
"""Runs the syntax checks on all passages."""
noprobs = True
for widget in self.storyPanel.widgetDict.itervalues():
result = widget.verifyPassage(self)
if result == -1:
break
elif result > 0:
noprobs = False
if noprobs:
wx.MessageDialog(self, "No obvious problems found in " + str(
len(self.storyPanel.widgetDict.itervalues())) + " passage" + (
"s." if len(self.storyPanel.widgetDict.itervalues()) > 1 else ".") \
+ "\n\n(There may still be problems when the story is played, of course.)",
"Verify All Passages", wx.ICON_INFORMATION).ShowModal()
def build(self, event=None):
"""Asks the user to choose a location to save a compiled story, then passed control to rebuild()."""
path, filename = os.path.split(self.buildDestination)
dialog = wx.FileDialog(self, 'Build Story', path or os.getcwd(), filename, \
"Web Page (*.html)|*.html", \
wx.FD_SAVE | wx.FD_OVERWRITE_PROMPT | wx.FD_CHANGE_DIR)
if dialog.ShowModal() == wx.ID_OK:
self.buildDestination = dialog.GetPath()
self.rebuild(None, displayAfter=True)
dialog.Destroy()
def testBuild(self, event=None, startAt=''):
self.rebuild(temp=True, startAt=startAt, displayAfter=True)
def rebuild(self, event=None, temp=False, displayAfter=False, startAt=''):
"""
Builds an HTML version of the story. Pass whether to use a temp file, and/or open the file afterwards.
"""
try:
# assemble our tiddlywiki and write it out
hasstartpassage = False
tw = TiddlyWiki()
for widget in self.storyPanel.widgetDict.itervalues():
if widget.passage.title == 'StoryIncludes':
def callback(passage, tw=tw):
if passage.title == 'StoryIncludes':
return
# Check for uniqueness
elif self.storyPanel.findWidget(passage.title):
# Not bothering with a Yes/No dialog here.
raise Exception('A passage titled "' + passage.title + '" is already present in this story')
elif tw.hasTiddler(passage.title):
raise Exception(
'A passage titled "' + passage.title + '" has been included by a previous StoryIncludes file')
tw.addTiddler(passage)
self.storyPanel.addIncludedPassage(passage.title)
self.readIncludes(widget.passage.text.splitlines(), callback)
# Might as well suppress the warning for a StoryIncludes file
hasstartpassage = True
elif TiddlyWiki.NOINCLUDE_TAGS.isdisjoint(widget.passage.tags):
widget.passage.pos = widget.pos
tw.addTiddler(widget.passage)
if widget.passage.title == "Start":
hasstartpassage = True
# is there a Start passage?
if hasstartpassage == False:
self.app.displayError('building your story because there is no "Start" passage. ' + "\n"
+ 'Your story will build but the web browser will not be able to run the story. ' + "\n"
+ 'Please add a passage with the title "Start"')
try:
widget = self.storyPanel.widgetDict['StorySettings']
lines = widget.passage.text.splitlines()
for line in lines:
if ':' in line:
(skey, svalue) = line.split(':')
skey = skey.strip().lower()
svalue = svalue.strip()
tw.storysettings[skey] = svalue
except KeyError:
pass
# Write the output file
header = self.app.headers.get(self.target)
metadata = self.metadata
if temp:
# This implicitly closes the previous test build
if self.lastTestBuild and os.path.exists(self.lastTestBuild.name):
os.remove(self.lastTestBuild.name)
path = (os.path.exists(self.buildDestination) and self.buildDestination) \
or (os.path.exists(self.saveDestination) and self.saveDestination) or None
html = tw.toHtml(self.app, header, startAt=startAt, defaultName=self.title, metadata=metadata)
if html:
self.lastTestBuild = tempfile.NamedTemporaryFile(mode='wb', suffix=".html", delete=False,
dir=(path and os.path.dirname(path)) or None)
self.lastTestBuild.write(html.encode('utf-8-sig'))
self.lastTestBuild.close()
if displayAfter: self.viewBuild(name=self.lastTestBuild.name)
else:
dest = open(self.buildDestination, 'wb')
dest.write(tw.toHtml(self.app, header, defaultName=self.title, metadata=metadata).encode('utf-8-sig'))
dest.close()
if displayAfter: self.viewBuild()
except:
self.app.displayError('building your story')
def getLocalDir(self):
dir = (self.saveDestination != '' and os.path.dirname(self.saveDestination)) or None
if not (dir and os.path.isdir(dir)):
dir = os.getcwd()
return dir
def readIncludes(self, lines, callback, silent=False):
"""
Examines all of the source files included via StoryIncludes, and performs a callback on each passage found.
callback is a function that takes 1 Tiddler object.
"""
twinedocdir = self.getLocalDir()
excludetags = TiddlyWiki.NOINCLUDE_TAGS
self.storyPanel.clearIncludedPassages()
for line in lines:
try:
if line.strip():
extension = os.path.splitext(line)[1]
if extension not in ['.tws', '.tw', '.txt', '.twee']:
raise Exception('File format not recognized')
if any(line.startswith(t) for t in ['http://', 'https://', 'ftp://']):
openedFile = urllib.urlopen(line)
else:
openedFile = open(os.path.join(twinedocdir, line), 'r')
if extension == '.tws':
s = StoryFrame(None, app=self.app, state=pickle.load(openedFile), refreshIncludes=False)
openedFile.close()
for widget in s.storyPanel.widgetDict.itervalues():
if excludetags.isdisjoint(widget.passage.tags):
callback(widget.passage)
s.Destroy()
else:
s = openedFile.read()
openedFile.close()
tw1 = TiddlyWiki()
tw1.addTwee(s)
tiddlerkeys = tw1.tiddlers.keys()
for tiddlerkey in tiddlerkeys:
passage = tw1.tiddlers[tiddlerkey]
if excludetags.isdisjoint(passage.tags):
callback(passage)
except:
if not silent: