可能是一个基本的:
我只是尝试对词典中的一个键进行多次操作,对键的第一个元素进行编码,根据一个字符进一步拆分,并连接另一个字符串,如下所示:
images_list["RepoTag"] = image["RepoDigests"][0].encode("utf-8").split("@")[0] + ":none"
我正在进行上述格式化的代码段:
from django.http import JsonResponse
from django.views.decorators.http import require_http_methods
import requests
@require_http_methods(["GET"])
def images_info(request):
response = requests.get("http://127.0.0.1:6000/images/json")
table = []
images_list = {}
for image in response.json():
try:
images_list["RepoTag"] = image["RepoTags"][0].encode("utf-8")
except TypeError:
images_list["RepoTag"] = image["RepoDigests"][0].encode("utf-8").split("@")[0] + ":none"
images_list["Id"] = image["Id"].encode("utf-8")[7:19]
table.append(images_list)
images_list = {}
return JsonResponse(table,safe=False)
有人可以告诉我,在一行中进行这么多操作是否正确?或以其他方式它是否遵循python标准?
如果不是 python标准建议单行中的任何有限操作?
提出这个问题的原因是,根据pep-8,字符数不应超过79个字符。
答案 0 :(得分:3)
将一些字符串操作链接在一起并没有错。如果你想将它保持在80个字符的行内,只需添加一些括号:
images_list["RepoTag"] = (
image["RepoDigests"][0].encode("utf-8").split("@")[0] +
":none")
或使用str.format()
提供相同的括号:
images_list["RepoTag"] = '{}:none'.format(
image["RepoDigests"][0].encode("utf-8").split("@")[0])
否则,您可以使用局部变量:
first_digest = image["RepoDigests"][0].encode("utf-8")
images_list["RepoTag"] = '{}:none'.format(first_digest.split("@")[0])
答案 1 :(得分:-1)
要求不要超过79个字符,但我们可以做到。
images_list["RepoTag"] = image["RepoDigests"][0].encode("utf-8").split("@")[0] + \
":none"
OR
images_list["RepoTag"] = \
image["RepoDigests"][0].encode("utf-8").split("@")[0] + ":none"