我正在研究一个涉及三维空间中数学向量的项目(不要与vector
集合类型混淆)。我在class Vector
中定义了Vector.cpp
,并在Vector.h
中声明。我的目录结构如下:
当我尝试构建项目时,出现LNK2019
未解析的外部符号错误。据我所知,我的所有三个文件都在构建路径上。
在Vector.cpp
:
class Vector
{
private:
double xComponent;
double yComponent;
double zComponent;
public:
Vector(double x, double y, double z) : xComponent(x), yComponent(y), zComponent(z) {}
double dotProduct(const Vector& other) const
{
return xComponent * other.xComponent + yComponent * other.yComponent + zComponent * other.zComponent;
}
}
在Vector.h
:
#ifndef VECTOR_H
#define VECTOR_H
class Vector
{
public:
Vector(double x, double y, double z);
double dotProduct(const Vector& other) const;
}
#endif
在Vectors.cpp
:
#include "Vector.h"
#include <iostream>
using std::cout;
using std::endl;
int main()
{
Vector foo = Vector(3, 4, -7);
Vector bar = Vector(1.2, -3.6, 11);
cout << foo.dotProduct(bar) << endl;
return 0;
}
foo.dotProduct(bar)
是唯一发生链接器错误的地方(构造函数不会发生错误)。我已经尝试了Vector
的一些其他非构造函数方法,它们也导致了链接器错误。为什么构造函数可以工作而不是其他任何工作?
这是尝试构建项目的输出:
1>------ Build started: Project: Vectors, Configuration: Debug Win32 ------
1>Vectors.obj : error LNK2019: unresolved external symbol "public: double __thiscall Vector::dotProduct(class Vector const &)const " (?dotProduct@Vector@@QBENABV1@@Z) referenced in function _main
1>C:\Users\John\Documents\Visual Studio 2017\Projects\Vectors\Debug\Vectors.exe : fatal error LNK1120: 1 unresolved externals
1>Done building project "Vectors.vcxproj" -- FAILED.
========== Build: 0 succeeded, 1 failed, 0 up-to-date, 0 skipped ==========
答案 0 :(得分:2)
你定义了两次课程。一旦进入标题,一次进入.cpp文件。
仅在.cpp文件中保留函数定义:
[Export("setDevice::")]
void SetDevice(string deviceName, PaymentEngineMiddlewareDelegate setDelegate);
每次编写#include "Vector.h"
Vector::Vector(double x, double y, double z) : xComponent(x), yComponent(y), zComponent(z)
{
}
double Vector::dotProduct(const Vector& other) const
{
return xComponent * other.xComponent + yComponent * other.yComponent + zComponent * other.zComponent;
}
时,都会定义一个符号。在命名空间中只能有一个具有给定名称的符号。
请阅读有关声明和定义的更多信息。你可以start here。