题目描述
给定一个完美二叉树,其所有叶子节点都在同一层,每个父节点都有两个子节点。二叉树定义如下:
struct Node {
int val;
Node *left;
Node *right;
Node *next;
}
填充它的每个 next 指针,让这个指针指向其下一个右侧节点。如果找不到下一个右侧节点,则将 next 指针设置为 NULL。初始状态下,所有 next 指针都被设置为 NULL。
C 代码
struct Node* connect(struct Node* root) {
if (!root) return root;
struct Node *last = root;
while (last->left) {
for (struct Node *p = last; p; p = p->next) {
p->left->next = p->right;
if (p->next) p->right->next = p->next->left;
else p->right->next = 0;
}
last = last->left;
}
return root;
}