1

好吧,我对这个错误有点困惑。我在这里要做的是创建一个 basic_string,当定义 UNICODE 和 _UNICODE 时(这是在 WINAPI 中),它将是 char 或 wchar_t。这确实有效,但由于某种原因,我无法定义一个在声明它的类之外接收 std::basic_string 的函数。这是一个例子:

测试.h

#ifndef TEST_H
#define TEST_H

#include <Windows.h>
#include <string>

class Test
{
public:
    void func(std::basic_string<TCHAR> stringInput);
};

#endif

测试.cpp

#include "test.h"

void Test::func(std::basic_string<TCHAR> stringInput)
{
    MessageBox(NULL, stringInput.c_str(), TEXT("It works!"), MB_OK);
}

这会产生一个链接错误,声称 test::func 从未定义。但是,如果我只是像这样在类中定义:

测试.h

#ifndef TEST_H
#define TEST_H

#include <Windows.h>
#include <string>

class Test
{
public:
    void func(std::basic_string<TCHAR> stringInput)
    {
        MessageBox(NULL, stringInput.c_str(), TEXT("It works!"), MB_OK);
    }
}

#endif

它工作正常。但是,我真的很喜欢将我的声明和定义保存在单独的文件中,以避免重新定义错误和组织。这是踢球者。当我像以前一样在 test.cpp 中定义了 func 并且没有在 main.cpp 中定义 UNICODE 和 _UNICODE 时,我没有收到链接错误。所以真的,我唯一一次得到链接错误是当 TCHAR 变成 wchar_t 时。所以这是我的主要内容,错误很快......

主文件

#define UNICODE       // this won't compile when these are defined
#define _UNICODE

#include <Windows.h>
#include <string>

#include "test.h"

int WINAPI WinMain(HINSTANCE hInstance, HINSTANCE hPrevInstance,LPSTR lpCmdLine, int nCmdShow)
{
    Test test;
    test.func(TEXT("wakka wakka"));
    return 0;
}

错误:

error LNK2019: unresolved external symbol "public: void __thiscall Test::func(class std::basic_string<wchar_t,struct std::char_traits<wchar_t>,class std::allocator<wchar_t> >)" (?func@Test@@QAEXV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@@Z) referenced in function _WinMain@16

任何人都知道发生了什么以及我该如何解决这个问题?

4

1 回答 1

4

我想因为你正在投入#define UNICODEmain.cpp另一部分不知道这一点。何时test.cpp编译,UNICODE未定义。您可以尝试将UNICODE定义作为项目处理器宏。或者在包含 Windows.h 之前test.h编写#define UNICODE和。#define _UNICODE

另一方面,因为您在 Test.h 中包含了 Windows.h,所以您不应该在 main.cpp 中再次包含它。

考虑在 Visual Studio 中创建一个默认项目,并使用Precompiled Headers. 这样,将此类包含在 stdafx.h 中将解决您的所有问题:

#define UNICODE
#include <windows.h>
#include <string>
于 2012-04-07T23:59:06.320 回答