c++ expected

std::expected

和std::optional差不多,但是std::optional只能表示有正常的值或者为std::nullopt,即空值。而std::expected则可以表示一个期望的值和一个错误的值,相当于两个成员的std::variant,但是在接口上更方便使用。可以把它当作新的一种的错误处理方式。

基本使用

有两个模板参数,第一个表示为期望的值,第二个表示错误的值。

std::expected<T,E>

如果是期望的值,则有一个隐式的转换

std::expected<int, std::string> e = 42;

如果是异常值,则要通过std::unexpected()来初始化。

std::expected<int, std::string> e = std::unexpected("Error");

和std::optional一样有指针语义,可以解引用。解引用前必须检查,否则为UB!!!

std::expected<int, std::string> e = 42;
if (e)
  std::cout << *e << "\n"; // 打印 42

std::expected::value()值不存在时会抛出一个异常,一定程度上更安全。

std::expected<int, std::string> e = 42;
if (e.has_value())
  std::cout << e.value() << "\n"; // 打印 42

表示错误,如果没有错误使用的话为UB!!!

std::expected<int, std::string> e = std::unexpected<std::string>("Error");
if (!e.has_value())
  std::cout << e.error() << "\n"; // 打印 `Error`

你可能感兴趣的:(c++,c++)