1721. 交换链表中的节点-仅遍历一次链表
给你链表的头节点 head 和一个整数 k 。
交换 链表正数第 k 个节点和倒数第 k 个节点的值后,返回链表的头节点(链表 从 1 开始索引)。
示例 1:
输入:head = [1,2,3,4,5], k = 2
输出:[1,4,3,2,5]
示例 2:
输入:head = [7,9,6,6,7,8,3,0,9,5], k = 5
输出:[7,9,6,6,8,7,3,0,9,5]
示例 3:
输入:head = [1], k = 1
输出:[1]
示例 4:
输入:head = [1,2], k = 1
输出:[2,1]
示例 5:
输入:head = [1,2,3], k = 2
输出:[1,2,3]
这是个考研题,解题代码如下:
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* struct ListNode *next;
* };
*/
struct ListNode* swapNodes(struct ListNode* head, int k){
struct ListNode* start=NULL;
struct ListNode *end=NULL,*p=head,*tail=NULL;
int now_po=1;
if(k==1){
start=p;
}
while(p){
p=p->next;
now_po++;
if(now_po==k){
start=p;
}
if(now_po==k+1){
tail=head;
}
if(now_po>k+1){
tail=tail->next;
}
}
if(tail&&start){
int t=start->val;
start->val=tail->val;
tail->val=t;
}
return head;
}