DEV Community

Ben Halpern
Ben Halpern

Posted on

How do you regex?

I made a thread yesterday called How do you feel about regex?

Lots of fun discussion. Lots of people weighed in on their tools and tactics, but I'd love to move the conversation that way.

How do you go about using regex.

  • What tools do you use? (if not from full memory)
  • How do you encapsulate/label/comment regex?
  • What types of problems do you most solve with regex?

Looking forward to any and all comments!

Latest comments (23)

Collapse
 
pinotattari profile image
Riccardo Bernardini • Edited
  • Tools? None, most of the times. For most complex regex, I wrote myself a nice "regexp generator" library that allows me to "build" regexp in more readable way.
  • Problems? It depends on the language, actually. In Ruby I use them mostly to parse simple line-based text files. In Ada I use them more sparingly, usually when I need some kind of lexical analyzer. The reason for this difference is that in Ruby using regexp is much easier: just write something like /[a-z][0-9]+/, in Ada it is a bit more involved.
Collapse
 
lepinekong profile image
lepinekong • Edited

My approach is to use iterative method to do regex decomposition and I write down the mental process to achieve this or I will just learn and forget, just learn and forget "Ad vitam Eternam" like I used to in the past :D example below - I'm using figjam document to create code notes (free with figma.com) to do this (with the help of a plugin I'm building to generate the whole expression from the parts) - especially important to be able to understand a regex you wrote x weeks or months before so I also not matching and non matching samples for above each regex part. I also embed regexr.com/ playground in figjam doc. In the future by improving the plugin I will be able to have direct real time playground while playing with the parts.

That's how I'm now much more confident to write my own regex without googling which is by the way an increase in productivity ;)

Alt text

Collapse
 
