Java 한 번에 (또는 가장 효율적인 방법으로) 문자열의 여러 다른 하위 문자열 바꾸기


97

가장 효율적인 방법으로 문자열의 여러 하위 문자열을 교체해야합니다. string.replace를 사용하여 각 필드를 대체하는 다른 방법이 있습니까?

답변:


102

작업중인 문자열이 매우 길거나 많은 문자열에서 작업하는 경우 java.util.regex.Matcher를 사용하는 것이 좋습니다 (이렇게하려면 컴파일하는 데 시간이 오래 걸리므로 효율적이지 않습니다. 입력이 매우 적거나 검색 패턴이 자주 변경되는 경우).

아래는지도에서 가져온 토큰 목록을 기반으로 한 전체 예입니다. (Apache Commons Lang의 StringUtils 사용).

Map<String,String> tokens = new HashMap<String,String>();
tokens.put("cat", "Garfield");
tokens.put("beverage", "coffee");

String template = "%cat% really needs some %beverage%.";

// Create pattern of the format "%(cat|beverage)%"
String patternString = "%(" + StringUtils.join(tokens.keySet(), "|") + ")%";
Pattern pattern = Pattern.compile(patternString);
Matcher matcher = pattern.matcher(template);

StringBuffer sb = new StringBuffer();
while(matcher.find()) {
    matcher.appendReplacement(sb, tokens.get(matcher.group(1)));
}
matcher.appendTail(sb);

System.out.println(sb.toString());

정규식이 컴파일되면 일반적으로 입력 문자열 스캔이 매우 빠릅니다 (정규식이 복잡하거나 역 추적을 포함하는 경우에도이를 확인하기 위해 벤치마킹해야합니다!).


1
예, 반복 횟수에 대한 벤치마킹이 필요합니다.
techzen

5
나는 당신이하기 전에 각 토큰에 특수 문자를 이스케이프해야한다고 생각"%(" + StringUtils.join(tokens.keySet(), "|") + ")%";
개발자 마리우스 Žilėnas

좀 더 빠른 속도로 StringBuilder를 사용할 수 있습니다. StringBuilder가 동기화되지 않았습니다. 편집 whoops는 자바 9에서만 작동합니다
Tinus Tate

3
향후 독자 : 정규식의 경우 "("및 ")"가 검색 할 그룹을 묶습니다. "%"는 텍스트에서 리터럴로 계산됩니다. 용어가 "%"로 시작하고 끝나지 않으면 검색되지 않습니다. 따라서 두 부분 (텍스트 + 코드)의 접두사와 접미사를 조정하십시오.
linuxunil

66

연산

정규식없이 일치하는 문자열을 대체하는 가장 효율적인 방법 중 하나는 Aho-Corasick 알고리즘 을 고성능 Trie ( "try"로 발음), 빠른 해싱 알고리즘 및 효율적인 컬렉션 구현 과 함께 사용 하는 것입니다.

간단한 코드

간단한 솔루션은 StringUtils.replaceEach다음과 같이 Apache를 활용 합니다.

  private String testStringUtils(
    final String text, final Map<String, String> definitions ) {
    final String[] keys = keys( definitions );
    final String[] values = values( definitions );

    return StringUtils.replaceEach( text, keys, values );
  }

이것은 큰 텍스트에서 느려집니다.

빠른 코드

Bor의 Aho-Corasick 알고리즘 구현은 동일한 메서드 시그니처가있는 파사드를 사용하여 구현 세부 사항이되는 약간 더 복잡합니다.

  private String testBorAhoCorasick(
    final String text, final Map<String, String> definitions ) {
    // Create a buffer sufficiently large that re-allocations are minimized.
    final StringBuilder sb = new StringBuilder( text.length() << 1 );

    final TrieBuilder builder = Trie.builder();
    builder.onlyWholeWords();
    builder.removeOverlaps();

    final String[] keys = keys( definitions );

    for( final String key : keys ) {
      builder.addKeyword( key );
    }

    final Trie trie = builder.build();
    final Collection<Emit> emits = trie.parseText( text );

    int prevIndex = 0;

    for( final Emit emit : emits ) {
      final int matchIndex = emit.getStart();

      sb.append( text.substring( prevIndex, matchIndex ) );
      sb.append( definitions.get( emit.getKeyword() ) );
      prevIndex = emit.getEnd() + 1;
    }

    // Add the remainder of the string (contains no more matches).
    sb.append( text.substring( prevIndex ) );

    return sb.toString();
  }

