Skip to content

Latest commit

 

History

History
29 lines (19 loc) · 1.21 KB

StringReplaceAllWithNonRegex.md

File metadata and controls

29 lines (19 loc) · 1.21 KB

Use of String#replaceAll with a first argument which is not a regular expression

Using String#replaceAll is less performant than String#replace when the first argument is not a regular expression.

Overview

The String#replaceAll method is designed to work with regular expressions as its first parameter. When you use a simple string without any regex patterns (like special characters or syntax), it's more efficient to use String#replace instead. This is because replaceAll has to compile the input as a regular expression first, which adds unnecessary overhead when you are just replacing literal text.

Recommendation

Use String#replace instead where a replaceAll call uses a trivial string as its first argument.

Example

public class Test {
    void f() {
        String s1 = "test";
        s1 = s1.replaceAll("t", "x"); // NON_COMPLIANT
        s1 = s1.replaceAll(".*", "x"); // COMPLIANT
    }
}

References