LeetCode 2807. 在链表中插入最大公约数
2024-01-07 18:22:08
目录
一、题目
1、题目描述
给你一个链表的头?
head
?,每个结点包含一个整数值。在相邻结点之间,请你插入一个新的结点,结点值为这两个相邻结点值的?最大公约数?。
请你返回插入之后的链表。
两个数的?最大公约数?是可以被两个数字整除的最大正整数。
2、接口描述
?
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode() : val(0), next(nullptr) {}
* ListNode(int x) : val(x), next(nullptr) {}
* ListNode(int x, ListNode *next) : val(x), next(next) {}
* };
*/
class Solution {
public:
ListNode* insertGreatestCommonDivisors(ListNode* head) {
}
};
3、原题链接
二、解题报告
1、思路分析
直接模拟即可
2、复杂度
时间复杂度:O(n) 空间复杂度:O(1)
3、代码详解
?
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode() : val(0), next(nullptr) {}
* ListNode(int x) : val(x), next(nullptr) {}
* ListNode(int x, ListNode *next) : val(x), next(next) {}
* };
*/
class Solution {
typedef ListNode Node;
public:
int gcd(int x , int y)
{
if(x < y) swap(x , y);
if(!y) return x;
return gcd(y , x % y);
}
ListNode* insertGreatestCommonDivisors(ListNode* head) {
Node* cur = head , *nxt = head -> next;
while(cur)
{
nxt = cur -> next;
if(nxt)
cur -> next = new Node(gcd(cur->val , nxt->val) , nxt);
cur = nxt;
}
return head;
}
};
文章来源:https://blog.csdn.net/EQUINOX1/article/details/135424853
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。 如若内容造成侵权/违法违规/事实不符,请联系我的编程经验分享网邮箱:veading@qq.com进行投诉反馈,一经查实,立即删除!
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。 如若内容造成侵权/违法违规/事实不符,请联系我的编程经验分享网邮箱:veading@qq.com进行投诉反馈,一经查实,立即删除!