web-dev-qa-db-ja.com

Python書式指定子を使用して中央の文字列

messageという文字列があります。

message = "Hello, welcome!\nThis is some text that should be centered!"

そして、私はこのステートメントでそれをデフォルトのターミナルウィンドウ、つまり幅80の中央に配置しようとしています:

print('{:^80}'.format(message))

どのプリント:

           Hello, welcome!
This is some text that should be centered!           

私は次のようなものを期待しています:

                                Hello, welcome!                                 
                   This is some text that should be centered!                   

助言がありますか?

23
user1259332

各行を個別に中央揃えする必要があります。

'\n'.join('{:^80}'.format(s) for s in message.split('\n'))
22
ecatmur

これは、最長の幅に基づいてテキストを自動中央揃えする代替案です。

def centerify(text, width=-1):
  lines = text.split('\n')
  width = max(map(len, lines)) if width == -1 else width
  return '\n'.join(line.center(width) for line in lines)

print(centerify("Hello, welcome!\nThis is some text that should be centered!"))
print(centerify("Hello, welcome!\nThis is some text that should be centered!", 80))
<script src="//repl.it/embed/IUUa/4.js"></script>
1
EyuelDK