drsensor profile image
૮༼⚆︿⚆༽つ
  1. ask copilot
  2. got dumb answer? so $askagain
  3. test that! curl_cat_whatever $something | rg -n -w $regex
  4. bug? visualize regex as railroad diagram (I'm still searching CLI similar to npeg but for regex while being a stand-alone binary)
  5. ditch regex and just use PEG 😂
Collapse
 
mellen profile image
Matt Ellen

I mostly use regex for searching files for something. A string I sort of remember, but not quite, or if I want to double check the "find all instances of" type thing in an IDE.

For whatever reason I find grep easier to use than "find in files" of most IDEs.

I don't usually have to look up how anything works, because I've learnt that now, with the exception of look ahead and look behind, and sometimes I forget which is the end anchor and which is the start anchor.

The problem I hit most often is forgetting what I have to escape. For example, what I have to escape in emacs is different to what I have to escape in bash.

Collapse
 
rafi993 profile image
Rafi

I use cli tool grex it generates regex given example text to match.

Collapse
 
thumbone profile image
Bernd Wechner

My contexts for RE us in order of frequency of late:

  • Python
  • Bash
  • .NET (C#)

What tools do I use? In order again:

  • My IDE (as in I just write the thing, been writing Res since the '80s so pretty familiar with them)
  • The documentation for the tool (because different flavours trip me up from time tot time of course)
  • General on-line search (which generally takes me to the first)
  • On-line testing and diagnostic tools if I can't work out why my RE isn't matching when I think it should, including:

What types of problems?

  • RE problems, doh! ;-).
  • More seriously, the class of problem REs are idea for, which includes primarily:
    • Any spot need in Python or C# that I have to detect or extract specific patterns in a string
    • Using CLI tools in bash or writing shell scripts, it's not long before and RE in a grep or sed or such is called for.

Yeah, could be an age or generation thing but I call them REs not regexes so much.

Essentially REs fill the gap between:

  • The very basic string find, extract and split tools that many languages provide like like Excel does for example and basic string types in many modern languages provide
  • Full on grammar parsing.

In between these two extremes is a rich territory of spot pattern testing and string manipulation that a terse pattern definition language provides and the one that essentially came to dominate is called "regular" ;-), probably mainly because in its earliest inceptions it was designed and intended to be, supported by diverse tools in the *nix landscape of the day.

Collapse
 
highcenburg profile image
Vicente G. Reyes

I wrote(WIP) an article which I shared with my colleagues which explains regex. These colleagues have little to no knowledge on how regex works hence the urge to write and help them get started using it since we're the last people who work on clients' project before giving it back to them. Our work includes making sure the data's clean and consistent. notion.so/vicentereyes/Introductio...

Collapse
 
scottshipp profile image
scottshipp • Edited

Some people, when confronted with a problem, think 'I know, I’ll use regular expressions.' Now they have two problems.

—Jamie Zawinski

Hence, I only use regex when I have to. And I usually just end up using the built-in language features for it.

Collapse
 
baenencalin profile image
Calin Baenen
  • What tools do you use? (if not from full memory)

regex101, as stated yesterday.
Otherwise I try to do things from memory, or look shiz up.

  • How do you encapsulate/label/comment regex?

I don't.

  • What types of problems do you most solve with regex?

ParseJS with "abstract tokens", that'd allow for you to make a programming language with usable identifiers.

Collapse
 
derekenos profile image
Derek Enos • Edited

I usually work from memory and try to use as many named capturing groups as possible because I find that it serves to provide basic, inline, documentation of the pattern itself, and provides a more expressive way of accessing the groups on the match result:

const regex = /(?<first>[^\-])-(?<second>[^\-])-(?<rest>.+)/

const { groups } = regex.exec("1-2-3-4-5")

groups.first
'1'
groups.second
'2'
groups.rest
'3-4-5'
Enter fullscreen mode Exit fullscreen mode
Collapse
 
grahamthedev profile image
GrahamTheDev • Edited

Well I did use regex quite heavily to build a basic JS syntax highlighter (instead of doing it properly with tokenisation)

Other than that I just tend to use them for validation of input!

Collapse
 
jeremyf profile image
Jeremy Friesen

For tools, I like to use Ruby to write my regex. I often refer to the documentation. I invariably pair the regex with lots of local tests.

Below is a basic test. I save the code to a file (e.g. regexp.rb) and then run ruby regexp.rb.

THE_REGEX = %r{\d+}
def the_matcher(text)
  THE_REGEX.match?(text)
end

if __FILE__ == $0
  [
    ["123", true],
    ["abc", false],
  ].each do |text, expected|
    actual = the_matcher(text)
    if actual == expected
      puts "SUCCESS: for #the_matcher(#{text.inspect})"
    else
      puts "FAILURE: Expected #the_matcher(#{text.inspect}) to return #{expected}, got #{actual}"
    end
  end
end
Enter fullscreen mode Exit fullscreen mode

I favor these basic tests as I'm writing regular expressions as they are super fast to run. And are easy to later port into the test suite of the application (which depending on how the application tests are constructed might be faster or slower to run).

For types of problems, I've used it for:

Collapse
 
lexlohr profile image
Alex Lohr

I just write them down; ,usually they work. I comment more complex RegExp by splitting up the parts of it in a comment, e.g. for a simple example:

// Matches cookies in document.cookie
// $1: key `([^=]+)` one or more not `=`
// separator `=`
// $2: value `([^;]+)` one or more not `;`
// Modifier 'g' (global)
const cookieMatcher = /([^=]+)=([^;]+)/g;
Enter fullscreen mode Exit fullscreen mode
Collapse
 
xanderyzwich profile image
Corey McCarty

If at all possible, avoid using regex in code. If you must include regex in code then you should make efforts to explain what the different parts do. All of that said, I have come across some examples of entry validation in front-end where the best approach was to request the validations from the back-end depending on the locale, and then pass back regex strings. This keeps you from having hard coded regex in the front-end, but means that the back-end has a plethora of regex patterns stored based on the field being validated and the locale. For this think of a list of phone number validation regexes by locale code being in one place. This is an attempt to prevent sending information to the back-end to perform validation, but as a safety precaution, the back-end should still perform the validation to insure that there's been no tampering with the validation steps.

When I use regex it is usually for searching in my code or local file system, and I use Regexr as both a reference and a test tool. One instance that I used during Advent of Code was to find any commented/uncommented print calls in the code before commit.

Collapse
 
aleksandrhovhannisyan profile image
Aleksandr Hovhannisyan

I like using regexr.com/ to test my regex and make sure it behaves correctly for edge cases. It's a wonderful tool!

These days, I mainly use regex at the editor level (e.g., in VS Code) to mass-replace certain patterns with other patterns when it's not possible to easily rename them using built-in editor shortcuts. For example, in early 2021, I migrated my site from Jekyll to 11ty, and as part of that migration, I had to convert a bunch of my Liquid shortcodes to use a new syntax. Since I had hundreds of matches, I relied on regex to mass-replace them rather than doing it by hand.

More recently, I also learned about the HTML pattern attribute, which accepts any valid regex to validate a form input, and have been using it where appropriate for client-side validation. For example, in a recent project, I used the pattern ^[a-zA-Z0-9-](?:(,\s*)?[a-zA-Z0-9-])*$ to match a comma-separated list of identifiers, with potential spaces after the commas. It seemed difficult to arrive at this solution initially, but then I realized that it was just a more complex case of the slug regex pattern I used here: npmjs.com/package/is-slug.

While I find it easy to compose basic regex patterns, I do think it's harder to read regex, especially for complex patterns like the one above, and especially if I'm reading other people's regex.