博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
Leetcode题目:Intersection of Two Linked Lists
阅读量:6637 次
发布时间:2019-06-25

本文共 1540 字,大约阅读时间需要 5 分钟。

题目:Write a program to find the node at which the intersection of two singly linked lists begins.

 

For example, the following two linked lists:

A:          a1 → a2                   ↘                     c1 → c2 → c3                   ↗            B:     b1 → b2 → b3

begin to intersect at node c1.

 

Notes:

    • If the two linked lists have no intersection at all, return null.
    • The linked lists must retain their original structure after the function returns.
    • You may assume there are no cycles anywhere in the entire linked structure.
    • Your code should preferably run in O(n) time and use only O(1) memory. 

题目解答:

  判断两个链表是否有交集,并返回相交的第一个节点,若不想交,返回NULL。

  首先计算两个链表的长度,让长链表走到短链表头平行的位置之后,两个链表再一起开始走。并一边走,一边来判断是否节点是否相同。

代码如下:

/**

 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode(int x) : val(x), next(NULL) {}
 * };
 */
class Solution {
public:
    ListNode *getIntersectionNode(ListNode *headA, ListNode *headB) {
        int lenA = getListLen(headA);
        int lenB = getListLen(headB);
        if((lenA == 0) || (lenB == 0))
            return NULL;
        ListNode *p = headA;
        ListNode *q = headB;
        if(lenA > lenB)
        {
            int i = lenA - lenB;
            while(i != 0)
            {
                i--;
                p = p -> next;
            }
        }
        else
        {
            int i = lenB - lenA;
            while(i != 0)
            {
                i--;
                q = q -> next;
            }
        }
        while((p != NULL) && (q != NULL) && (p != q) )
        {
            p = p -> next;
            q = q -> next;
        }
        if(p == q)
            return p;
        else
            return NULL;
    }
   
    int getListLen(ListNode *head)
    {
        int len = 0;
        ListNode *p = head;
        while(p != NULL)
        {
            len++;
            p = p-> next;
        }
        return len;
    }
};

 

转载于:https://www.cnblogs.com/CodingGirl121/p/5431505.html

你可能感兴趣的文章
sql server 索引阐述系列八 统计信息
查看>>
阿里云服务器更改时区为utc
查看>>
APP测试流程和测试点
查看>>
ansible实战
查看>>
PowerShell 远程管理之启用和执行命令
查看>>
iOS开发学习笔记 2-5 C语言部分 数组
查看>>
php,redis,centos5安装完全记录
查看>>
×××应用之GRE
查看>>
python笔记第十天 模块
查看>>
iOS开发小技巧--利用运行时得到隐藏的成员变量
查看>>
又晚睡了...
查看>>
Web常见安全漏洞原理及防范-学习笔记
查看>>
JAVASCRIPT
查看>>
python-django
查看>>
Java实现二叉树及相关遍历方式
查看>>
golang学习笔记17 爬虫技术路线图,python,java,nodejs,go语言,scrapy主流框架介绍...
查看>>
android socket 编程总结
查看>>
git checkout 和 git checkout --merge <branch_name>使用
查看>>
大数据应用蓝皮书:未来涉及5个热点领域
查看>>
IDEA Error:java: 未结束的字符串文字
查看>>