HEX
Server: Apache/2.4.65 (Ubuntu)
System: Linux ielts-store-v2 6.8.0-1036-gcp #38~22.04.1-Ubuntu SMP Thu Aug 14 01:19:18 UTC 2025 x86_64
User: root (0)
PHP: 7.2.34-54+ubuntu20.04.1+deb.sury.org+1
Disabled: pcntl_alarm,pcntl_fork,pcntl_waitpid,pcntl_wait,pcntl_wifexited,pcntl_wifstopped,pcntl_wifsignaled,pcntl_wifcontinued,pcntl_wexitstatus,pcntl_wtermsig,pcntl_wstopsig,pcntl_signal,pcntl_signal_get_handler,pcntl_signal_dispatch,pcntl_get_last_error,pcntl_strerror,pcntl_sigprocmask,pcntl_sigwaitinfo,pcntl_sigtimedwait,pcntl_exec,pcntl_getpriority,pcntl_setpriority,pcntl_async_signals,
Upload Files
File: //snap/google-cloud-cli/current/platform/gsutil/third_party/pyparsing/tests/test_util.py
import random
from typing import Union, Iterable
import pytest
import pyparsing as pp


@pytest.mark.parametrize(
    "test_label, input_list, expected_output",
    [
        ("Empty list", [], []),
        ("Flat list", [1, 2, 3], [1, 2, 3]),
        ("Nested list", [[1, 2], [3, 4]], [1, 2, 3, 4]),
        ("Mixed list with single values and lists", [1, [2, 3], 4], [1, 2, 3, 4]),
        ("Deeper nested lists", [1, [2, [3, 4]], 5], [1, 2, 3, 4, 5]),
        ("Deeper nesting with sublists", [[[1], 2], [3]], [1, 2, 3]),
        (
            "Mixed empty and non-empty nested lists",
            [[], [1], [2, [3]], [[4, 5]]],
            [1, 2, 3, 4, 5],
        ),
        ("Deeply nested empty lists", [[[[]]]], []),
        ("Mixed empty lists and non-empty elements", [1, [], 2, [3, []]], [1, 2, 3]),
        (
            "ParseResults instead of lists",
            [pp.ParseResults([1, 2]), pp.ParseResults([3, 4])],
            [1, 2, 3, 4],
        ),
        (
            "ParseResults with mixed types",
            [1, pp.ParseResults([2, 3]), 4],
            [1, 2, 3, 4],
        ),
        (
            "Nested ParseResults",
            [pp.ParseResults([1, pp.ParseResults([2, 3])]), 4],
            [1, 2, 3, 4],
        ),
        (
            "Empty ParseResults",
            [pp.ParseResults([]), 1, pp.ParseResults([2, 3])],
            [1, 2, 3],
        ),
    ],
)
def test_flatten(test_label: str, input_list: list, expected_output: list):
    from pyparsing.util import _flatten

    """Test flatten with various inputs."""
    print(test_label)
    assert _flatten(input_list) == expected_output


@pytest.mark.parametrize(
    "test_label, input_string, re_escape, expected_output",
    [
        ("Empty string", "", True, ""),
        ("Single character", "a", True, "a"),
        ("Two consecutive characters", "ab", True, "ab"),
        ("Two non-consecutive characters", "az", True, "az"),
        ("Three consecutive characters", "abcg", True, "a-cg"),
        ("Full consecutive alphabet", "abcdefghijklmnopqrstuvwxyz", True, "a-z"),
        ("Consecutive characters with special regex chars", "^-]", True, r"\-\]\^"),
        ("Consecutive characters without escaping", "^-]", False, "-]^"),
        ("Mixed consecutive and non-consecutive", "abcxyz", True, "a-cx-z"),
        ("Reversed order input", "cba", True, "a-c"),
        ("Characters with duplicates", "aaxxxddddbbcc", True, "a-dx"),
        ("Non-alphabetic consecutive characters", "012345", True, "0-5"),
        ("Non-alphabetic mixed characters", "@05", True, "05@"),
        ("Non-alphabetic, non-consecutive characters", "02", True, "02"),
        ("Verify range ending with '-' creates valid regex", "*+,-", True, r"*-\-"),
        ("Verify range ending with ']' creates valid regex", r"WXYZ[\]", True, r"W-\]"),
        ("Verify range starting with '^' creates valid regex", "^_`a", True, r"\^-a"),
    ],
)
def test_collapse_string_to_ranges(
    test_label: str,
    input_string: Union[str, Iterable[str]],
    re_escape: bool,
    expected_output: str,
):
    """Test collapsing a string into character ranges with and without regex escaping."""
    from pyparsing.util import _collapse_string_to_ranges
    from random import random
    import re

    print(test_label)

    collapsed = _collapse_string_to_ranges(input_string, re_escape)
    print(f"{input_string!r} -> {collapsed!r}")
    assert collapsed == expected_output

    if input_string:
        # for added coverage, randomly shuffle input string
        shuffled = "".join(sorted(list(input_string), key=lambda _: random()))
        collapsed = _collapse_string_to_ranges(shuffled, re_escape)
        print(f"{shuffled!r} -> {collapsed!r}")
        assert collapsed == expected_output

        # added test to assert that the collapsed string can be used as a valid regex range string
        if re_escape:
            collapsed_re = re.compile(f"[{collapsed}]+")
            match = collapsed_re.match(input_string)
            print(f"re.match:'{collapsed_re.pattern}' -> {match and match[0]!r}")
            assert match is not None and match[0] == input_string

    print()


