Dave Jarvis
Dave Jarvis

Reputation: 31201

Efficient regex to split ingredient measures and units

Background

Hand-crafted ingredient lists could resemble:

180-200g/6-7oz flour
3-5g sugar
6g to 7g sugar
2 1/2 tbsp flour
3/4 cup flour

Problem

The items must be normalized as follows:

180 to 200 g / 6 to 7 oz flour
3 to 5 g sugar
6 g to 7 g sugar
2 1/2 tbsp flour
3/4 cup flour

Code

Here is what I have so far:

text = text.replaceAll( "([0-9])-([0-9])", "$1 to $2" );
text = text.replaceAll( "([^0-9])/([0-9])", "$1 / $2" );
return text.replaceAll( "([0-9])([^0-9 /])", "$1 $2" );

Question

What is the most efficient regex to split the data?

Thank you!

Upvotes: 3

Views: 399

Answers (3)

Bohemian
Bohemian

Reputation: 425238

Here's a one-liner using nothing but look-arounds to insert a space:

text = text.replaceAll("(?=-)|(?<=-)|(?<=[^\\d ])(?=/)|(?<=\\d/?)(?=[^\\d /])|(?<=\\D/)(?=\\d)", " ");

This works for all your cases. Here's a some testing code:

public static void main(String[] args) {
    String[] inputs = { "180-200g/6-7oz flour", "3-5g sugar", "6g to 7g sugar", "2 1/2 tbsp flour", "3/4 cup flour" };
    String[] outputs = { "180 - 200 g / 6 - 7 oz flour", "3 - 5 g sugar", "6 g to 7 g sugar", "2 1/2 tbsp flour", "3/4 cup flour" };

    int i = 0;
    for (String input : inputs) {
        String output = input.replaceAll("(?=-)|(?<=-)|(?<=[^\\d ])(?=/)|(?<=\\d/?)(?=[^\\d /])|(?<=\\D/)(?=\\d)", " ");

        if (!output.equals(outputs[i++])) {
            System.out.println("Failed with input: " + input);
            System.out.println("Expected: " + outputs[i - 1]);
            System.out.println("  Actual: " + output);
        }
    }
}

Output is nothing, as expected.

If tests fail, this will help you see where it went wrong.

Upvotes: 2

Qtax
Qtax

Reputation: 33928

You could combine

text = text.replaceAll( "([^0-9])/([0-9])", "$1 / $2" );
return text.replaceAll( "([0-9])([^0-9 /])", "$1 $2" );

by using something like:

text.replaceAll("\\D(?=/\\d)|(?<=\\D)/(?=\\d)|\\d(?=[^0-9 /])", "$0 ");

If that would be faster or not I don't know.

If this method is used a lot you would probably gain more by pre-compiling all the patterns and use the compiled patterns here instead.

Upvotes: 1

Tomalak
Tomalak

Reputation: 338326

You can use \b to insert spaces at word boundaries:

return text.replaceAll( "([0-9])-([0-9])",  "$1 to $2" )
           .replaceAll( "\\b", " ")
           .replaceAll( " {2,}", " ")
           .trim();

Upvotes: 2

Related Questions