• 两个链表的第一个公共结点


    题目描述

    输入两个链表,找出它们的第一个公共结点。
     
    解题思路:
    思路一:先遍历一个链表,将所有节点记录,再遍历另外一个遍历,当第一个节点发现重复时,此节点就是结果,否则返回空。需要借助set这样的数据结构。
    思路二:参考别人的思路。我们假设A与B有公共节点,链表A的长度为a+n,链表B的长度为b+n,且a<b,那么同时移动两个链表的指针A的p1、B的p2,当p1到达链表A尾部时,p2还需要b-a步到达B尾部,此时将A的指针p1也指向B链表的头部,然后向后走b-a步,此时p2到达B链表的尾部,p1指针在B链表的b-a位置,p2指针指向A链表头部,此时两个指针同时再走a步,p2到达了a位置,p1到达了b位置,即到达公共节点,如果不是公共节点,那么再走n步同时到达尾部。
    //思路1
    class Solution {
    public:
        ListNode* FindFirstCommonNode( ListNode* pHead1, ListNode* pHead2) {
            set<ListNode*> filter;
            ListNode* res = NULL;
            while(pHead1 != NULL){
                filter.insert(pHead1);
                pHead1 = pHead1->next;
            }
            while(pHead2 != NULL){
                if(filter.find(pHead2) != filter.end()){
                    res = pHead2;
                    break;
                }
                pHead2 = pHead2->next;
            }
            return res;
        }
    };
    
    //思路二
    
    class Solution {
    public:
        ListNode* FindFirstCommonNode( ListNode* pHead1, ListNode* pHead2) {
            ListNode*p1, *p2;
            p1 = pHead1;
            p2 = pHead2;
            while(p1 != p2){
                if(p1 != NULL)
                    p1 = p1->next;
                if(p2 != NULL)
                    p2 = p2->next;
                if(p1 != p2){
                    if(p1 == NULL) p1 = pHead2;
                    if(p2 == NULL) p2 = pHead1;
                }
            }
            return p1;
        }
    };
    

      

     
  • 相关阅读:
    服务器运维
    mysq配置
    PHP-FPM进程数的设定
    vsftpd 安装配置详细教程
    php-fpm性能优化
    如果不知道MySQL当前使用配置文件(my.cnf)的路径的解决方法
    搭建linux+nginx+mysql+php环境
    PHP 页面编码声明方法详解(header或meta)
    Linux内核的一些知识。
    Connector框架笔记
  • 原文地址:https://www.cnblogs.com/chengsheng/p/10678800.html
Copyright © 2020-2023  润新知