假设我在Python中有一个多行字符串;我想将它转换为单行表示,其中行结尾写为\n
转义(和标签为\t
等) - 比方说,为了将它用作命令行参数。到目前为止,我认为pprint.pformat
可以用于此目的 - 但问题是,我无法从这个单行表示转换回“正确的”多行字符串;这是一个例子:
import string
import pprint
MYSTRTEMP = """Hello $FNAME!
I am writing this.
Just to test.
"""
print("--Testing multiline:")
print(MYSTRTEMP)
print("--Testing single-line (escaped) representation:")
testsingle = pprint.pformat(MYSTRTEMP)
print(testsingle)
# http://stackoverflow.com/questions/12768107/string-substitutions-using-templates-in-python
MYSTR = string.Template(testsingle).substitute({'FNAME': 'Bobby'})
print("--Testing single-line replaced:")
print(MYSTR)
print("--Testing going back to multiline - cannot:")
print("%s"%(MYSTR))
这个Python 2.7输出示例:
$ python test.py
--Testing multiline:
Hello $FNAME!
I am writing this.
Just to test.
--Testing single-line (escaped) representation:
'Hello $FNAME!\n\nI am writing this.\n\nJust to test.\n'
--Testing single-line replaced:
'Hello Bobby!\n\nI am writing this.\n\nJust to test.\n'
--Testing going back to multiline - cannot:
'Hello Bobby!\n\nI am writing this.\n\nJust to test.\n'
一个问题是单行表示似乎在字符串本身中包含'
单引号 - 第二个问题是我无法从此表示返回到正确的多行字符串。
Python中是否有标准方法来实现这一点,例如 - 在示例中 - 我可以从多行转换为转义单行,然后进行模板化,然后将模板化单行转换回多行线代表?
答案 0 :(得分:2)
要从字符串的repr
(这是pformat
为您提供的字符串)转换为实际字符串,您可以使用ast.literal_eval
:
>>> repr(MYSTRTEMP)
"'Hello $FNAME!\\n\\nI am writing this.\\n\\nJust to test.\\n'"
>>> ast.literal_eval(repr(MYSTRTEMP))
'Hello $FNAME!\n\nI am writing this.\n\nJust to test.\n'
转换为repr
只是为了转换回来可能不是实现原始目标的好方法,但这就是你要做的。