GUIを介してJSON文字列を読み込むプログラムを作成し、これを使用して追加の機能を実行しようとしています。この場合、数学の方程式を分解します。現時点では、エラーが発生しています:
「TypeError:文字列インデックスは整数でなければなりません」
なぜだか分かりません。
読み込もうとしているJSONは次のとおりです。
{
"rightArgument":{
"cell":"C18",
"value":9.5,
"type":"cell"
},
"leftArgument":{
"rightArgument":{
"cell":"C3",
"value":135,
"type":"cell"
},
"leftArgument":{
"rightArgument":{
"cell":"C4",
"value":125,
"type":"cell"
},
"leftArgument":{
"cell":"C5",
"value":106,
"type":"cell"
},
"type":"operation",
"operator":"*"
},
"type":"operation",
"operator":"+"
},
"type":"operation",
"operator":"+"
}
import json
import tkinter
from tkinter import *
data = ""
list = []
def readText():
mtext=""
mtext = strJson.get()
mlabel2 = Label(myGui,text=mtext).place(x=180,y=200)
data = mtext
def mhello():
_getCurrentOperator(data)
def _getCurrentOperator(data):
if data["type"] == "operation":
_getCurrentOperator(data["rightArgument"])
_getCurrentOperator(data["leftArgument"])
list.append(data["operator"])
Elif data["type"] == "group":
_getCurrentOperator(data["argument"])
Elif data["type"] == "function":
list.append(data["name"]) # TODO do something with arguments
for i in range(len(data["arguments"])):
_getCurrentOperator(data["arguments"][i])
else:
if (data["value"]) == '':
list.append(data["cell"])
else:
list.append(data["value"])
print(list)
myGui = Tk()
strJson = StringVar()
myGui.title("Simple Gui")
myGui.geometry("400x300")
label = Label(text = 'Welcome!').place(x=170,y=40)
btnStart = Button(myGui,text='Start',command=mhello).place(x=210,y=260)
btnRead = Button(myGui,text='Read text',command=readText).place(x=210,y=200)
txtEntry = Entry(myGui, textvariable=strJson).place(x=150,y=160)
btnOptions = Button(myGui, text = "Options").place(x=150,y=260)
myGui.mainloop()
文字列を辞書(jsonオブジェクト)に解析することはありません。 _data = mtext
_を次のように変更します:data = json.loads(mtext)
また、readTextメソッドに_global data
_を追加する必要があります
json.loadsを再度使用する必要がある場合があります。
jsonn_forSaleSummary_string = json.loads(forSaleSummary) //still string
jsonn_forSaleSummary = json.loads(jsonn_forSaleSummary_string)
最後に!! json
_TypeError: string indices must be integers
_は、整数ではないインデックスを使用して文字列内の場所にアクセスしようとすることを意味します。この場合、コード(18行目)は文字列_"type"
_をインデックスとして使用しています。これは整数ではないため、TypeError
例外が発生します。
あなたのコードはdata
が辞書であることを期待しているようです。 (少なくとも)3つの問題があります。
json.loads(data)
関数でreadText()
を使用する必要があります。これは、コードが他の場所で期待する辞書を返します。data
は、空の文字列(_""
_)に初期化された値を持つグローバル変数です。最初にglobal
キーワードを使用して変数を宣言しないと、関数内のグローバル変数を変更できません。_getCurrentOperator()
の定義の後に出力されますが、これは処理が行われる前です。したがって、その時点ではまだ空であり、_[]
_が表示されます。 print(list)
をmhello()
after_getCurrentOperator()
に移動します。 (変数名としてlist
を使用することは、組み込みlist
をシャドウするため、お勧めしません。)readText()
を次のように修正できます。
_def readText():
global data
mtext=""
mtext = strJson.get()
mlabel2 = Label(myGui,text=mtext).place(x=180,y=200)
data = json.loads(mtext)
_