完成数据结构pta实验题:
6-3 链表逆置:
本题要求实现一个函数,将给定单向链表逆置,即表头置为表尾,表尾置为表头。链表结点定义如下:
struct ListNode {
int data;
struct ListNode *next;
};
函数接口定义:
struct ListNode *reverse( struct ListNode *head );
其中head是用户传入的链表的头指针;函数reverse将链表head逆置,并返回结果链表的头指针。
裁判测试程序样例:
include <stdio.h>
include <stdlib.h>
struct ListNode {
int data;
struct ListNode *next;
};
struct ListNode createlist(); /裁判实现,细节不表*/
struct ListNode *reverse( struct ListNode *head );
void printlist( struct ListNode *head )
{
struct ListNode *p = head;
while (p) {
printf("%d ", p->data);
p = p->next;
}
printf("\n");
}
int main()
{
struct ListNode *head;
head = createlist();
head = reverse(head);
printlist(head);
return 0;
}
/* 你的代码将被嵌在这里 */
输入样例:
1 2 3 4 5 6 -1
输出样例:
6 5 4 3 2 1
点击查看代码
struct ListNode *reverse(struct ListNode *head){
struct ListNode *pre=NULL;
struct ListNode *now=head;
struct ListNode *hou=NULL;
while(now!=NULL){
hou=now->next;
now->next=pre;
pre=now;
now=hou;
}
head=pre;
return head;
}
7-1 线性表A,B顺序存储合并:
有两张非递增有序的线性表A,B,采用顺序存储结构,两张表合并用c表存,要求C为非递减有序的,然后删除C表中值相同的多余元素。元素类型为整型
输入格式:
第一行输入输入表A的各个元素,以-1结束,中间用空格分隔;第二行输入表B的各个元素,以-1结束,中间用空格分隔。
输出格式:
输出结果为表C的非递减有序序列,中间用英文逗号分隔
输入样例:
在这里给出一组输入。例如:
9 8 7 -1
10 9 8 4 3 -1
输出样例:
在这里给出相应的输出。例如:
3,4,7,8,9,10
点击查看代码
#include<iostream>
#include<vector>
#include<algorithm>
using namespace std;
int main(){
vector<int> A,B,C;
int num;
while(cin>>num&&num!= -1){
A.push_back(num);
}
while(cin>>num&&num!= -1){
B.push_back(num);
}
size_t a=A.size();
size_t b=B.size();
size_t i=0,j=0;
while(i<a&&j<b){
if(A[i]>B[j]){
if(A[i]!=A[i-1]){
C.push_back(A[i]);
}
i++;
}
else if(A[i]==B[j]){
if(A[i]!=A[i-1]&&B[j]!=B[j-1]){
C.push_back(A[i]);
}
i++;
j++;
}
else if(A[i]<B[j]){
if(B[j]!=B[j-1]){
C.push_back(B[j]);
}
j++;
}
}
if(i==a){
for(size_t k = j;k<b;k++){
if(B[k]!=B[k-1])
C.push_back(B[k]);
}
}
if(j==b){
for(size_t l = i;l<a;l++){
C.push_back(A[l]);
}
}
sort(C.begin(),C.end());
for(size_t c = 0;c < C.size();c++){
cout<<C[c];
if(c < C.size() - 1)
cout<<",";
}
return 0;
}