벤치 마크

벤치 마크의 경우 다음과 같이 randomNumeric 을 사용하여 버퍼를 생성했습니다 .

  private final static int TEXT_SIZE = 1000;
  private final static int MATCHES_DIVISOR = 10;

  private final static StringBuilder SOURCE
    = new StringBuilder( randomNumeric( TEXT_SIZE ) );

어디 MATCHES_DIVISOR지시 주입하는 변수의 수를 :

  private void injectVariables( final Map<String, String> definitions ) {
    for( int i = (SOURCE.length() / MATCHES_DIVISOR) + 1; i > 0; i-- ) {
      final int r = current().nextInt( 1, SOURCE.length() );
      SOURCE.insert( r, randomKey( definitions ) );
    }
  }

벤치 마크 코드 자체 ( JMH 가 과도하게 보임 ) :

long duration = System.nanoTime();
final String result = testBorAhoCorasick( text, definitions );
duration = System.nanoTime() - duration;
System.out.println( elapsed( duration ) );

1,000,000 : 1,000

1,000,000 개의 문자와 1,000 개의 무작위로 배치 된 문자열이있는 간단한 마이크로 벤치 마크입니다.

  • testStringUtils : 25 초, 25533 밀리
  • testBorAhoCorasick : 0 초, 68 밀리

경쟁없이.

10,000 : 1,000

10,000 자 및 1,000 개의 일치하는 문자열을 사용하여 대체 :

  • testStringUtils : 1 초, 1402 밀리
  • testBorAhoCorasick : 0 초, 37 밀리

분할이 종료됩니다.

1,000 : 10

1,000 자 및 10 개의 일치하는 문자열을 사용하여 대체 :

  • testStringUtils : 0 초, 7 밀리
  • testBorAhoCorasick : 0 초, 19 밀리

짧은 문자열의 경우 Aho-Corasick을 설정하는 오버 헤드는 다음과 같은 무차별 대입 접근 방식을가립니다. StringUtils.replaceEach .

두 구현 모두를 최대한 활용하기 위해 텍스트 길이를 기반으로 한 하이브리드 접근 방식이 가능합니다.

구현

다음을 포함하여 1MB보다 긴 텍스트에 대한 다른 구현을 비교해보십시오.

서류

알고리즘과 관련된 문서 및 정보 :


5
이 질문을 새로운 귀중한 정보로 업데이트 한 것에 대한 찬사입니다. 매우 좋습니다. 적어도 10,000 : 1,000 및 1,000 : 10과 같은 합리적인 값에 대해서는 JMH 벤치 마크가 여전히 적절하다고 생각합니다 (JIT는 때때로 매직 최적화를 수행 할 수 있음).
Tunaki

builder.onlyWholeWords ()를 제거하면 문자열 바꾸기와 유사하게 작동합니다.
Ondrej Sotolar

이 훌륭한 답변에 대단히 감사합니다. 이것은 확실히 매우 도움이됩니다! 두 가지 접근 방식을 비교하고 더 의미있는 예를 제공하기 위해 두 번째 접근 방식에서 Trie를 한 번만 빌드하고 여러 입력 문자열에 적용해야한다는 점에 대해 언급하고 싶었습니다. Trie 대 StringUtils에 액세스 할 수있는 주요 이점은 이것이 한 번만 빌드하는 것입니다. 그래도이 답변에 대단히 감사합니다. 두 번째 접근 방식을 구현하는 방법론을 매우 잘 공유합니다
Vic Seedoubleyew

@VicSeedoubleyew 훌륭한 포인트입니다. 답변을 업데이트 하시겠습니까?
Dave Jarvis

9

이것은 나를 위해 일했습니다.

String result = input.replaceAll("string1|string2|string3","replacementString");

예:

String input = "applemangobananaarefruits";
String result = input.replaceAll("mango|are|ts","-");
System.out.println(result);

출력 : apple-banana-frui-


정확히 내가 필요로하는 내 친구 :)
GOXR3PLUS

7

문자열을 여러 번 변경하려는 경우 일반적으로 StringBuilder를 사용하는 것이 더 효율적입니다 (하지만 성능을 측정하여 알아 내십시오) .

String str = "The rain in Spain falls mainly on the plain";
StringBuilder sb = new StringBuilder(str);
// do your replacing in sb - although you'll find this trickier than simply using String
String newStr = sb.toString();

