1

我已经开始编写自己的链接列表,它可以很好地打印数字,但我使用模板来确定用于对象的类型名。因此,除了打印对象外,我输入数据没有任何问题。这些类出现以下错误,但 Visual Studio 2010 没有给出行号。我要做的就是允许从链接列表中以正确的格式输出不同类型的对象。

error LNK2005: "class std::basic_ostream<char,struct std::char_traits<char> > &
__cdecl operator<<(class std::basic_ostream<char,struct std::char_traits<char> > &,
class Customer &)" (??6@YAAAV?$basic_ostream@DU?$char_traits@D@std@@@std@@AAV01@AAVCustomer@@@Z)
already defined in Customer.obj

桂班

//Templates
#include "LinkList.h"
#include "Node.h"

//Classes
#include "Gui.h"
#include "Customer.h"

//Libaries
#include <iostream>

//Namespaces
using namespace std;

int main(){
    Customer c1("TempFirst", "TempLast");
    LinkList<Customer> customerList;
    customerList.insert(c1);

    //Print Linklist
    customerList.print();
    system("pause");
    return 0;
}

客户类

//Def
#pragma once

//Included Libaries
#include <string>
#include <iostream>
class Customer
{
private:
    std::string firstName;
    std::string lastName;
public:
    Customer();
    Customer(std::string sFirstName, std::string sLastName);
    ~Customer(void);

    //Get Methods
    std::string getFirstName();
    std::string getLastName();

    //Set Methods
    void setFirstName(std::string sFirstname);
    void setLastName(std::string sLastname);

    //Print
};

std::ostream& operator << (std::ostream& output, Customer& customer)
{
    output << "First Name: " << customer.getFirstName() << " "
        << "Last Name: " << customer.getLastName() << std::endl;
    return output;
}
4

2 回答 2

3

小心将函数定义放在头文件中。您需要内联定义,或者更好的是,将其放入.cpp文件中。只Customer.h放一个函数原型:

// Customer.h
std::ostream& operator << (std::ostream& output, Customer& customer);

并将完整的定义放入Customer.cpp

// Customer.cpp
std::ostream& operator << (std::ostream& output, Customer& customer)
{
    output << "First Name: " << customer.getFirstName() << " "
           << "Last Name: "  << customer.getLastName()  << std::endl;
    return output;
}

或者,如果您真的想要头文件中的定义,请添加inline关键字。内联定义必须放在头文件中,并且就其性质而言,它们没有外部链接,也不会触发重复的定义错误。

inline std::ostream& operator << (std::ostream& output, Customer& customer)
{
    ...
}
于 2012-11-23T17:59:04.807 回答
0

您没有得到行号,因为直到链接时间才检测到错误,并且链接器看不到任何源代码。问题是您已将函数定义放在标题中;仅当函数是函数模板或已声明时,这才是合法的 inline。通常的过程是只在头文件中放置一个声明,并将定义与类成员函数定义放在同一个源文件中。

于 2012-11-23T18:01:40.067 回答