Python几种字符串格式化方法及其性能比较

六眼飞鱼酱① 提交于 2020-02-29 22:18:40

线上测试结果:

add 0.4576963 # 加号拼接
%-formatting 0.37454160000000014 # % 格式化
str.format 0.44149049999999956 # .format 位置参数
str.format_kw 0.7051137000000001 # .format 关键字参数
f-string 0.2885597000000004 # f字符串

性能最好,且最易用的就是 f字符串

import timeit  
  
  
def add():  
    status = 200  
  body = "hello world"  
  return "Status: " \+ str(status) + "\\r\\n" \+ body + "\\r\\n"  
  
  
def old_style():  
    status = 200  
  body = "hello world"  
  return "Status: %s\\r\\n%s\\r\\n" % (status, body)  
  
  
def formatter1():  
    status = 200  
  body = "hello world"  
  return "Status: {}\\r\\n{}\\r\\n".format(status, body)  
  
  
def formatter2():  
    status = 200  
  body = "hello world"  
  return "Status: {status}\\r\\n{body}\\r\\n".format(status=status, body=body)  
  
  
def f_string():  
    status = 200  
  body = "hello world"  
  return f"Status: {status}\\r\\n{body}\\r\\n"  
  
  
print("add", min(timeit.repeat(lambda: add())))  
print("%-formatting", min(timeit.repeat(lambda: old_style())))  
print("str.format", min(timeit.repeat(lambda: formatter1())))  
print("str.format_kw", min(timeit.repeat(lambda: formatter2())))  
print("f-string", min(timeit.repeat(lambda: f_string())))
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!