如何将长字符串的定义拆分为多行?

2022-09-05 00:51:50

我有一个很长的查询。我想在Python中将其分成几行。在JavaScript中做到这一点的一种方法是使用几个句子并用运算符连接它们(我知道,也许这不是最有效的方法,但我并不真正关心这个阶段的性能,只是代码的可读性)。例:+

var long_string = 'some text not important. just garbage to' +
                      'illustrate my example';

我尝试在Python中做类似的事情,但它不起作用,所以我曾经拆分长字符串。但是,我不确定这是否是唯一/最好/最pythonic的方式。看起来很尴尬。实际代码:\

query = 'SELECT action.descr as "action", '\
    'role.id as role_id,'\
    'role.descr as role'\
    'FROM '\
    'public.role_action_def,'\
    'public.role,'\
    'public.record_def, '\
    'public.action'\
    'WHERE role.id = role_action_def.role_id AND'\
    'record_def.id = role_action_def.def_id AND'\
    'action.id = role_action_def.action_id AND'\
    'role_action_def.account_id = ' + account_id + ' AND'\
    'record_def.account_id=' + account_id + ' AND'\
    'def_id=' + def_id

答案 1

您说的是多行字符串吗?很简单,使用三重引号来开始和结束它们。

s = """ this is a very
        long string if I had the
        energy to type more and more ..."""

您也可以使用单引号(当然,在开头和结尾处有3个),并像对待任何其他字符串一样处理生成的字符串。s

注意:与任何字符串一样,前引号和尾引号之间的任何内容都将成为字符串的一部分,因此此示例具有前导空白(如 @root45 所指出的)。此字符串还将包含空格和换行符。

即:

' this is a very\n        long string if I had the\n        energy to type more and more ...'

最后,还可以在Python中构造长行,如下所示:

 s = ("this is a very"
      "long string too"
      "for sure ..."
     )

其中不包括任何额外的空格或换行符(这是一个故意的例子,显示了跳过空格的效果将导致什么):

'this is a verylong string toofor sure ...'

无需逗号,只需将要连接的字符串放在一对括号中,并确保考虑任何需要的空格和换行符。


答案 2

如果您不需要多行字符串,而只需要一个长的单行字符串,则可以使用括号。只要确保字符串段之间不包含逗号(那么它将是一个元组)。

query = ('SELECT   action.descr as "action", '
         'role.id as role_id,'
         'role.descr as role'
         ' FROM '
         'public.role_action_def,'
         'public.role,'
         'public.record_def, '
         'public.action'
         ' WHERE role.id = role_action_def.role_id AND'
         ' record_def.id = role_action_def.def_id AND'
         ' action.id = role_action_def.action_id AND'
         ' role_action_def.account_id = '+account_id+' AND'
         ' record_def.account_id='+account_id+' AND'
         ' def_id='+def_id)

在像您正在构造的SQL语句中,多行字符串也可以。但是,如果多行字符串包含的额外空白区域将是一个问题,那么这将是实现所需内容的好方法。

如注释中所述,以这种方式连接 SQL 查询是等待发生的 SQL 注入安全风险,因此请使用数据库的参数化查询功能来防止这种情况发生。但是,我将答案保留原样,否则它将直接回答所提出的问题。