String은 변경할 수 없기 때문에 String을 교체 할 때마다 새로운 String 객체가 생성됩니다. StringBuilder는 변경 가능합니다. 즉, 원하는만큼 변경할 수 있습니다.


두렵습니다. 도움이되지 않습니다. 교체품의 길이가 원본과 다를 때마다 약간의 이동이 필요하며, 이는 새로운 문자열을 만드는 것보다 비용이 더 많이들 수 있습니다. 아니면 내가 뭔가를 놓치고 있습니까?
maaartinus

4

StringBuilder문자 배열 버퍼를 필요한 길이로 지정할 수 있으므로보다 효율적으로 교체를 수행합니다. StringBuilder추가 이상을 위해 설계되었습니다!

물론 진짜 질문은 이것이 너무 멀리 최적화 된 것인지 여부입니다. JVM은 여러 객체의 생성과 후속 가비지 수집을 매우 잘 처리하며 모든 최적화 질문과 마찬가지로 첫 번째 질문은 이것을 측정하고 문제라고 결정했는지 여부입니다.


2

replaceAll () 메서드를 사용하는 것은 어떻 습니까?


4
정규식 (/substring1|substring2|.../)에서 다양한 하위 문자열을 처리 할 수 ​​있습니다. 그것은 모두 OP가 어떤 종류의 교체를 시도하는지에 달려 있습니다.
아비

4
OP는보다 효율적인 것을 찾고 있습니다. str.replaceAll(search1, replace1).replaceAll(search2, replace2).replaceAll(search3, replace3).replaceAll(search4, replace4)
Kip

2

이제 자바 템플릿 엔진 인 Rythm 이 다음과 같은 작업을 수행 할 수있는 String interpolation mode 라는 새로운 기능과 함께 출시되었습니다 .

String result = Rythm.render("@name is inviting you", "Diana");

위의 경우는 위치별로 템플릿에 인자를 전달할 수 있음을 보여줍니다. Rythm을 사용하면 이름으로 인수를 전달할 수도 있습니다.

Map<String, Object> args = new HashMap<String, Object>();
args.put("title", "Mr.");
args.put("name", "John");
String result = Rythm.render("Hello @title @name", args);

참고 Rythm은 템플릿을 자바 바이트 코드로 컴파일하기 때문에 String.format 및 속도보다 약 2 ~ 3 배 빠르며 런타임 성능이 StringBuilder와의 연결에 매우 가깝습니다.

연결:


이것은 Velocity, JSP와 같은 수많은 템플릿 언어에서 사용할 수있는 매우 오래된 기능입니다. 또한 검색 문자열이 사전 정의 된 형식 일 필요가없는 질문에 대답하지 않습니다.
Angsuman Chakraborty

흥미롭게도 허용되는 답변은 예를 제공합니다. "%cat% really needs some %beverage%."; , %분리 된 토큰이 미리 정의 된 형식이 아닙니까? 첫 번째 요점은 훨씬 더 재밌습니다. JDK는 많은 "오래된 기능"을 제공합니다. 그중 일부는 90 년대부터 시작됩니다. 왜 사람들이이 기능을 사용하는 데 방해가됩니까? 귀하의 의견 및 downvoting는 진정한 의미하지 않는다
Gelin 루오

이미 많은 기존 템플릿 엔진이 있고 Velocity 또는 Freemarker와 같이 널리 사용되는 부팅에 Rythm 템플릿 엔진을 도입하는 이유는 무엇입니까? 또한 핵심 Java 기능이 충분할 때 다른 제품을 소개하는 이유도 있습니다. 패턴도 컴파일 할 수 있기 때문에 성능에 대한 귀하의 진술을 의심합니다. 실수를보고 싶어요.
Angsuman Chakraborty

녹색, 당신은 요점을 놓치고 있습니다. 질문자는 임의의 문자열을 바꾸고 싶지만 솔루션은 앞에 @와 같은 미리 정의 된 형식의 문자열 만 대체합니다. 예,이 예에서는 %를 제한 요소가 아닌 예로서 만 사용합니다. 따라서 대답은 질문에 대한 대답이 아니므로 부정적인 점입니다.
Angsuman Chakraborty

2

아래는 Todd Owen의 답변을 기반으로 합니다. 이 솔루션에는 정규식에서 특별한 의미를 가진 문자가 대체에 포함되어 있으면 예기치 않은 결과가 발생할 수 있다는 문제가 있습니다. 또한 선택적으로 대소 문자를 구분하지 않는 검색을 수행 할 수 있기를 원했습니다. 내가 생각해 낸 것은 다음과 같습니다.

