historyCtrl.ts 2.6 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495969798
  1. import {reactive, computed} from "vue"
  2. import { ValueSnap } from "./rxValue";
  3. export class HistoryController {
  4. enable = false;
  5. state = reactive({
  6. currLen: 0, //操作栈的长度
  7. maxLen: 100, //操作栈总长度
  8. opIndex: -1, //操作栈的指针
  9. });
  10. refCanUndo = computed(() => {
  11. return this.state.opIndex >= 0;
  12. });
  13. refCanRedo = computed(() => {
  14. return this.state.opIndex < this.state.currLen - 1;
  15. });
  16. queues: Map<string, ValueSnap>[] = [];
  17. cacheSnapValues = new Map<string , ValueSnap>();
  18. changeCbs:((flag:number)=>void)[] = [];
  19. // 添加缓存记录
  20. record(snap: ValueSnap) {
  21. if ( !this.enable ) return;
  22. const first = this.cacheSnapValues.get(snap.Id)
  23. if (first) {
  24. snap.OldValue = first.OldValue;
  25. }
  26. this.cacheSnapValues.set(snap.Id, snap);
  27. }
  28. // 保存缓存记录到历史栈中
  29. submit(change:(flag:number)=>void=(flag)=>{console.log("default history changed ", flag)}) {
  30. if (this.cacheSnapValues.size < 1 || !this.enable) return;
  31. console.log("submiting history=>", this.cacheSnapValues.size);
  32. const state = this.state;
  33. const queue = this.queues;
  34. // 将缓存操作记录保存到当前指针的下一栈中
  35. const index = ++state.opIndex;
  36. queue[index] = this.cacheSnapValues;
  37. this.changeCbs[index] = change;
  38. // 重置缓存记录
  39. this.cacheSnapValues = new Map<string, ValueSnap>();
  40. // 设置栈的长度为指针的长度,舍弃后面的记录
  41. queue.length = state.opIndex + 1;
  42. // 若栈长度超过上限, 舍弃之前的记录
  43. if (queue.length > state.maxLen) {
  44. queue.splice(0, queue.length - state.maxLen);
  45. state.opIndex = state.maxLen - 1;
  46. }
  47. // 更新当前长度状态
  48. state.currLen = queue.length;
  49. }
  50. undo() {
  51. if (!this.refCanUndo.value || !this.enable ) return;
  52. this.cacheSnapValues = new Map<string, ValueSnap>();
  53. const index = this.state.opIndex--;
  54. const snaps = this.queues[index]
  55. snaps.forEach((vn)=>vn.undo())
  56. const cb = this.changeCbs[index];
  57. cb && cb(1);
  58. }
  59. redo() {
  60. if (!this.refCanRedo.value || !this.enable) return;
  61. this.cacheSnapValues = new Map<string, ValueSnap>();
  62. const index = ++this.state.opIndex;
  63. const snaps = this.queues[index];
  64. snaps.forEach(vn=>vn.redo());
  65. const cb = this.changeCbs[index];
  66. cb && cb(2);
  67. }
  68. //清除操作
  69. clear() {
  70. if ( !this.enable ) return;
  71. this.queues = [];
  72. this.changeCbs = [];
  73. this.state.currLen = 0;
  74. this.state.opIndex = -1;
  75. this.cacheSnapValues = new Map<string, ValueSnap>();
  76. }
  77. }