1367. Linked List in Binary Tree
Given a binary tree root and a linked list with head as the first node.
Return True if all the elements in the linked list starting from the head correspond to some downward path connected in the binary tree otherwise return False.
In this context downward path means a path that starts at some node and goes downwards.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 class Solution { vector<int > pi; vector<int > p; void buildPi () { pi = vector <int >(p.size ()); for (int i = 1 , j = 0 ; i < p.size (); i++) { while (j > 0 and p[j] != p[i]) j = pi[j-1 ]; if (p[j] == p[i]) pi[i] = ++j; } } bool kmp (vector<int >& s) { for (int i = 0 , j = 0 ; i < s.size (); i++) { while (j > 0 and p[j] != s[i]) j = pi[j-1 ]; if (s[i] == p[j]) { if (++j == p.size ()) return true ; } } return false ; } bool kmp (TreeNode* node, int i, int j) { if (!node) return false ; while (j > 0 and p[j] != node->val) j = pi[j-1 ]; if (node->val == p[j]) if (++j == p.size ()) return true ; if (kmp (node->left, i + 1 , j)) return true ; if (kmp (node->right, i + 1 , j)) return true ; return false ; } public : bool isSubPath (ListNode* head, TreeNode* root) { while (head) { p.push_back (head->val); head = head->next; } buildPi (); return kmp (root, 0 , 0 ); } };
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 class Solution { bool eq (TreeNode* o, ListNode* t) { if (t == nullptr ) return o == nullptr ; if (o == nullptr ) return false ; if (t->next) { if (o->left && o->left->val == t->next->val) if (eq (o->left, t->next)) return true ; if (o->right && o->right->val == t->next->val) if (eq (o->right, t->next)) return true ; return false ; } return true ; } public : bool isSubPath (ListNode* head, TreeNode* root) { vector<TreeNode*> cand; queue<TreeNode*> q; q.push (root); while (!q.empty ()) { auto n = q.front (); q.pop (); if (n->val == head->val) cand.push_back (n); if (n->left) q.push (n->left); if (n->right) q.push (n->right); } for (auto & c : cand) if (eq (c, head)) return true ; return false ; } };