6

Python 3.6 中的 f 字符串不支持以下语法吗?如果我加入我的 f 字符串,则不会发生替换:

SUB_MSG = "This is the original message."

MAIN_MSG = f"This longer message is intended to contain " \
             "the sub-message here: {SUB_MSG}"

print(MAIN_MSG)

返回:

This longer message is intended to contain the sub-message here: {SUB_MSG}

如果我删除线连接:

SUB_MSG = "This is the original message."

MAIN_MSG = f"This longer message is intended to contain the sub-message here: {SUB_MSG}"

print(MAIN_MSG)

它按预期工作:

This longer message is intended to contain the sub-message here: This is the original message.

PEP 498中,明确不支持 f 字符串中的反斜杠

转义序列

反斜杠可能不会出现在 f 字符串的表达式部分中,因此您不能使用它们来转义 f 字符串中的引号:

>>> f'{\'quoted string\'}'

行连接是否被视为“在 f 字符串的表达式部分内”,因此不受支持?

4

2 回答 2

7

您必须将两个字符串都标记为f-strings 才能使其工作,否则第二个将被解释为普通字符串:

SUB_MSG = "This is the original message."

MAIN_MSG = f"test " \
           f"{SUB_MSG}"

print(MAIN_MSG)

好吧,在这种情况下,您也可以将第二个字符串设为 f 字符串,因为第一个字符串不包含任何要插入的内容:

MAIN_MSG = "test " \
           f"{SUB_MSG}"

请注意,这会影响所有字符串前缀,而不仅仅是 f 字符串:

a = r"\n" \
     "\n"
a   # '\\n\n'   <- only the first one was interpreted as raw string

a = b"\n" \
     "\n"   
# SyntaxError: cannot mix bytes and nonbytes literals
于 2017-10-24T22:10:12.973 回答
3

试试这个(注意续行上额外的“f”):

SUB_MSG = "This is the original message."

# f strings must be aligned to comply with PEP and pass linting
MAIN_MSG = f"This longer message is intended to contain " \
           f"the sub-message here: {SUB_MSG}"


print(MAIN_MSG)
于 2017-10-24T22:10:16.373 回答