从 std::string_view 中删除字符串前缀的最佳方法?

Best way to remove string prefix from std::string_view?

从 C++20 开始,string_viewremove_prefix 但它是“错误的”(对我的用例来说是错误的)。 它以字符数作为参数,而不是前缀(类似字符串的东西)。

我有 this 代码,但我想知道是否有更好的方法来做我想做的事情(注意我的代码关心前缀是否被删除所以我 return 布尔值):

static bool Consume(std::string_view& view, const std::string_view prefix)
{
    if (view.starts_with(prefix))
    {
        view.remove_prefix(prefix.size());
        return true;
    }
    return false;
}

注意:我知道我可以 return optional<string_view> 而不是 bool + out arg,但这是不同风格的讨论,我主要关心的是不存在的东西

bool /*prefix removed*/string_view::remove_prefix(string_view prefix);

note2:标记此 C++17,因为那是 string_view“到达”的时候,我对任何 C++20 替代方案都很好。

I mostly care about having something like nonexistant

bool /*prefix removed*/string_view::remove_prefix(string_view prefix);

的确,标准库中没有这样的函数。但是你现在已经编写了这样的函数,因此你的函数是一种更好的方式来做你想要的事情。


如果您愿意接受不同的设计,我建议您采用以下替代方案:

constexpr std::string_view
remove_prefix(std::string_view sv, std::string_view prefix) noexcept
{
    return sv.starts_with(prefix)
        ? sv.substr(prefix.size())
        : sv;
}

// usage
string_view no_prefix = remove_prefix(view, prefix);
bool was_removed = no_prefix.size() != view.size();

或return一个class:

struct modify_result {
    std::string_view result;
    bool modified;
};

constexpr modify_result
remove_prefix(std::string_view sv, std::string_view prefix) noexcept
{
    return sv.starts_with(prefix)
        ? modify_result{sv.substr(prefix.size()), true}
        : modify_result{sv, false};
}


// usage
auto [no_prefix, was_removed] = remove_prefix(view, prefix);

我并不是说这些更适合您的用例。这些只是可能适用于不同用例的替代解决方案。