c++ 谁能告诉我为什么我的代码不能正常工作

sq1bmfud  于 2023-06-25  发布在  其他
关注(0)|答案(1)|浏览(260)

我写了一段代码来判断一个链表是否是回文,但它不能正常工作。你能解释一下我的代码有什么问题吗?

  1. Node* reverse(Node* head) {
  2. if (head == NULL || head->next == NULL) {
  3. return head;
  4. }
  5. Node* curr = head;
  6. Node* prev = NULL;
  7. Node* nx;
  8. while (curr != NULL) {
  9. nx = curr->next;
  10. curr->next = prev;
  11. prev = curr;
  12. curr = nx;
  13. }
  14. return prev;
  15. }
  16. bool isPalindrome(Node* head) {
  17. Node* rev = reverse(head);
  18. while (rev && head) {
  19. if (rev->data != head->data) {
  20. return false;
  21. }
  22. else {
  23. rev = rev->next;
  24. head = head->next;
  25. }
  26. }
  27. return true;
  28. }
eimct9ow

eimct9ow1#

您正在修改反向函数中的列表。只需同时从尾部和头部遍历列表并进行比较。如果你已经有了尾巴,那么很好,只需使用第二个函数与特定的尾巴。无论如何,不要修改列表,只需要像这样以相反的顺序遍历:

  1. Node* getTail(Node* head) {
  2. if (!head)
  3. return head;
  4. Node* curr = head;
  5. while (curr->next) {
  6. curr = curr->next;
  7. }
  8. return curr;
  9. }
  10. bool isPalindrome(Node* head) {
  11. Node* tail = getTail(head);
  12. while (head && tail) {
  13. if (head->data != tail->data) {
  14. return false;
  15. }
  16. else {
  17. head = head->next;
  18. tail = tail->prev;
  19. }
  20. }
  21. return true;
  22. }
展开查看全部

相关问题