在链码初始化期间,可以部署键值对,例如:[“a”,“100”,“b”,“200”]
但是,我想部署键值对,例如:[“a”,“100,v1,v2”] 这样100,v1,v2是a的值。两个笔记: 1.值是非整数 2.值用逗号“,”
分隔这可能吗?
我检查了链码垫片:/home/standards/go/src/github.com/hyperledger/fabric/core/chaincode/shim/chaincode.go
功能:
// PutState writes the specified `value` and `key` into the ledger.
func (stub *ChaincodeStub) PutState(key string, value []byte) error {
return handler.handlePutState(key, value, stub.UUID)
调用handlePutState(key,value,stub.UUID)。有关如何修改它以便按预期工作的任何指示灯?谢谢,
答案 0 :(得分:1)
在链码中,每个州只能有一个与之关联的值。但是,可以通过将“一个值”作为列表来模拟多个值。所以你可以做这样的事情
stub.PutState("a",[]byte("100,v1,v2"))
“a”的状态现在是逗号分隔列表。如果要检索这些值,请执行以下操作:
Avals, err := stub.GetState("a")
AvalsString := string(Avals)
fmt.Println(AvalsString)
应打印以下字符串
100,V1,V2
如果你需要那里的单个参数,只需在逗号上拆分字符串,然后转换为适当的类型。 Bam,你现在可以存储和检索元素。
或者,如果您的数据结构比这更复杂,那么将数据放入json对象可能是值得的。然后,您可以使用编组和解组来从[]byte
(可以直接存储在状态中)和对象(可能更容易使用)来回转换。
使用init方法的Json示例,因为它是您提到的那个
type SomeStruct struct {
AVal string `json:"Aval"`
BVal []string `json:"Bval"`
}
func (t *MyChaincode) Init(stub *shim.ChaincodeStub, function string, args []string) ([]byte, error) {
//recieve args ["someStringA","BVal1","Bval2","Bval3"]
//constructing and storing json object
myStruct := SomeStruct{
AVal: args[0],
BVal: []string{args[1],args[2],args[3]},
}
myStructBytes, err := json.Marshal(myStruct)
_ = err //ignore errors for example
stub.PutState("myStructKey",myStructBytes)
//get state back to object
var retrievedStruct SomeStruct
retrievedBytes, err := stub.GetState("myStructKey")
json.Unmarshal(retrievedBytes,retrievedStruct)
//congratulations, retrievedStruct now contains the data you stored earlier
return nil,nil
}