Cannot obtain a mutable reference when iterating a recursive structure: cannot borrow as mutable more than once at a time

前端 未结 4 1813
盖世英雄少女心
盖世英雄少女心 2020-11-22 07:05

I\'m trying to navigate a recursive data structure iteratively in order to insert elements at a certain position. To my limited understanding, this means taking a mutable re

4条回答
  •  暗喜
    暗喜 (楼主)
    2020-11-22 08:05

    It is possible... but I wish I had a more elegant solution.

    The trick is NOT to borrow from anchor, and therefore to juggle between two accumulators:

    • one holding the reference to the current node
    • the other being assigned the reference to the next node

    This leads me to:

    impl Recursive {
        fn back(&mut self) -> &mut Link {
            let mut anchor = &mut self.root;
    
            loop {
                let tmp = anchor;
                if let Some(ref mut node) = *tmp {
                    anchor = &mut node.next;
                } else {
                    anchor = tmp;
                    break;
                }
            }
    
            anchor
        }
    }
    

    Not exactly pretty, but this is something the borrow checker can get behind so ¯\_(ツ)_/¯.

    @ker has improved on this by creating an unnamed temporary:

    impl Recursive {
        fn back(&mut self) -> &mut Link {
            let mut anchor = &mut self.root;
    
            loop {
                match {anchor} {
                    &mut Some(ref mut node) => anchor = &mut node.next,
                    other => return other,
                }
            }
        }
    }
    

    The trick here is that using {anchor} moves the content of anchor into an unnamed temporary on which the match executes. Therefore, in the match block we are not borrowing from anchor but from the temporary, leaving us free to modify anchor. See the related blog post Stuff the Identity Function Does (in Rust).

提交回复
热议问题