@pytest.mark.parametrize(
    "test_label, loc, input_string, expected_output",
    [
        ("First column, no newline", 0, "abcdef", 1),
        ("Second column, no newline", 1, "abcdef", 2),
        ("First column after newline", 4, "abc\ndef", 1),
        ("Second column after newline", 5, "abc\ndef", 2),
        ("Column after multiple newlines", 9, "abc\ndef\nghi", 2),
        ("Location at start of string", 0, "abcdef", 1),
        ("Location at end of string", 5, "abcdef", 6),
        ("Column after newline at end", 3, "abc\n", 4),
        ("Tab character in the string", 4, "a\tbcd\tef", 5),
        ("Multiple lines with tab", 8, "a\tb\nc\td", 5),
    ],
)
def test_col(test_label: str, loc: int, input_string: str, expected_output: int):
    from pyparsing.util import col

    print(test_label)
    assert col(loc, input_string) == expected_output


@pytest.mark.parametrize(
    "test_label, loc, input_string, expected_output",
    [
        ("Single line, no newlines", 0, "abcdef", "abcdef"),
        ("First line in multi-line string", 2, "abc\ndef", "abc"),
        ("Second line in multi-line string", 5, "abc\ndef", "def"),
        ("Location at start of second line", 4, "abc\ndef", "def"),
        ("Empty string", 0, "", ""),
        ("Location at newline character", 3, "abc\ndef", "abc"),
        ("Last line without trailing newline", 7, "abc\ndef\nghi", "def"),
        ("Single line with newline at end", 2, "abc\n", "abc"),
        ("Multi-line with multiple newlines", 6, "line1\nline2\nline3", "line2"),
        ("Multi-line with trailing newline", 11, "line1\nline2\nline3\n", "line2"),
    ],
)
def test_line(test_label: str, loc: int, input_string: str, expected_output: str):
    from pyparsing import line

    print(test_label)
    assert line(loc, input_string) == expected_output


@pytest.mark.parametrize(
    "test_label, loc, input_string, expected_output",
    [
        ("Single line, no newlines", 0, "abcdef", 1),
        ("First line in multi-line string", 2, "abc\ndef", 1),
        ("Second line in multi-line string", 5, "abc\ndef", 2),
        ("Location at start of second line", 4, "abc\ndef", 2),
        ("Multiple newlines, third line", 10, "abc\ndef\nghi", 3),
        ("Empty string", 0, "", 1),
        ("Location at newline character", 3, "abc\ndef", 1),
        ("Last line without trailing newline", 7, "abc\ndef\nghi", 2),
        ("Single line with newline at end", 4, "abc\n", 2),
        ("Multi-line with trailing newline", 12, "line1\nline2\nline3\n", 3),
        ("Location in middle of a tabbed string", 7, "a\tb\nc\td", 2),
    ],
)
def test_lineno(test_label: str, loc: int, input_string: str, expected_output: int):
    from pyparsing import lineno

    assert lineno(loc, input_string) == expected_output


def test_html_entities() -> None:
    import html.entities
    from pyparsing import common_html_entity

    # create test string from all known HTML5 entities, in random order
    entity_strings = [f'&{e.rstrip(";")};' for e in html.entities.html5]
    random.shuffle(entity_strings)
    test_string = " ".join(entity_strings)

    # verify that all are parsed
    parsed = common_html_entity()[...].parse_string(test_string, parse_all=True)
    assert len(parsed) == len(html.entities.html5)


def test_make_compressed_re() -> None:
    import re
    from pyparsing.util import make_compressed_re

    words = "blue brown black blues bluesky co ci ce ca cu".split()
    for i in range(1, 9):
        print(i, make_compressed_re(words, max_level=i))
        regex = re.compile(make_compressed_re(words, max_level=i) + "$")
        assert all(regex.match(wd) for wd in words)

def test_make_compressed_re_bad_input():
    from pyparsing.util import make_compressed_re

    with pytest.raises(ValueError):
        make_compressed_re([])

    with pytest.raises(ValueError):
        make_compressed_re(["a", "", "b", "c"])

    # handle duplicate input strings
    assert make_compressed_re(["a", "b", "c"]) == make_compressed_re(["a", "b", "c", "a"])


def test_make_compressed_re_random():
    import itertools
    import re
    from pyparsing.util import make_compressed_re

    def generate_random_word(max_length: int) -> str:
        import random
        import string
        length = random.randint(1, max_length)
        return ''.join(random.choice(string.ascii_lowercase + ".*? ") for _ in range(length))

    def generate_word_lists(num_lists: int, num_words: int, word_length: int) -> Iterable[list[str]]:
        yield from (
            [generate_random_word(word_length) for _ in range(num_words)]
            for _ in range(num_lists)
        )

    for word_length, list_length in itertools.product(range(3, 9), range(1, 32)):
        for word_list in generate_word_lists(100, list_length, word_length):
            regex_pattern = make_compressed_re(word_list)
            try:
                regex = re.compile(f"^({regex_pattern})$")
            except Exception as e:
                assert False, f"Failed to compile {word_list} to regex pattern {regex_pattern!r}: {e}"

            for word in word_list:
                assert regex.match(word), f"Regex {regex_pattern!r} did not match word: {word}"

            # Check that the regex does not match a random word not in the list
            random_word = generate_random_word(word_length)
            while random_word in word_list:
                random_word = generate_random_word(word_length)
            assert regex.match(random_word) is None, f"Regex {regex_pattern!r} incorrectly matched word: {random_word!r}"