diff --git a/AK/Utf8View.h b/AK/Utf8View.h index e1b1ae70ccf061..1b46a7602338d6 100644 --- a/AK/Utf8View.h +++ b/AK/Utf8View.h @@ -8,6 +8,7 @@ #pragma once #include +#include #include #include @@ -162,6 +163,52 @@ class Utf8View { return true; } + template + auto for_each_split_view(Function splitter, SplitBehavior split_behavior, Callback callback) const + { + bool keep_empty = has_flag(split_behavior, SplitBehavior::KeepEmpty); + bool keep_trailing_separator = has_flag(split_behavior, SplitBehavior::KeepTrailingSeparator); + + auto start_offset = 0u; + auto offset = 0u; + + auto run_callback = [&]() { + auto length = offset - start_offset; + + if (length == 0 && !keep_empty) + return; + + auto substring = unicode_substring_view(start_offset, length); + + // Reject splitter-only entries if we're not keeping empty results + if (keep_trailing_separator && !keep_empty && length == 1 && splitter(*substring.begin())) + return; + + callback(substring); + }; + + auto iterator = begin(); + while (iterator != end()) { + if (splitter(*iterator)) { + if (keep_trailing_separator) + ++offset; + + run_callback(); + + if (!keep_trailing_separator) + ++offset; + + start_offset = offset; + ++iterator; + continue; + } + + ++offset; + ++iterator; + } + run_callback(); + } + private: friend class Utf8CodePointIterator; diff --git a/Tests/AK/TestUtf8.cpp b/Tests/AK/TestUtf8.cpp index 726d79dca08766..eae4051b93322e 100644 --- a/Tests/AK/TestUtf8.cpp +++ b/Tests/AK/TestUtf8.cpp @@ -300,3 +300,26 @@ TEST_CASE(trim) EXPECT_EQ(view.trim(whitespace, TrimMode::Right).as_string(), "\u180E"); } } + +static bool is_period(u32 code_point) { return code_point == '.'; } + +TEST_CASE(for_each_split_view) +{ + Utf8View view { "...Well..hello.friends!..."sv }; + auto gather = [&](auto split_behavior) { + Vector results; + view.for_each_split_view(is_period, split_behavior, [&](auto part) { + results.append(part.as_string()); + }); + return results; + }; + + EXPECT_EQ(gather(SplitBehavior::Nothing), + Vector({ "Well"sv, "hello"sv, "friends!"sv })); + EXPECT_EQ(gather(SplitBehavior::KeepEmpty), + Vector({ ""sv, ""sv, ""sv, "Well"sv, ""sv, "hello"sv, "friends!"sv, ""sv, ""sv, ""sv })); + EXPECT_EQ(gather(SplitBehavior::KeepTrailingSeparator), + Vector({ "Well."sv, "hello."sv, "friends!."sv })); + EXPECT_EQ(gather(SplitBehavior::KeepEmpty | SplitBehavior::KeepTrailingSeparator), + Vector({ "."sv, "."sv, "."sv, "Well."sv, "."sv, "hello."sv, "friends!."sv, "."sv, "."sv, ""sv })); +}