/**
 * Performs simultaneous search/replace of multiple strings. Case Sensitive!
 */
public String replaceMultiple(String target, Map<String, String> replacements) {
  return replaceMultiple(target, replacements, true);
}

/**
 * Performs simultaneous search/replace of multiple strings.
 * 
 * @param target        string to perform replacements on.
 * @param replacements  map where key represents value to search for, and value represents replacem
 * @param caseSensitive whether or not the search is case-sensitive.
 * @return replaced string
 */
public String replaceMultiple(String target, Map<String, String> replacements, boolean caseSensitive) {
  if(target == null || "".equals(target) || replacements == null || replacements.size() == 0)
    return target;

  //if we are doing case-insensitive replacements, we need to make the map case-insensitive--make a new map with all-lower-case keys
  if(!caseSensitive) {
    Map<String, String> altReplacements = new HashMap<String, String>(replacements.size());
    for(String key : replacements.keySet())
      altReplacements.put(key.toLowerCase(), replacements.get(key));

    replacements = altReplacements;
  }

  StringBuilder patternString = new StringBuilder();
  if(!caseSensitive)
    patternString.append("(?i)");

  patternString.append('(');
  boolean first = true;
  for(String key : replacements.keySet()) {
    if(first)
      first = false;
    else
      patternString.append('|');

    patternString.append(Pattern.quote(key));
  }
  patternString.append(')');

  Pattern pattern = Pattern.compile(patternString.toString());
  Matcher matcher = pattern.matcher(target);

  StringBuffer res = new StringBuffer();
  while(matcher.find()) {
    String match = matcher.group(1);
    if(!caseSensitive)
      match = match.toLowerCase();
    matcher.appendReplacement(res, replacements.get(match));
  }
  matcher.appendTail(res);

  return res.toString();
}

내 단위 테스트 사례는 다음과 같습니다.

@Test
public void replaceMultipleTest() {
  assertNull(ExtStringUtils.replaceMultiple(null, null));
  assertNull(ExtStringUtils.replaceMultiple(null, Collections.<String, String>emptyMap()));
  assertEquals("", ExtStringUtils.replaceMultiple("", null));
  assertEquals("", ExtStringUtils.replaceMultiple("", Collections.<String, String>emptyMap()));

  assertEquals("folks, we are not sane anymore. with me, i promise you, we will burn in flames", ExtStringUtils.replaceMultiple("folks, we are not winning anymore. with me, i promise you, we will win big league", makeMap("win big league", "burn in flames", "winning", "sane")));

  assertEquals("bcaacbbcaacb", ExtStringUtils.replaceMultiple("abccbaabccba", makeMap("a", "b", "b", "c", "c", "a")));
  assertEquals("bcaCBAbcCCBb", ExtStringUtils.replaceMultiple("abcCBAabCCBa", makeMap("a", "b", "b", "c", "c", "a")));
  assertEquals("bcaacbbcaacb", ExtStringUtils.replaceMultiple("abcCBAabCCBa", makeMap("a", "b", "b", "c", "c", "a"), false));

  assertEquals("c colon  backslash temp backslash  star  dot  star ", ExtStringUtils.replaceMultiple("c:\\temp\\*.*", makeMap(".", " dot ", ":", " colon ", "\\", " backslash ", "*", " star "), false));
}

private Map<String, String> makeMap(String ... vals) {
  Map<String, String> map = new HashMap<String, String>(vals.length / 2);
  for(int i = 1; i < vals.length; i+= 2)
    map.put(vals[i-1], vals[i]);
  return map;
}

