我正在使用 python xlrd 模块来解析 Excel 文件。这是excel文件的样子:
Title A B C
attribute 1 1 2 3
attribute 2 4 5 6
attribute 3 7 8 9
Run Code Online (Sandbox Code Playgroud)
我想要以下格式的输出:
[
{
"name": "A",
"attribute1": {
"value": 1
},
"attribute2": {
"value": 4
},
"attribute3": {
"value": 7
}
},
{
"name": "B",
"attribute1": {
"value": 2
},
"attribute2": {
"value": 5
},
"attribute3": {
"value": 8
}
},
{
"name": "C",
"attribute1": {
"value": 3
},
"attribute2": {
"value": 6
},
"attribute3": {
"value": 9
}
}
]
Run Code Online (Sandbox Code Playgroud)
我已经尝试了以下但无法弄清楚如何以上述格式创建输出。将不胜感激任何帮助!
from xlrd import open_workbook
wb = open_workbook('D:\abc_Template.xlsx', 'r')
wb_sheet = wb.sheet_by_index(0)
values = []
for row_idx in range(7, wb_sheet.nrows):
col_value = []
rowval = str((wb_sheet.cell(row_idx, 1)))
for col_idx in range(1, 5):
if(col_idx != 2 and col_idx != 1):
cellVal = wb_sheet.cell(row_idx, col_idx)
cellObj = {rowval: {"value" : cellVal}}
col_value.append(cellObj)
values.append(col_value)
print values
Run Code Online (Sandbox Code Playgroud)
小智 6
range(7, wb_sheet.nrows)和range(1, 5)中的迭代器值与输入 table 的维度不等价。先按列再按行解析数据似乎更容易。我对您的解析器有以下代码建议:
from xlrd import open_workbook
import json
wb = open_workbook('abc_Template.xlsx', 'r')
wb_sheet = wb.sheet_by_index(0)
values = []
for col_idx in range(1, wb_sheet.ncols):
cellObj = {"name": str(wb_sheet.cell(0, col_idx).value)}
for row_idx in range(1, wb_sheet.nrows):
attrib = str(wb_sheet.cell(row_idx, 0).value)
cellObj[str(attrib)] = {"value": int(wb_sheet.cell(row_idx, col_idx).value)}
values.append(cellObj)
print(json.dumps(values))
Run Code Online (Sandbox Code Playgroud)
OBS:此示例运行python版本> 3,请确保导入json库并更改.xlsx文件的输入路径。