使用Python遍历Javascript变量

2024-05-16 20:18:55 发布

您现在位置:Python中文网/ 问答频道 /正文

我有一个Javascript文件Commodity.js,如下所示:

commodityInfo = [
["GLASS ITEM", 1.0, 1.0, ], 
["HOUSEHOLD GOODS", 3.0, 2.0, ], 
["FROZEN PRODUCTS", 1.0, 3.0, ], 
["BEDDING", 1.0, 4.0, ], 
["PERFUME", 1.0, 5.0, ], 
["HARDWARE", 5.0, 6.0, ], 
["CURTAIN", 1.0, 7.0, ], 
["CLOTHING", 24.0, 8.0, ], 
["ELECTRICAL ITEMS", 1.0, 9.0, ], 
["PLUMBING MATERIAL", 1.0, 10.0, ], 
["FLOWER", 7.0, 11.0, ], 
["PROCESSED FOODS.", 1.0, 12.0, ], 
["TILES", 1.0, 13.0, ], 
["ELECTRICAL", 9.0, 14.0, ], 
["PLUMBING", 1.0, 15.0, ]
];

我想遍历每个项目,比如玻璃项目、家居用品、冷冻产品,并使用它旁边的数字来使用python进行一些计算。 有人能告诉我如何在python中打开和遍历这样的项吗。你知道吗

谢谢你。你知道吗


Tags: 文件项目jsjavascriptitemelectricalproductsplumbing
2条回答

您可以使用for循环来实现这一点。你知道吗

像这样的方法会奏效:

for commodity in commodityInfo:
    commodity[0] # the first element (e.g: GLASS ITEM)
    commodity[1] # the second element (e.g: 1.0)
    print(commodity[1] + commodity[2]) #calculate two values

您可以进一步了解for循环here

下面的代码可能不是最有效的,但它适用于您的情况。你知道吗

我在这里要做的是:将字符串(文件的内容)转换为有效的JSON,然后将JSON字符串加载到Python变量中。你知道吗

注意:如果JS文件的内容已经是有效的JSON,那就更容易了!你知道吗

import re
import json

# for the sake of this code, we will assume you can successfully load the content of your JS file
# into a variable called "file_content"
# E.G. with the following code:
#
# with open('Commodity.js', 'r') as f: #open the file
#     file_content = f.read()

# since I do not have such a file, I will fill the variable "manually", based on your sample data
file_content = """
commodityInfo = [
["GLASS ITEM", 1.0, 1.0, ],
["HOUSEHOLD GOODS", 3.0, 2.0, ],
["FROZEN PRODUCTS", 1.0, 3.0, ],
["BEDDING", 1.0, 4.0, ],
["PERFUME", 1.0, 5.0, ],
["HARDWARE", 5.0, 6.0, ],
["CURTAIN", 1.0, 7.0, ],
["CLOTHING", 24.0, 8.0, ],
["ELECTRICAL ITEMS", 1.0, 9.0, ],
["PLUMBING MATERIAL", 1.0, 10.0, ],
["FLOWER", 7.0, 11.0, ],
["PROCESSED FOODS.", 1.0, 12.0, ],
["TILES", 1.0, 13.0, ],
["ELECTRICAL", 9.0, 14.0, ],
["PLUMBING", 1.0, 15.0, ]
];
"""

# get rid of leading/trailing line breaks
file_content = file_content.strip()

# get rid of "commodityInfo = " and the ";" and make the array valid JSON
r = re.match(".*=", file_content)
json_str = file_content.replace(r.group(), "").replace(";", "").replace(", ]", "]")

# now we can load the JSON into a Python variable
# in this case, it will be a list of lists, just as the source is an array of array
l = json.loads(json_str)

# now we can do whatever we want with the list, e.g. iterate it
for item in l:
    print(item)

相关问题 更多 >