javascript.netregexmaui

Validating Thickness (Margin/Padding) string using Regex for different platforms


I have a specific Regex pattern requirement for a string pattern which contains margin/padding (Thickness) for max 3 different platform and devices separated by semicolon. Margin and Padding format is for .NET MAUI where you can have Universal, Horizontal/Vertical, LTRB.

Comma separated is Thickness (Margin) and semicolon separator is for different devices/platforms. Note that end of string shouldn't end with comma or semicolon.

Should Match (spaces are intentional for visibility)

Shouldn't Match (spaces are intentional for visibility)

Tried this myself, but couldn't achieve above.

^((?:\d{1,3},?){1,4};?){1,3}$


Solution

  • You are matching an optional , and an optional ; on every repetition, which makes the regex also match strings like 123123123123 123123123123, 123123123123,;


    For example:

    ^\d{1,3}(?:,\d{1,3}){0,3}(?: ; \d{1,3}(?:,\d{1,3}){0,3})*$
    

    The regex in parts matches:

    See a regex 101 demo


    If you want to match either 1, 2 or 4 numbers separated by a comma:

    ^\d{1,3}(?:,\d{1,3}|(?:,\d{1,3}){3})?(?: ; \d{1,3}(?:,\d{1,3}|(?:,\d{1,3}){3})?)*$
    

    See another regex 101 demo

    If you want to match optional spaces around the semicolon, then you could use *; * or just a ; if there should be no spaces.

    A more broader match is using \s*;\s* but note that is could also possibly match newlines.