следующий предложенный код:
- чисто компилирует
- выполняет желаемую функциональность
- правильно проверяет и обрабатывает ошибки
- последовательно с отступом
- убирает за собой
- позволяет избежать избыточности в таких выражениях, как:
if( head == NULL )
- исключает неиспользованные возвращаемые значения
- правильно объявляет прототипы функций, которые не принимают параметров
- для удобства чтения, использует соответствующий горизонтальный интервал
и теперь предложенный код:
#include <stdio.h>
#include <stdlib.h>
typedef struct snode
{
int data;
struct snode *next;
} node;
// prototypes
void print( void );
void clist( int n );
void cleanup( void );
node *head = NULL;
int main( void )
{
int n;
printf( "Input the number of nodes for the Linked List.\n" );
if( scanf( "%d", &n ) != 1 )
{
fprintf( stderr, "scanf for number of data points failed\n" );
exit( EXIT_FAILURE );
}
clist( n );
print();
cleanup();
return 0; // << optional in modern C
}
void print()
{
node *show = head;
while( show )
{
printf( "%d => ", show->data );
show = show->next;
}
puts( "" );
}
void clist( int n )
{
node *temp = NULL;
node *p = NULL;
for( int i=0; i<n; i++ )
{
temp = malloc( sizeof( node ) );
if( !temp )
{
perror( "malloc failed" );
cleanup();
exit( EXIT_FAILURE );
}
// EDIT:
temp->next = NULL;
// end EDIT:
printf( "Enter the element %d of the list", i+1 );
if( scanf( "%d", &temp->data ) != 1 )
{
fprintf( stderr, "scanf for a data failed\n" );
cleanup();
exit( EXIT_FAILURE );
}
if( !head )
{ // list empty
head = temp;
}
else
{ // list already contains some nodes
p = head;
while( p->next )
{
p = p->next;
}
p->next = temp;
}
}
}
void cleanup()
{
node *temp = head;
node *current;
while( temp )
{
current = temp;
temp = temp->next;
free( current );
}
}
Вот результат простого запуска программы:
Input the number of nodes for the Linked List.
2
Enter the element 1 of the list1
Enter the element 2 of the list2
1 => 2 =>
Предложить поставить пробел перед пользовательским вводом для значения данных узла в выходных данных