我正在研究leetcode问题#83“从排序列表中删除重复项”,但是我在此借阅检查器问题上遇到了麻烦。
该问题提供了ListNode结构,因此无法更改。我曾尝试重组循环和if语句,但没有找到可行的解决方案。
我正在尝试做的事情:
// Definition for singly-linked list.
#[derive(PartialEq, Eq, Debug)]
pub struct ListNode {
pub val: i32,
pub next: Option<Box<ListNode>>,
}
impl ListNode {
#[inline]
fn new(val: i32) -> Self {
ListNode { next: None, val }
}
}
fn remove_duplicates(mut list: Option<Box<ListNode>>) -> Option<Box<ListNode>> {
let mut cursor = &mut list;
while let Some(c) = cursor.as_mut() {
if let Some(next) = c.next.as_mut() {
if next.val == c.val {
c.next = next.next.take();
continue;
}
}
cursor = &mut c.next;
}
list
}
我得到的错误:
error[E0499]: cannot borrow `*cursor` as mutable more than once at a time
--> src/lib.rs:17:25
|
17 | while let Some(c) = cursor.as_mut() {
| ^^^^^^ mutable borrow starts here in previous iteration of loop
似乎显示相同错误的简化代码:
fn remove_duplicates(mut list: Option<Box<ListNode>>) -> Option<Box<ListNode>> {
let mut cursor = &mut list;
while let Some(c) = cursor.as_mut() {
if c.val > 0 {
cursor = &mut c.next;
}
}
list
}
我不明白为什么在循环的下一次迭代之前没有删除可变借位。这似乎是由于有条件地更改了光标引起的,但我不明白为什么这样做会阻止借用被丢弃。
答案 0 :(得分:0)
这是我最终得到的解决方案。在if语句中重新分配then()
可解决问题。
cursor