1
public String replace(String input, Map<String, String> pairs) {
  // Reverse lexic-order of keys is good enough for most cases,
  // as it puts longer words before their prefixes ("tool" before "too").
  // However, there are corner cases, which this algorithm doesn't handle
  // no matter what order of keys you choose, eg. it fails to match "edit"
  // before "bed" in "..bedit.." because "bed" appears first in the input,
  // but "edit" may be the desired longer match. Depends which you prefer.
  final Map<String, String> sorted = 
      new TreeMap<String, String>(Collections.reverseOrder());
  sorted.putAll(pairs);
  final String[] keys = sorted.keySet().toArray(new String[sorted.size()]);
  final String[] vals = sorted.values().toArray(new String[sorted.size()]);
  final int lo = 0, hi = input.length();
  final StringBuilder result = new StringBuilder();
  int s = lo;
  for (int i = s; i < hi; i++) {
    for (int p = 0; p < keys.length; p++) {
      if (input.regionMatches(i, keys[p], 0, keys[p].length())) {
        /* TODO: check for "edit", if this is "bed" in "..bedit.." case,
         * i.e. look ahead for all prioritized/longer keys starting within
         * the current match region; iff found, then ignore match ("bed")
         * and continue search (find "edit" later), else handle match. */
        // if (better-match-overlaps-right-ahead)
        //   continue;
        result.append(input, s, i).append(vals[p]);
        i += keys[p].length();
        s = i--;
      }
    }
  }
  if (s == lo) // no matches? no changes!
    return input;
  return result.append(input, s, hi).toString();
}

1

이것을 확인하십시오 :

String.format(str,STR[])

예를 들면 :

String.format( "Put your %s where your %s is", "money", "mouth" );

0

요약 : Dave의 답변을 단일 클래스로 구현하여 두 알고리즘 중 가장 효율적인 알고리즘을 자동으로 선택합니다.

이것은 Dave Jarvis 의 위의 우수한 답변을 기반으로 한 완전한 단일 클래스 구현입니다. 입니다. 클래스는 최대 효율성을 위해 제공된 두 가지 알고리즘 중에서 자동으로 선택합니다. (이 답변은 빠르게 복사하여 붙여 넣으려는 사람들을위한 것입니다.)

ReplaceStrings 클래스 :

package somepackage

import java.util.ArrayList;
import java.util.Collection;
import java.util.HashMap;
import java.util.Map;
import java.util.Set;
import org.ahocorasick.trie.Emit;
import org.ahocorasick.trie.Trie;
import org.ahocorasick.trie.Trie.TrieBuilder;
import org.apache.commons.lang3.StringUtils;

/**
 * ReplaceStrings, This class is used to replace multiple strings in a section of text, with high
 * time efficiency. The chosen algorithms were adapted from: https://stackoverflow.com/a/40836618
 */
public final class ReplaceStrings {

    /**
     * replace, This replaces multiple strings in a section of text, according to the supplied
     * search and replace definitions. For maximum efficiency, this will automatically choose
     * between two possible replacement algorithms.
     *
     * Performance note: If it is known in advance that the source text is long, then this method
     * signature has a very small additional performance advantage over the other method signature.
     * (Although either method signature will still choose the best algorithm.)
     */
    public static String replace(
        final String sourceText, final Map<String, String> searchReplaceDefinitions) {
        final boolean useLongAlgorithm
            = (sourceText.length() > 1000 || searchReplaceDefinitions.size() > 25);
        if (useLongAlgorithm) {
            // No parameter adaptations are needed for the long algorithm.
            return replaceUsing_AhoCorasickAlgorithm(sourceText, searchReplaceDefinitions);
        } else {
            // Create search and replace arrays, which are needed by the short algorithm.
            final ArrayList<String> searchList = new ArrayList<>();
            final ArrayList<String> replaceList = new ArrayList<>();
            final Set<Map.Entry<String, String>> allEntries = searchReplaceDefinitions.entrySet();
            for (Map.Entry<String, String> entry : allEntries) {
                searchList.add(entry.getKey());
                replaceList.add(entry.getValue());
            }
            return replaceUsing_StringUtilsAlgorithm(sourceText, searchList, replaceList);
        }
    }

    /**
     * replace, This replaces multiple strings in a section of text, according to the supplied
     * search strings and replacement strings. For maximum efficiency, this will automatically
     * choose between two possible replacement algorithms.
     *
     * Performance note: If it is known in advance that the source text is short, then this method
     * signature has a very small additional performance advantage over the other method signature.
     * (Although either method signature will still choose the best algorithm.)
     */
    public static String replace(final String sourceText,
        final ArrayList<String> searchList, final ArrayList<String> replacementList) {
        if (searchList.size() != replacementList.size()) {
            throw new RuntimeException("ReplaceStrings.replace(), "
                + "The search list and the replacement list must be the same size.");
        }
        final boolean useLongAlgorithm = (sourceText.length() > 1000 || searchList.size() > 25);
        if (useLongAlgorithm) {
            // Create a definitions map, which is needed by the long algorithm.
            HashMap<String, String> definitions = new HashMap<>();
            final int searchListLength = searchList.size();
            for (int index = 0; index < searchListLength; ++index) {
                definitions.put(searchList.get(index), replacementList.get(index));
            }
            return replaceUsing_AhoCorasickAlgorithm(sourceText, definitions);
        } else {
            // No parameter adaptations are needed for the short algorithm.
            return replaceUsing_StringUtilsAlgorithm(sourceText, searchList, replacementList);
        }
    }

