2

我被分配了将程序拆分为不同文件的任务。任务是: 每个文件都应包含以下内容: customers.h:应包含客户结构的定义和印刷客户的声明。customers.cpp:应该包含印刷客户的实现(或定义)。练习1 5.cpp:应该包含customers.h 和主程序。

这是我的代码:

客户.h

#pragma once;

void print_customers(customer &head);

struct customer
{
string name;
customer *next;

};

客户.cpp

#include <iostream>

using namespace std;

void print_customers(customer &head) 
{
customer *cur = &head;
while (cur != NULL)
{
    cout << cur->name << endl;
    cur = cur->next;

}

}

练习_1_5.cpp

#include <iostream>
#include <string>
#include "customers.h"
using namespace std;

main()
{
    customer customer1, customer2, customer3;
    customer1.next = &customer2;
    customer2.next = &customer3;

    customer3.next = NULL;
    customer1.name = "Jack";
    customer2.name = "Jane";
    customer3.name = "Joe";
    print_customers(customer1);
    return 0;
}

它在单个程序中编译并运行良好,但是当我尝试将其拆分并编译时g++ -o customers.cpp

我收到此错误

customers.cpp:4:22: error: variable or field ‘print_customers’ declared void
customers.cpp:4:22: error: ‘customer’ was not declared in this scope
customers.cpp:4:32: error: ‘head’ was not declared in this scope

谁能帮忙,我只是c ++的初学者

4

3 回答 3

2
void print_customers(customer &head);

C++ 编译器以自上而下的方式工作。因此,它在该点看到的每种类型和标识符都必须是已知的。

问题是编译器不知道customer上述语句中的类型。尝试在函数的前向声明之前前向声明类型。

struct customer;

或者将函数前向声明移到结构定义之后。

于 2013-10-21T20:32:13.757 回答
2

第一的,

#include "customers.h"  // in the "customers.cpp" file.

其次,print_customers使用customer,但此类型尚未声明。您有两种方法可以解决问题。

  1. 将函数声明放在结构声明之后。
  2. struct customer;在函数声明之前放置一个转发声明( ),
于 2013-10-21T20:32:58.973 回答
1

您需要在customers.h. 请参阅代码中的注释。

#pragma once;

#include <string>        // including string as it is referenced in the struct

struct customer
{
    std::string name;    // using std qualifer in header
    customer *next;
};

// moved to below the struct, so that customer is known about
void print_customers(customer &head);

然后你必须#include "customers.h"customers.cpp.

注意我没有写using namespace std在头文件中。因为这会将std命名空间导入任何包含customer.h. 有关更多详细信息,请参阅:为什么在 C++ 中将“使用命名空间”包含到头文件中是一个坏主意?

于 2013-10-21T20:38:20.497 回答