IT이야기

Java: 목록을 join()d 문자열로 변환

cyworld 2022. 6. 29. 21:03
반응형

Java: 목록을 join()d 문자열로 변환

에는 JavaScript가 있습니다.Array.join()

js>["Bill","Bob","Steve"].join(" and ")
Bill and Bob and Steve

바에도 이런 ?????? 스스로 낼 수 있다는 것을 있어StringBuilder:

static public String join(List<String> list, String conjunction)
{
   StringBuilder sb = new StringBuilder();
   boolean first = true;
   for (String item : list)
   {
      if (first)
         first = false;
      else
         sb.append(conjunction);
      sb.append(item);
   }
   return sb.toString();
}

..하지만 이미 JDK의 일부라면 이 작업을 수행해도 의미가 없습니다.

Java 8 에서는, 서드 파티제의 라이브러리 없이, 이것을 실행할 수 있습니다.

문자열 컬렉션에 참여하려면 새로운 String.join() 메서드를 사용할 수 있습니다.

List<String> list = Arrays.asList("foo", "bar", "baz");
String joined = String.join(" and ", list); // "foo and bar and baz"

String 이외의 유형의 컬렉션이 있는 경우 가입하는 Collector와 함께 스트림 API를 사용할 수 있습니다.

List<Person> list = Arrays.asList(
  new Person("John", "Smith"),
  new Person("Anna", "Martinez"),
  new Person("Paul", "Watson ")
);

String joinedFirstNames = list.stream()
  .map(Person::getFirstName)
  .collect(Collectors.joining(", ")); // "John, Anna, Paul"

이 수업도 유용할 수 있습니다.

Apache Commons에 대한 모든 참조는 괜찮지만(대부분의 사람들이 사용하고 있습니다), Guava에 상당하는 Joiner가 훨씬 더 좋은 API를 가지고 있다고 생각합니다.

간단한 조인 케이스는 다음과 같이 할 수 있습니다.

Joiner.on(" and ").join(names)

또한 Null도 쉽게 처리할 수 있습니다.

Joiner.on(" and ").skipNulls().join(names);

또는

Joiner.on(" and ").useForNull("[unknown]").join(names);

또한 (commons-lang보다 더 유용하게 사용할 수 있는 경우) 지도 처리 능력:

Map<String, Integer> ages = .....;
String foo = Joiner.on(", ").withKeyValueSeparator(" is ").join(ages);
// Outputs:
// Bill is 25, Joe is 30, Betty is 35

디버깅 등에 매우 유용합니다.

즉시 사용할 수 있는 것은 아니지만, 많은 라이브러리가 다음과 같은 기능을 갖추고 있습니다.

공용 언어:

org.apache.commons.lang.StringUtils.join(list, conjunction);

봄:

org.springframework.util.StringUtils.collectionToDelimitedString(list, conjunction);

Android에서는 TextUtils 클래스를 사용할 수 있습니다.

TextUtils.join(" and ", names);

아니요, 표준 Java API에는 이러한 편리한 방법이 없습니다.

당연히 Apache Commons는 StringUtils 클래스에서 직접 작성하지 않을 경우에 대비하여 이러한 기능을 제공합니다.

Java 8에서는 다음 3가지 가능성이 있습니다.

List<String> list = Arrays.asList("Alice", "Bob", "Charlie")

String result = String.join(" and ", list);

result = list.stream().collect(Collectors.joining(" and "));

result = list.stream().reduce((t, u) -> t + " and " + u).orElse("");

Java 8 컬렉터에서는 다음 코드를 사용하여 이를 수행할 수 있습니다.

Arrays.asList("Bill", "Bob", "Steve").stream()
.collect(Collectors.joining(" and "));

또한 Java 8에서 가장 간단한 솔루션:

String.join(" and ", "Bill", "Bob", "Steve");

또는

String.join(" and ", Arrays.asList("Bill", "Bob", "Steve"));

제가 쓴 ).toString 이렇게 쓰지 Collection<String>

public static String join(Collection<?> col, String delim) {
    StringBuilder sb = new StringBuilder();
    Iterator<?> iter = col.iterator();
    if (iter.hasNext())
        sb.append(iter.next().toString());
    while (iter.hasNext()) {
        sb.append(delim);
        sb.append(iter.next().toString());
    }
    return sb.toString();
}

CollectionJSP에서되지 않기 에 대해 다음과 같이.

public static String join(List<?> list, String delim) {
    int len = list.size();
    if (len == 0)
        return "";
    StringBuilder sb = new StringBuilder(list.get(0).toString());
    for (int i = 1; i < len; i++) {
        sb.append(delim);
        sb.append(list.get(i).toString());
    }
    return sb.toString();
}

에 붙입니다..tld 삭제:

<?xml version="1.0" encoding="UTF-8"?>
<taglib version="2.1" xmlns="http://java.sun.com/xml/ns/javaee"
    <function>
        <name>join</name>
        <function-class>com.core.util.ReportUtil</function-class>
        <function-signature>java.lang.String join(java.util.List, java.lang.String)</function-signature>
    </function>
</taglib>

