1. ホーム
  2. python

[解決済み] 複数行の文字列の適切なインデント?

2022-03-19 19:42:57

質問

Pythonの関数内の複数行の文字列の適切なインデントとは?

    def method():
        string = """line one
line two
line three"""

または

    def method():
        string = """line one
        line two
        line three"""

なのか、それとも別の何か?

最初の例で、関数の外に文字列がぶら下がっているのは、なんだか変な感じがします。

解決方法は?

と並べたいのでしょう。 """

def foo():
    string = """line one
             line two
             line three"""

改行や空白は文字列自体に含まれているので、後処理をする必要があります。もし、そんなことをしたくない、テキストが大量にある場合は、テキストファイルに別途保存しておくとよいでしょう。もしテキストファイルがあなたのアプリケーションにとってうまく機能せず、後処理をしたくないのであれば、私ならおそらく

def foo():
    string = ("this is an "
              "implicitly joined "
              "string")

複数行の文字列を後処理して不要な部分を切り出したい場合には textwrap モジュール、または PEP 257 :

def trim(docstring):
    if not docstring:
        return ''
    # Convert tabs to spaces (following the normal Python rules)
    # and split into a list of lines:
    lines = docstring.expandtabs().splitlines()
    # Determine minimum indentation (first line doesn't count):
    indent = sys.maxint
    for line in lines[1:]:
        stripped = line.lstrip()
        if stripped:
            indent = min(indent, len(line) - len(stripped))
    # Remove indentation (first line is special):
    trimmed = [lines[0].strip()]
    if indent < sys.maxint:
        for line in lines[1:]:
            trimmed.append(line[indent:].rstrip())
    # Strip off trailing and leading blank lines:
    while trimmed and not trimmed[-1]:
        trimmed.pop()
    while trimmed and not trimmed[0]:
        trimmed.pop(0)
    # Return a single string:
    return '\n'.join(trimmed)