6-2 舞伴问题
6-2 舞伴问题
假设男士和女士的记录存放在一个数组中,设计算法实现舞伴配对,要求输出配对的舞伴,并输出没有配对的队头元素的姓名。
函数接口定义:
void DancePartner(DataType dancer[], int num) ;
其中 dancer[]是存放男士和女士信息的数组,num是数组大小。
裁判测试程序样例:
#include<stdio.h>
#include<stdlib.h>
typedef struct {
char name[20];
char sex;
} DataType;
struct Node {
DataType data;
struct Node* next;
};
typedef struct Node *PNode;
struct Queue
{
PNode f;
PNode r;
};
typedef struct Queue *LinkQueue;
LinkQueue SetNullQueue_Link()
{
LinkQueue lqueue;
lqueue = (LinkQueue)malloc(sizeof(struct Queue));
if (lqueue != NULL)
{
lqueue->f = NULL;
lqueue->r = NULL;
}
else
printf("Alloc failure! \n");
return lqueue;
}
int IsNullQueue_link(LinkQueue lqueue)
{
return (lqueue->f == NULL);
}
void EnQueue_link(LinkQueue lqueue, DataType x)
{
PNode p;
p = (PNode)malloc(sizeof(struct Node));
if (p == NULL)
printf("Alloc failure!");
else {
p->data = x;
p->next = NULL;
if (lqueue->f == NULL)
{
lqueue->f = p;
lqueue->r = p;
}
else
{
lqueue->r->next = p;
lqueue->r = p;
}
}
}
void DeQueue_link(LinkQueue lqueue)
{
struct Node * p;
if (lqueue->f == NULL)
printf("It is empty queue!\n ");
else
{
p = lqueue->f;
lqueue->f = lqueue->f->next;
free(p);
}
}
DataType FrontQueue_link(LinkQueue lqueue)
{
if (lqueue->f == NULL)
{
printf("It is empty queue!\n");
}
else
return (lqueue->f->data);
}
void DancePartner(DataType dancer[], int num)
{
/* 请在这里填写答案 */
}
int main()
{
DataType dancer[9];
for (int i = 0; i < 9; i++)
scanf("%s %c", dancer[i].name, &dancer[i].sex);
DancePartner(dancer, 9);
return 0;
}
输入样例:
在这里给出一组输入。例如:
李敏浩 M
李钟硕 M
高欣雅 F
吴彦祖 M
王思聪 M
张甜源 F
张智霖 M
许丹丹 F
马小云 F
输出样例:
高欣雅 李敏浩
张甜源 李钟硕
许丹丹 吴彦祖
马小云 王思聪
张智霖
代码长度限制
16 KB
时间限制
400 ms
内存限制
64 MB
解题思路
题目以及实现了大部分内容和队列的基本运算,注意这里将数组数据存入比较简单,但是题目给的出队函数只进行了出队操作,没有返回值,取队头专门用一个函数进行,意味着开发者需要先调用取队头函数,然后再进行出队操作,除此之外,本题使用的是顺序队列,判队空的操作需要检查front指针是否为空,题目已给出该函数,使用此函数进行判断,即可打印最后未匹配人员的姓名。
代码实现
void DancePartner(DataType dancer[], int num)
{
DataType p;
char *name;
int i;
// 创建两个队列
LinkQueue male = SetNullQueue_Link(); // 男士队列
LinkQueue fmale = SetNullQueue_Link(); // 女士队列
for(i = 0; i<num; i++)
{
if(dancer[i].sex=='M')
EnQueue_link(male,dancer[i]);
else
EnQueue_link(fmale,dancer[i]);
}
while((!IsNullQueue_link(male)) && (!IsNullQueue_link(fmale)))
{
p = FrontQueue_link(fmale);
printf("%s",p.name);
p = FrontQueue_link(male);
printf(" %s", p.name);
DeQueue_link(male);
DeQueue_link(fmale);
putchar('\n');
}
putchar('\n');
name = IsNullQueue_link(male)==0?male->f->data.name:fmale->f->data.name;
printf("%s",name);
}

浙公网安备 33010602011771号