JSP 파일에서 다음과 같이 사용합니다.

<%@taglib prefix="funnyFmt" uri="tag:com.core.util,2013:funnyFmt"%>
${funnyFmt:join(books, ", ")}

외부 라이브러리 없이 JDK를 사용하는 경우, 가지고 있는 코드가 올바른 방법입니다.JDK에서 사용할 수 있는 간단한 "원라이너"는 없습니다.

외부 libs를 사용할 수 있는 경우 org.apache.commons.lang을 조사하는 것이 좋습니다.Apache Commons 라이브러리의 StringUtils 클래스입니다.

사용 예:

List<String> list = Arrays.asList("Bill", "Bob", "Steve");
String joinedResult = StringUtils.join(list, " and ");

이를 실현하기 위한 정통적인 방법은 새로운 기능을 정의하는 것입니다.

public static String join(String joinStr, String... strings) {
    if (strings == null || strings.length == 0) {
        return "";
    } else if (strings.length == 1) {
        return strings[0];
    } else {
        StringBuilder sb = new StringBuilder(strings.length * 1 + strings[0].length());
        sb.append(strings[0]);
        for (int i = 1; i < strings.length; i++) {
            sb.append(joinStr).append(strings[i]);
        }
        return sb.toString();
    }
}

샘플:

String[] array = new String[] { "7, 7, 7", "Bill", "Bob", "Steve",
        "[Bill]", "1,2,3", "Apple ][","~,~" };

String joined;
joined = join(" and ","7, 7, 7", "Bill", "Bob", "Steve", "[Bill]", "1,2,3", "Apple ][","~,~");
joined = join(" and ", array); // same result

System.out.println(joined);

출력:

7, 7, 7 및 Bill, Bob, Steve, [Bill] 및 1, 2, 3 및 Apple ][ 및 ~, ~]

8을 탑재한 8 java.util.StringJoiner

Java 8은 클래스가 있습니다.그래도 보일러 플레이트를 좀 써주셔야 해요. 자바라서요.

StringJoiner sj = new StringJoiner(" and ", "" , "");
String[] names = {"Bill", "Bob", "Steve"};
for (String name : names) {
   sj.add(name);
}
System.out.println(sj);

StringUtils 클래스와 Join 메서드가 있는 Apache Commons 라이브러리를 사용할 수 있습니다.

다음 링크를 확인합니다.https://commons.apache.org/proper/commons-lang/javadocs/api.2.0/org/apache/commons/lang/StringUtils.html

위의 링크는 시간이 지남에 따라 사용되지 않을 수 있습니다.이 경우 웹에서 "apache commons String Utils"를 검색하면 최신 참조를 찾을 수 있습니다.

(이 스레드에서 참조) C# String과 동등한 Java.Format() 및 String.참가()

다음과 같이 할 수 있습니다.

String aToString = java.util.Arrays.toString(anArray);
// Do not need to do this if you are OK with '[' and ']'
aToString = aToString.substring(1, aToString.length() - 1);

또는 원라이너('[' 및 ']'를 원하지 않는 경우에만 해당)

String aToString = java.util.Arrays.toString(anArray).substring(1).replaceAll("\\]$", "");

이게 도움이 됐으면 좋겠다.

Java 1.8 스트림을 사용할 수 있습니다.

import java.util.Arrays;
import java.util.List;
import java.util.stream.Collectors;

List<String> list = Arrays.asList("Bill","Bob","Steve").
String str = list.stream().collect(Collectors.joining(" and "));

순수한 JDK를 사용하여 하나의 듀티 라인으로 즐겁게 작업하는 방법:

String[] array = new String[] { "Bill", "Bob", "Steve","[Bill]","1,2,3","Apple ][" };
String join = " and ";

String joined = Arrays.toString(array).replaceAll(", ", join)
        .replaceAll("(^\\[)|(\\]$)", "");

System.out.println(joined);

출력:

Bill, Bob, Steve, [Bill]및 1, 2, 3 및 Apple ][


완벽하지도 않고 재미도 없는 방법!

String[] array = new String[] { "7, 7, 7","Bill", "Bob", "Steve", "[Bill]",
        "1,2,3", "Apple ][" };
String join = " and ";

for (int i = 0; i < array.length; i++) array[i] = array[i].replaceAll(", ", "~,~");
String joined = Arrays.toString(array).replaceAll(", ", join)
        .replaceAll("(^\\[)|(\\]$)", "").replaceAll("~,~", ", ");

System.out.println(joined);

출력:

7, 7, 7, Bill, Bob, Steve, [Bill]및 1, 2, 3 및 Apple ][

Apache Commons String Utils join 메서드를 사용해 볼 수 있습니다.

http://commons.apache.org/lang/api/org/apache/commons/lang/StringUtils.html#join(java.util 를 참조해 주세요.반복기, java.lang.문자열)

Apache String Utils가 jdk의 slack을 픽업하는 것을 발견했습니다;-)

Eclipse Collections(이전의 GS Collections)를 사용하는 경우makeString()★★★★★★ 。

List<String> list = Arrays.asList("Bill", "Bob", "Steve");

