-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtimemachine.py
88 lines (58 loc) · 1.98 KB
/
timemachine.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
from functools import wraps
from copy import deepcopy
__all__ = "reset undo redo altering timemachine".split()
def reset(obj, *args, **kwargs):
return obj.__tm_reset__(*args, **kwargs)
def undo(obj, *args, **kwargs):
return obj.__tm_undo__(*args, **kwargs)
def redo(obj, *args, **kwargs):
return obj.__tm_redo__(*args, **kwargs)
def altering(func):
@wraps(func)
def wrapper(self, *args, **kwargs):
self._tm_redostack = []
self._tm_undostack.append((func, args, kwargs))
func(self, *args, **kwargs)
return wrapper
def timemachine(cls):
cls.__original_init__ = cls.__init__
cls.__init__ = _tm_init
return cls
### INTERNALS ###
def _tm_init(self, *args, **kwargs):
cls = type(self)
cls.__original_init__(self, *args, **kwargs)
assert not hasattr(self, "_tm_redostack")
assert not hasattr(self, "_tm_undostack")
assert not hasattr(self, "_tm_initial_state")
self._tm_redostack = []
self._tm_undostack = []
self._tm_initial_state = deepcopy(self)
assert not hasattr(self, "__tm_reset__")
assert not hasattr(self, "__tm_undo__")
assert not hasattr(self, "__tm_redo__")
#binds the functions as bound methods
self.__tm_reset__ = _tm_reset.__get__(self, cls)
self.__tm_undo__ = _tm_undo.__get__(self, cls)
self.__tm_redo__ = _tm_redo.__get__(self, cls)
def _tm_reset(self):
self.__dict__.update(self._tm_initial_state.__dict__)
def _tm_undo(self):
if not self._tm_undostack:
return
undostack = self._tm_undostack
redostack = self._tm_redostack
cmd = undostack.pop()
redostack.append(cmd)
reset(self)
self._tm_undostack = undostack
self._tm_redostack = redostack
for func, args, kwargs in undostack:
func(self, *args, **kwargs)
def _tm_redo(self):
if not self._tm_redostack:
return
cmd = self._tm_redostack.pop()
self._tm_undostack.append(cmd)
func, args, kwargs = cmd
func(self, *args, **kwargs)