我实际上是在尝试通过编写自己的小模块来理解 C++20 模块系统。假设我想提供一个函数来删除字符串开头和结尾的所有空格(一个trim
函数)。以下代码可以正常工作。
module;
export module String;
import std.core;
export std::string delete_all_spaces(std::string const & string)
{
std::string copy { string };
auto first_non_space { std::find_if_not(std::begin(copy), std::end(copy), isspace) };
copy.erase(std::begin(copy), first_non_space);
std::reverse(std::begin(copy), std::end(copy));
first_non_space = std::find_if_not(std::begin(copy), std::end(copy), isspace);
copy.erase(std::begin(copy), first_non_space);
std::reverse(std::begin(copy), std::end(copy));
return copy;
}
import std.core;
import String;
int main()
{
std::cout << delete_all_spaces(" Hello World! \n");
return 0;
}
但是如果我只想使用特定的标头而不是std.core
在我的模块中呢?如果我这样做,用import std.core
以下代码替换,我会在 Visual Studio 2019 上收到错误。
module;
#include <algorithm>
#include <cctype>
#include <string>
export module String;
// No more import of std.core
export std::string delete_all_spaces(std::string const & string)
{
// ...
}
Error LNK1179 file not valid or damaged: '??$_Deallocate@$07$0A@@std@@YAXPAXI@Z' COMDAT duplicated
但是,如果在main.cpp
I 中也替换了import std.core
with #include <iostream>
,则代码会再次编译。这就像使用两个系统证明链接器来完成它的工作。
问题是:我做错了吗?import
同时使用新方法和旧#include
方法是一种不好的做法吗?我在 Internet 上的多个帖子中看到,您可以在模块中包含一些旧标题,从而在不破坏现有代码的情况下更新您的代码。但是,如果此标头包含 STL 的某些部分,比如#include <string>
我的模块使用了import std.core
怎么办?
我只使用 Visual Studio 2019 进行测试,因为到目前为止,import std.core
它不适用于 GCC。那么,它可能来自 VS 中的错误吗?还是所有编译器的问题都一样?