본문 바로가기
Baeldung번역&공부/Java-string

Java Text Blocks (Java15이상)

by ms727 2025. 1. 31.

원본 글: https://www.baeldung.com/java-text-blocks

 

이전 포스트에서 Text Blocks에 대한 얘기를 짤막하게 하였습니다. (참고: https://ms727.tistory.com/10)

 

이번 포스트에서는 좀 더 자세히 다뤄보겠습니다.

 

1. Usage

 

사용법은 간단합니다 """(세 개의 큰 따옴표)를 이용하여 정의하면 됩니다.

String example = """
hello minseok""";

 

공백, (')같은 특수문자 등 모두 포함되는 장점이 있어서 보통 사용하는데에는 HTML, JSON, SQL 등 어떤 곳에서든 사용합니다.

 

2. Indentation

특이점이 하나 있습니다.

html같은 들여쓰기가 있는것들은 어떻게 테스트해야할까요?

 

먼저 간단한 html코드를 반환하는 메서드를 정의합니다.

 

    public String getBlockOfHtml() {
        return """
            <html>

                <body>
                    <span>example text</span>
                </body>
            </html>""";
    }

 

여기서 확인해야할건 들여쓰기가 최소 12칸으로 되어있다는 점입니다.

 

그리고 2가지 테스트를 해봅니다. 

 

    @Test
    void givenAnOldStyleMultilineString_whenComparing_thenEqualsTextBlock() {
        String expected = "<html>\n"
                + "\n"
                + "    <body>\n"
                + "        <span>example text</span>\n"
                + "    </body>\n"
                + "</html>";
        Assertions.assertEquals(getBlockOfHtml(),expected);
    }

    @Test
    void givenAnOldStyleString_whenComparing_thenEqualsTextBlock() {
        String expected = "<html>\n\n    <body>\n        <span>example text</span>\n    </body>\n</html>";
        Assertions.assertEquals(getBlockOfHtml(), expected);
    }

 

여기서 확인해야할 것은 들여쓰기에 대해서 최소한의 공백을 찾고 제거한다는 뜻입니다.

즉, 들여쓰기가 12개가 된 것을 제거하여 비교하고 있습니다.

 

그리고 각각 두 문자열을 비교하고있습니다('+' 방식, 하나의 문자열로 비교)

 

만약 고정된 들여쓰기가 필요하다면 최소 들여쓰기보다 적은 공백을 사용하거나, 마지막 줄의 공백을 조절하여 사용합니다.

 

public String getNonStandardIndent() {
    return """
            Indent
        """;
}

@Test
void givenAnIndentedString_thenMatchesIndentedOldStyle() {
    Assertions.assertEquals(getNonStandardIndent(), "    Indent\n");
}

 

3. Escaping

만약 text blocks안에 큰 따옴표같은 문자를 쓰고 싶으면 \를 붙여야할까요?

결론만 말하자면 필요없습니다. 이는 굉장한 장점이죠.

 

public String getTextWithEscapes() {
    return """
        "fun" with
        whitespace
        and other escapes \"""
        """;
}
@Test
void text_block_escape_test() {
Assertions.assertEquals(getTextWithEscapes(),"\"fun\" with\n" +
        "whitespace\n" +
        "and other escapes \"\"\"\n");
}

 

일반적으로, 줄바꿈은 text blocks에 명시적으로 적을 필요는 없습니다.

그러나, Window운영체제의 개행('\r\n')을 사용하더라도 text blocks에서는 항상 \n로 처리됩니다.

따라서 '\r'가 필요한 경우 명시적으로 추가해야합니다.

 

public String getTextWithCarriageReturns() {
return """
separated with\r
carriage returns""";
}

@Test
void givenATextWithCarriageReturns_thenItContainsBoth() {
assertThat(subject.getTextWithCarriageReturns())
.isEqualTo("separated with\r\ncarriage returns");
}

 

text blocks에서는 자동으로 줄바꿈을 해준다했는데 만약, 한 줄로 이뤄진 긴 문자열로 만들고 싶으면 어떻게 해야할까요?

 

'\'을 이용해서 줄바꿈을 무시할 수 있습니다.

 

public String getIgnoredNewLines() {
    return """
        This is a long test which looks to \
        have a newline but actually does not""";
    }
@Test
void givenAStringWithEscapedNewLines_thenTheResultHasNoNewLines() {
	String expected = "This is a long test which looks to have a newline but actually does not";
	Assertions.assertEquals(getIgnoredNewLines(),expected);
}

 

보통 컴파일러는 줄 끝의 공백들을 제거합니다. 그렇지만 '\s'라는 문자를 통해서 공백을 유지시킬 수 있습니다.

public String getEscapedSpaces() {
    return """
            line 1        
            line 2        \s
            """;
}

 

line 1, line2 두 줄은 모두 줄 끝에 8개의 공백이 있습니다.

 

    @Test
    void givenAStringWithEscapesSpaces_thenTheResultHasLinesEndingWithSpaces() {
        String expected = "line 1\nline 2         \n";
        Assertions.assertEquals(getEscapedSpaces(), expected);
    }

 

line1에 대한 공백은 사라지지만, line2에 대한 공백은 그대로 남아있음을 확인할 수 있습니다.

 

추가로 확인해야할 것은 '\s'마저도 공백으로 치환되어 테스트할때의 공백은 9개임을 알 수 있습니다.

 

4. Formatting

문자열안에 변수를 넣을 수 있도록 String.formmat()이 도입되었습니다.

 

text blocks과 fommating을 동시에 사용할 수 있어서 매개변수에 대한 처리도 가능합니다.

 

public String getFormattedText(String parameter) {
    return """
        Some parameter: %s
        Text
        """.formatted(parameter);
}
@Test
void formatting_multiLine_test() {
    String expected = "Some parameter: end\nText\n";
    Assertions.assertEquals(getFormattedText("end"), expected);
}

 

5. 결론

 

이 글에서는 text blocks에 대한 좀 더 자세한 기능들을 살펴봤습니다.

해당 기능은 사용자가 읽기도 쉽고 작성하는데도 쉽기에 자주 활용하는 것이 좋을 것 같습니다.

또한 매개변수에 대한 대안도 제공하는것도 잊지 않아야겠습니다.