String string = ListAdapter.adapt(list).makeString(" and ");

Assert.assertEquals("Bill and Bob and Steve", string);

「 」를 할 수 List어댑터를 제거할 수 있습니다.

MutableList<String> list = Lists.mutable.with("Bill", "Bob", "Steve");
String string = list.makeString(" and ");

문자열만 " " " 버전을 할 수 .makeString()이치노

Assert.assertEquals(
    "Bill, Bob, Steve", 
    Lists.mutable.with("Bill", "Bob", "Steve").makeString());

주의: 저는 Eclipse Collections의 커밋입니다.

편집

도 ★★★★★★★★★★★★★★★★★★★★★★★toString()근본적인 구현 문제, 그리고 분리기를 포함하는 요소에 대해서. 하지만 나는 내가 편집증적이라고 생각했다.

이에 대해 두 가지 의견을 듣고 싶기 때문에 답변을 다음과 같이 변경합니다.

static String join( List<String> list , String replacement  ) {
    StringBuilder b = new StringBuilder();
    for( String item: list ) { 
        b.append( replacement ).append( item );
    }
    return b.toString().substring( replacement.length() );
}

처음 질문하고 꽤 비슷해 보이는군요

그래서 만약 당신이 당신의 프로젝트에 모든 병을 추가하고 싶지 않다면, 이것을 사용할 수 있습니다.

당신의 원래 코드에는 아무런 문제가 없다고 생각합니다.실제로 모든 사람이 제안하는 대안은 거의 비슷해 보입니다(다수의 추가 검증을 실시하지만).

여기 Apache 2.0 라이선스와 함께 있습니다.

public static String join(Iterator iterator, String separator) {
    // handle null, zero and one elements before building a buffer
    if (iterator == null) {
        return null;
    }
    if (!iterator.hasNext()) {
        return EMPTY;
    }
    Object first = iterator.next();
    if (!iterator.hasNext()) {
        return ObjectUtils.toString(first);
    }

    // two or more elements
    StringBuffer buf = new StringBuffer(256); // Java default is 16, probably too small
    if (first != null) {
        buf.append(first);
    }

    while (iterator.hasNext()) {
        if (separator != null) {
            buf.append(separator);
        }
        Object obj = iterator.next();
        if (obj != null) {
            buf.append(obj);
        }
    }
    return buf.toString();
}

이제 알겠네요. 오픈 소스 덕분입니다.

구글의 Guava API도 .join()을 가지고 있지만 (다른 응답에서도 분명히 알 수 있듯이) Apache Commons는 거의 표준이다.

Java 8은 이 기능을

Collectors.joining(CharSequence delimiter, CharSequence prefix, CharSequence suffix)

메서드, 이것은 nullsafe입니다.prefix + suffixnull 값의 경우.

다음과 같은 방법으로 사용할 수 있습니다.

String s = stringList.stream().collect(Collectors.joining(" and ", "prefix_", "_suffix"))

Collectors.joining(CharSequence delimiter)메서드 justs 호출joining(delimiter, "", "")내부적으로

이것은 Spring Framework의 String Utils에서 사용할 수 있습니다.이미 언급되어 있는 것은 알고 있습니다만, 실제로는 이 코드를 사용하면, 스프링이 필요 없이 곧바로 동작합니다.

// from https://github.com/spring-projects/spring-framework/blob/master/spring-core/src/main/java/org/springframework/util/StringUtils.java

/*
 * Copyright 2002-2017 the original author or authors.
 *
 * Licensed under the Apache License, Version 2.0 (the "License");
 * you may not use this file except in compliance with the License.
 * You may obtain a copy of the License at
 *
 *      http://www.apache.org/licenses/LICENSE-2.0
 *
 * Unless required by applicable law or agreed to in writing, software
 * distributed under the License is distributed on an "AS IS" BASIS,
 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
 * See the License for the specific language governing permissions and
 * limitations under the License.
 */
public class StringUtils {
    public static String collectionToDelimitedString(Collection<?> coll, String delim, String prefix, String suffix) {
        if(coll == null || coll.isEmpty()) {
            return "";
        }
        StringBuilder sb = new StringBuilder();
        Iterator<?> it = coll.iterator();
        while (it.hasNext()) {
            sb.append(prefix).append(it.next()).append(suffix);
            if (it.hasNext()) {
                sb.append(delim);
            }
        }
        return sb.toString();
    }
}

또 다른 해답은 다른 해답의 변형입니다.

public static String concatStringsWSep(Iterable<String> strings, String separator) {
    Iterator<String> it = strings.iterator();
    if( !it.hasNext() ) return "";
    StringBuilder sb = new StringBuilder(it.next());
    while( it.hasNext()) {
        sb.append(separator).append(it.next());
    }
    return sb.toString();                           
}

이것을 시험해 보세요.

java.util.Arrays.toString(anArray).replaceAll(", ", ",")
                .replaceFirst("^\\[","").replaceFirst("\\]$","");

언급URL : https://stackoverflow.com/questions/1751844/java-convert-liststring-to-a-joind-string

반응형