    /**
     * replaceUsing_StringUtilsAlgorithm, This is a string replacement algorithm that is most
     * efficient for sourceText under 1000 characters, and less than 25 search strings.
     */
    private static String replaceUsing_StringUtilsAlgorithm(final String sourceText,
        final ArrayList<String> searchList, final ArrayList<String> replacementList) {
        final String[] searchArray = searchList.toArray(new String[]{});
        final String[] replacementArray = replacementList.toArray(new String[]{});
        return StringUtils.replaceEach(sourceText, searchArray, replacementArray);
    }

    /**
     * replaceUsing_AhoCorasickAlgorithm, This is a string replacement algorithm that is most
     * efficient for sourceText over 1000 characters, or large lists of search strings.
     */
    private static String replaceUsing_AhoCorasickAlgorithm(final String sourceText,
        final Map<String, String> searchReplaceDefinitions) {
        // Create a buffer sufficiently large that re-allocations are minimized.
        final StringBuilder sb = new StringBuilder(sourceText.length() << 1);
        final TrieBuilder builder = Trie.builder();
        builder.onlyWholeWords();
        builder.ignoreOverlaps();
        for (final String key : searchReplaceDefinitions.keySet()) {
            builder.addKeyword(key);
        }
        final Trie trie = builder.build();
        final Collection<Emit> emits = trie.parseText(sourceText);
        int prevIndex = 0;
        for (final Emit emit : emits) {
            final int matchIndex = emit.getStart();

            sb.append(sourceText.substring(prevIndex, matchIndex));
            sb.append(searchReplaceDefinitions.get(emit.getKeyword()));
            prevIndex = emit.getEnd() + 1;
        }
        // Add the remainder of the string (contains no more matches).
        sb.append(sourceText.substring(prevIndex));
        return sb.toString();
    }

    /**
     * main, This contains some test and example code.
     */
    public static void main(String[] args) {
        String shortSource = "The quick brown fox jumped over something. ";
        StringBuilder longSourceBuilder = new StringBuilder();
        for (int i = 0; i < 50; ++i) {
            longSourceBuilder.append(shortSource);
        }
        String longSource = longSourceBuilder.toString();
        HashMap<String, String> searchReplaceMap = new HashMap<>();
        ArrayList<String> searchList = new ArrayList<>();
        ArrayList<String> replaceList = new ArrayList<>();
        searchReplaceMap.put("fox", "grasshopper");
        searchReplaceMap.put("something", "the mountain");
        searchList.add("fox");
        replaceList.add("grasshopper");
        searchList.add("something");
        replaceList.add("the mountain");
        String shortResultUsingArrays = replace(shortSource, searchList, replaceList);
        String shortResultUsingMap = replace(shortSource, searchReplaceMap);
        String longResultUsingArrays = replace(longSource, searchList, replaceList);
        String longResultUsingMap = replace(longSource, searchReplaceMap);
        System.out.println(shortResultUsingArrays);
        System.out.println("----------------------------------------------");
        System.out.println(shortResultUsingMap);
        System.out.println("----------------------------------------------");
        System.out.println(longResultUsingArrays);
        System.out.println("----------------------------------------------");
        System.out.println(longResultUsingMap);
        System.out.println("----------------------------------------------");
    }
}

필요한 Maven 종속성 :

(필요한 경우 pom 파일에 추가하십시오.)

    <!-- Apache Commons utilities. Super commonly used utilities.
    https://mvnrepository.com/artifact/org.apache.commons/commons-lang3 -->
    <dependency>
        <groupId>org.apache.commons</groupId>
        <artifactId>commons-lang3</artifactId>
        <version>3.10</version>
    </dependency>

    <!-- ahocorasick, An algorithm used for efficient searching and 
    replacing of multiple strings.
    https://mvnrepository.com/artifact/org.ahocorasick/ahocorasick -->
    <dependency>
        <groupId>org.ahocorasick</groupId>
        <artifactId>ahocorasick</artifactId>
        <version>0.4.0</version>
    </dependency>
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.