0

これは簡単なリンクリストの問題であると思われますが、input_info()をmain()関数に追加すると、MSVCclコンパイラは次のようなエラーメッセージを表示します。

syntax error : missing ';' before 'type'
error C2065: 'first_ptr' : undeclared identifier
warning C4047: 'function' : 'struct linked_list *' differs in levels of indirection from 'int '
warning C4024: 'print_list' : different types for formal and actual parameter 1

コンパイラがこのようなエラーを表示する理由がわかりません...MSVC6.0コンパイラがこのようなエラーメッセージを表示する理由を教えてください。

/*
*
*     this program is a simple link list which will have add(), 
*   remove(), find(), and tihs link list will contains the student 
*   information. 
*         
*/

#include <stdlib.h>
#include <stdio.h>

//this ppl structure student holds student info
typedef struct 
{

    char *name;
    int height;
    int weight;

}ppl;

//this structure is the link list structure
typedef struct linked_list
{
    ppl data;
    struct linked_list *next_ptr;
} linked_list;

//this function will print the link list in a reversed order
void print_list(linked_list *a)
{

    linked_list *llp=a;
    while (llp!=NULL)
    {
    printf("name: %s, height: %d, weight: %d \n",llp->data.name,llp->data.height,llp->data.weight);
        llp=llp->next_ptr;

    }
}

//this function will add ppl info to the link list
void add_list(ppl a, linked_list **first_ptr)
{
    //new node ptr
    linked_list *new_node_ptr;
    //create a structure for the item
    new_node_ptr=malloc(sizeof(linked_list));

    //store the item in the new element
    new_node_ptr->data=a;
    //make the first element of the list point to the new element
    new_node_ptr->next_ptr=*first_ptr;

    //the new lement is now the first element
    *first_ptr=new_node_ptr;
 }

void  input_info(void)
{
    printf("Please input the student info!\n");
}


int main()
{   
    ppl a={"Bla",125,11};

    input_info();
    //first node ptr
    struct linked_list *first_ptr=NULL;

    //add_list(a, &first_ptr);
    printf("name: %s, height: %d, weight: %d \n",a.name,a.height,a.weight);

    //print link list
    print_list(first_ptr);  
    return 0;
}
4

2 に答える 2

1

への変更

ppl a={"Bla",125,11};
//first node ptr
struct linked_list *first_ptr=NULL;
input_info();
于 2012-04-20T16:40:25.063 に答える
1

厳密に C89 である MSVC で comiling しているため、宣言とコードを混在させることはできません。

input_info();
struct linked_list *first_ptr=NULL;

input_info();コンパイラーがタイプを認識した後、動作しませんが、そこでは何も宣言できないため、タイプを認識すべきではありません。それを次のように変更するだけです。

struct linked_list *first_ptr=NULL;
input_info();

そして、すべてがうまくいくはずです。

于 2012-04-20T16:40:57.353 に答える