所以我有一个程序,它接收一个数据字符串和一个数字,它是要打印出来的优先级的位置。我需要使用链表,我已经弄清楚如何使用它,但是这个程序执行的方式是在数据字符串的末尾,优先级是用户应该输入NONE并且程序执行。问题是我用strcmp检查是强制用户输入NONE两次来执行程序。我不认为我正在使用scanf正确的字符串和int值,这就是我的问题所在,但我不确定。
这是一个正确的样本输入:
andk81739wewe 7
qweod125632ao 3
lenlc93012wasd 0
093deaeiao12 5
13jadacas291 3
...
NONE
这是程序执行时实际需要输入的内容
andk81739wewe 7
qweod125632ao 3
lenlc93012wasd 0
093deaeiao12 5
13jadacas291 3
...
NONE
NONE
为什么必须输入第二个NONE才能识别出没有输入任何内容的任何想法?
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define LARGE 100
struct node
{
char data[LARGE];
int position;
struct node* next;
};
void sortedInsert(struct node** first, struct node* new_node)
{
struct node* current;
if (*first == NULL || (*first)->position <= new_node->position)
{
new_node->next = *first;
*first = new_node;
}
else
{
current = *first;
while (current->next!=NULL &&
current->next->position > new_node->position)
{
current = current->next;
}
new_node->next = current->next;
current->next = new_node;
}
}
struct node *newNode(char *new_data,int position)
{
struct node* new_node =
(struct node*) malloc(sizeof(struct node));
strcpy(new_node->data,new_data);
new_node->position=position;
new_node->next = NULL;
return new_node;
}
void printList(struct node *head)
{
struct node *temp = head;
while(temp != NULL)
{
printf("%s \n", temp->data);
temp = temp->next;
}
}
int main(void) {
char job[LARGE],blank[1]={' '},*p,*q;
int number=0,x=0;
q=&blank[1];
struct node* first = NULL;
struct node *new_node = newNode(q,0);
printf("Please enter printing jobs\n");
while(x!=1){
if(strcmp(job,"NONE")==0){
x=1;
}
else{
scanf("%s", job);
scanf("%d", &number);
p=&job[0];
sortedInsert(&first, new_node);
new_node = newNode(p,number);
}
}
printf("Print Job in order from 9-0\n");
printList(first);
return 0;
}
答案 0 :(得分:1)
或者,您可以使用以下代码段。这是一个更简化和简化的方法。:
int main(void) {
char job[LARGE];
struct node *first = NULL;
struct node *new_node = NULL;
int number;
printf("Please enter printing jobs\n");
while(1)
{
scanf("%s", job);
if(!strcmp(job, "NONE"))
break;
scanf("%d", &number);
new_node = newNode(job, number);
sortedInsert(&first, new_node);
}
printf("Print Job in order from 9-0\n");
printList(first);
return 0;
}