java 函数是否可以深度复制表达式树(包括其父层次结构)?

9fkzdhlc  于 2024-01-05  发布在  Java
关注(0)|答案(1)|浏览(180)

我想深度复制一个表达式树。我知道传统的方法,它在大多数情况下都有效。下面是表达式树的基本版本:

  1. public class Expression {
  2. public Expression left;
  3. public Expression right;
  4. public Expression parent;
  5. public String middle;
  6. public Expression(Expression left, String middle, Expression right) {
  7. this.left = left;
  8. this.right = right;
  9. this.middle = middle;
  10. if (left != null) {
  11. left.parent = this;
  12. }
  13. if (right != null) {
  14. right.parent = this;
  15. }
  16. }
  17. public void setLeft(Expression left) {
  18. this.left = left;
  19. if (left != null) {
  20. left.parent = this;
  21. }
  22. }
  23. public void setRight(Expression right) {
  24. this.right = right;
  25. if (right != null) {
  26. right.parent = this;
  27. }
  28. }}

字符串
以下是深度复制的传统方法:

  1. public Expression copy() {
  2. Expression leftCopy = (left != null) ? left.copy() : null;
  3. Expression rightCopy = (right != null) ? right.copy() : null;
  4. return new Expression(leftCopy, operator, rightCopy, null);
  5. }


现在这个工作很好,但我想要另一个深复制功能(copyFull)它也复制父层次结构。当前的深拷贝只复制表达式,并使其成为根,而不管它是否实际上是根。现在我将如何做一个完整的深拷贝函数,它将确保复制整个结构,包括父层次结构,并且该函数应返回一个表达式示例,它调用了copyFull()函数。我相当肯定这个新的深度复制函数将使用以前的一个。示例用法:Expression rightRightCopy = originalExpression.right.right.copyFull();Expression originalExpressionCopy = rightRightCopy.parent.parent;

ekqde3dh

ekqde3dh1#

嗯,在玩了一会儿之后,我找到了解决办法。我不确定这是不是最干净的方法,但它能完成工作。

  1. public Expression copyFull() {
  2. return copyFull(this);
  3. }
  4. private Expression copyFull(Expression reference) {
  5. if (reference.isRoot()) return copy()
  6. Expression parent = reference.parent;
  7. Expression current = this == reference ? copy() : this;
  8. Expression newParent = null;
  9. if (reference.isLeftChildOf(parent)) {
  10. Expression rightCopy = parent.right != null? parent.right.copy() : null;
  11. newParent = new Expression(current, middle, rightCopy);
  12. } else {
  13. Expression leftCopy = parent.left != null? parent.left.copy() : null;
  14. newParent = new Expression(leftCopy, middle, current);
  15. }
  16. newParent.parent = newParent.copyFull(parent).parent;
  17. return current;
  18. }

字符串

展开查看全部

相关问题