在 C++20 中添加了一个新功能来获取源位置信息:https ://en.cppreference.com/w/cpp/utility/source_location
这是该页面的一个稍作修改的示例,其中使用了添加立即函数loc
来获取源位置:
#include <iostream>
#include <string_view>
#include <source_location>
consteval auto loc(std::source_location x = std::source_location::current() ) { return x; }
void log(const std::string_view message,
const std::source_location location = loc()) {
std::cout << "file: "
<< location.file_name() << "("
<< location.line() << ":"
<< location.column() << ") `"
<< location.function_name() << "`: "
<< message << '\n';
}
template <typename T> void fun(T x) { log(x); }
int main(int, char*[]) {
log("Hello world!");
fun("Hello C++20!");
}
在最新的 MSVC 2019 中,它的打印结果与 cppreference.com 的原始示例一样:
file: main.cpp(25:5) `main`: Hello world!
file: main.cpp(20:5) `fun`: Hello C++20!
但在 GCC 中,同一行在输出中显示了两次:
file: /app/example.cpp(8:51) ``: Hello world!
file: /app/example.cpp(8:51) ``: Hello C++20!
演示:https ://gcc.godbolt.org/z/nqE4cr9d4
哪个编译器在这里?
如果定义loc
函数不是立即函数:
auto loc(std::source_location x = std::source_location::current() ) { return x; }
然后 GCC 的输出发生变化并类似于原始示例:
file: /app/example.cpp(20:8) `int main(int, char**)`: Hello world!
file: /app/example.cpp(17:42) `void fun(T) [with T = const char*]`: Hello C++20!
虽然 MSVC 拒绝编译它并出现错误:
error C7595: 'std::source_location::current': call to immediate function is not a constant expression
演示:https ://gcc.godbolt.org/z/vorW4f9ax
还请建议,哪个编译器在非即时情况下也是正确的?