-
Notifications
You must be signed in to change notification settings - Fork 0
/
ppa.go
2044 lines (1810 loc) · 59 KB
/
ppa.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
/*
oliver
*/
package main
import (
"encoding/json"
"errors"
"fmt"
"strconv"
"time"
"log"
"math"
"math/rand"
"github.com/hyperledger/fabric-chaincode-go/pkg/cid"
"github.com/hyperledger/fabric-chaincode-go/shim"
"github.com/hyperledger/fabric-contract-api-go/contractapi"
)
const media float64= 1000.0
const desv float64= 10.0
//Defino e inicializo variables que usaré más adelante, que son fijas y que se aceptaran con la aprobación del chaincode
//Años que va a durar el contrato
const years int = 1
//periodos por año
const months int = 6
//número de contratos, que se usará para introducir un default del 1% por año en el modelo del SPV
const numero_contratos int = 100
const rate int=1
const tiempo_cupon int=6
const cantidad_bonos int=10000
const valor_emision float64=88.14
const cupon float64=2
var numeros_defaulters []int=numeros_aleatorios(rate,years)
//se puede quitar
var periodo int
//se puede quitar
//var rand.Seed(time.Now().UTC().UnixNano())
//defino esta estructura que implementará la lógica del modulo Contract del paquete contractapi
type SmartContract struct {
contractapi.Contract
}
//Defino una estructura de un activo llamado PPA que tiene estas
//estas propiedades (ojo, atributos de una struct en go con primera
//letra en Mayusc) y definimos la representacion json de estos atributos
//que es como se va a guardar en el ledger
type PPA struct {
DocType string `json:"docType"`
Client string `json:"client"`
Energy float64 `json:"energy"`
Default bool `json:"default"`
Payments float64 `json:"payments"`
Fecha Datos
Period int `json:"periodo"`
}
type Datos struct {
Day int
Month time.Month
Year int
}
type Pagos struct{
Doctype string `json:"docType"`
Total float64 `json:"total"`
Owner string `json:"propietario"`
}
type Pool struct{
Doctype string `json:"docType"`
Total float64 `json:"total"`
Balance float64 `json:"balance"`
Client string `json:"cliente"`
State string `json:"estado"`
}
//Estructura que se usará para obtener las ID de los clients de la organizacion farmer
type FarmerID struct{
Doctype string `json:"docType"`
Identidad string `json:"identidad"`
}
//estructura que se usará para calcular el total de los payments del modelo del SPV
type ValorTotal struct{
Doctype string `json:"docType"`
Total float64 `json:"total"`
}
type PagosImpagos struct{
Payments float64 `json:"pagos"`
Default bool `json:"impago"`
}
//Ejemplo fabric-samples
// UTXO represents an unspent transaction output
type UTXO struct {
Key string `json:"utxo_key"`
Owner string `json:"owner"`
Amount int `json:"amount"`
}
type TokenUTXO struct {
Doctype string `json:"doctype"`
Key string `json:"utxo_key"`
Issuer string `json:"issuer"`
Owner string `json:"owner"`
Amount int `json:"amount"`
}
type Request struct{
Doctype string `json:"docType"`
Requester string `json:"bonista"`
Amount int `json:"cantidad"`
KeyRequest string `json:"clave"`
// RequestedAt *time.Location `json:"peticion"`
}
type Bond struct{
Doctype string `json:"docType"`
ValorEmision float64 `json:"valorEmision"`
Cupon float64 `json:"cupon"`
Vencimiento int `json:"vencimiento"`
TiempoPagos int `json:"tiempoPagos"`
}
func (s *SmartContract) BondInfo(ctx contractapi.TransactionContextInterface) (*Bond){
x:=&Bond{
Doctype: "Bono",
ValorEmision: valor_emision,
Cupon: cupon,
Vencimiento: years*months,
TiempoPagos: tiempo_cupon,
}
return x
}
func fecha_inicio() Datos{
return Datos{
Day: 28,
Month: time.Month(4),
Year: 2021,
}
}
func queryperiod() Datos{
fecha:= Datos{
Day: time.Now().Day(),
Month: time.Now().Month(),
Year: time.Now().Year(),
}
return fecha
}
func numeros_aleatorios(rate int ,anhos int) []int{
//rand.Seed(time.Now().UTC().UnixNano())
x:=rate*numero_contratos/100
xx:=x*anhos
var m []int
var r int
//var size int
for i:=0; len(m)<xx;i++{
r=rand.Intn(numero_contratos+1)
for _,l:=range m{
if r==l || r==0{
r=rand.Intn(numero_contratos+1)
}
}
m=append(m,r)
}
return m
}
//buscar que esto solo se pueda ejecutar una sola vez
func issue(ctx contractapi.TransactionContextInterface) error{
hasOU, err := cid.HasOUValue(ctx.GetStub(), "client1")
if err != nil {
return err
}
if !hasOU {
return ErrNoSPV
}
identity := ctx.GetClientIdentity()
spv, err := identity.GetID()
if err != nil {
return err
}
org, err := identity.GetMSPID()
if err != nil {
return err
}
if org!="spvMSP"{
return ErrNoSPV
}
spvID := &FarmerID{
Doctype: "SPVidentidad",
Identidad: spv,
}
spvIDasBytes,err:=json.Marshal(spvID)
if err != nil {
fmt.Printf("Marshal error: %s", err.Error())
return err
}
spvKey:=ctx.GetStub().GetTxID()
return ctx.GetStub().PutState(spvKey, spvIDasBytes)
}
func (s *SmartContract) IssueBond(ctx contractapi.TransactionContextInterface) error{
fechainicio:=fecha_inicio()
fecha:=&Datos{
Day: time.Now().Day(),
Month: time.Now().Month(),
Year: time.Now().Year(),
}
log.Printf("fecha actual: %v",fecha)
log.Printf("fecha inicio: %v", fechainicio)
log.Printf("anho: %v",fecha.Year)
log.Printf("anho inicio: %v",fechainicio.Year)
log.Printf("mes: %v",fecha.Month)
log.Printf("mes inicio: %v",fechainicio.Month)
if fecha.Month!=fechainicio.Month || fecha.Year!=fechainicio.Year{
return fmt.Errorf("Not possible to issue bond")
}
identidades,err:=s.QueryIdentitiesSPV(ctx)
log.Printf("identidades: %v",identidades)
if identidades==nil{
mint(ctx,cantidad_bonos)
err=issue(ctx)
if err != nil {
fmt.Printf("error: %s", err.Error())
return err
}
}else{
return ErrSPVBond
}
return nil
}
func (s *SmartContract) PoolPaymentsOriginator(ctx contractapi.TransactionContextInterface) (error){
//Comprobamos que no se hayan agrupado los pagos
//añadido 27 abril
fecha1:=fecha_inicio()
fecha2:=queryperiod()
log.Printf("fecha actual: %v", fecha2)
var y1 int = int(fecha2.Month)
var y0 int= int(fecha1.Month)
periodo:=(12*fecha2.Year+y1)-(12*fecha1.Year+y0)+1
log.Printf("numero de periodo: %v", periodo)
///////////////////////
periodoAsString:=strconv.Itoa(periodo)
oldpoolKey, err := ctx.GetStub().CreateCompositeKey("pool", []string{periodoAsString})
if err != nil {
return fmt.Errorf("failed to read")
}
valueBytes, err := ctx.GetStub().GetState(oldpoolKey)
if err != nil {
return fmt.Errorf("failed to read")
}
if valueBytes != nil {
return fmt.Errorf("These payments have already been pooled")
}
hasOU, err := cid.HasOUValue(ctx.GetStub(), "client1")
if err != nil {
return err
}
if !hasOU {
return ErrNoOriginator
}
identity := ctx.GetClientIdentity()
spv, err := identity.GetID()
if err != nil {
return err
}
org, err := identity.GetMSPID()
if err != nil {
return err
}
if org!="originatorMSP"{
return ErrNoOriginator
}
if periodo%tiempo_cupon!=0{
return ErrNoPeriod
}
//consulto que para ese periodo se hayan emitido todos los pagos
num,_:=s.QueryAssetNumberByPeriod(ctx, periodo)
if num<numero_contratos{
return ErrNoPeriod
}
cociente:=periodo/tiempo_cupon
periodo_anterior:=(tiempo_cupon*(cociente-1))+1
var nuevoPPA []*PagosImpagos
var valor float64
var nuevoValor float64=0
var total float64
for j:=periodo_anterior;j<periodo+1;j++{
total=0
nuevoPPA,err=s.QueryPaymentsAndDefaultByPeriod(ctx,j)
for _,k:=range nuevoPPA{
if !k.Default{
valor=k.Payments
total=total+valor
}
}
nuevoValor=nuevoValor+total
}
log.Printf("Valor total: %v",nuevoValor)
pool := &Pool{
Doctype: "pool",
Total: nuevoValor,
Balance: nuevoValor,
Client: spv,
State: "ISSUED",
}
//periodoAsString,_:=strconv.Atoi(periodo)
poolAsBytes , err := json.Marshal(&pool)
//si no quiero validar el err, defino como elemento, _ :=json.Marshal()
if err != nil {
fmt.Printf("Marshal error: %s", err.Error())
return err
}
poolKey, err := ctx.GetStub().CreateCompositeKey("pool", []string{periodoAsString})
ctx.GetStub().PutState(poolKey, poolAsBytes)
return nil
}
func (s *SmartContract) QueryClientUTXOs(ctx contractapi.TransactionContextInterface, client string) ([]string, error) {
// since utxos have a composite key of owner:utxoKey, we can query for all utxos matching owner:*
utxoResultsIterator, err := ctx.GetStub().GetStateByPartialCompositeKey("utxo", []string{client})
if err != nil {
return nil, err
}
defer utxoResultsIterator.Close()
var newUTXO UTXO
var utxos []*UTXO
for utxoResultsIterator.HasNext() {
utxoRecord, err := utxoResultsIterator.Next()
if err != nil {
return nil, err
}
// composite key is expected to be owner:utxoKey
_, compositeKeyParts, err := ctx.GetStub().SplitCompositeKey(utxoRecord.Key)
if err != nil {
return nil, err
}
if len(compositeKeyParts) != 2 {
return nil, fmt.Errorf("expected composite key with two parts (owner:utxoKey)")
}
utxoKey := compositeKeyParts[1] // owner is at [0], utxoKey is at[1]
if utxoRecord.Value == nil {
return nil, fmt.Errorf("utxo %s has no value", utxoKey)
}
amount, _ := strconv.Atoi(string(utxoRecord.Value)) // Error handling not needed since Itoa() was used when setting the utxo amount, guaranteeing it was an integer.
utxo := &UTXO{
Key: utxoKey,
Owner: client,
Amount: amount,
}
newUTXO.Key=utxoKey
newUTXO.Amount=amount
utxos = append(utxos, utxo)
}
//log.Printf("Este cliente tiene un UTXO")
return []string{newUTXO.Key,strconv.Itoa(newUTXO.Amount)}, nil
}
func (s *SmartContract) DistributePayments(ctx contractapi.TransactionContextInterface, client string) error{
///////////////////////////
//añadido 27 de abril
fecha1:=fecha_inicio()
fecha2:=queryperiod()
// log.Printf("fecha actual: %v", fecha2)
var y1 int = int(fecha2.Month)
var y0 int= int(fecha1.Month)
periodo:=(12*fecha2.Year+y1)-(12*fecha1.Year+y0)+1
log.Printf("numero de periodo: %v", periodo)
////////////////////////////////////////
periodoAsString:=strconv.Itoa(periodo)
oldpoolKey, _:= ctx.GetStub().CreateCompositeKey("pool", []string{periodoAsString})
// if err != nil {
// return fmt.Errorf("failed to read")
// }
valueBytes, _ := ctx.GetStub().GetState(oldpoolKey)
// if err != nil {
// return fmt.Errorf("failed to read")
// }
if valueBytes == nil {
return fmt.Errorf("These payments havent been pooled")
}
oldpagosKey,_ := ctx.GetStub().CreateCompositeKey("pagos", []string{periodoAsString,client})
// if err!=nil{
// return fmt.Errorf("failed to read")
// }
pagosBytes, _ := ctx.GetStub().GetState(oldpagosKey)
// if err != nil {
// return fmt.Errorf("failed to read")
// }
if pagosBytes != nil {
return fmt.Errorf("These payments have already been distributed")
}
hasOU, err := cid.HasOUValue(ctx.GetStub(), "client1")
if err != nil {
return err
}
if !hasOU {
return ErrNoSPV
}
identity := ctx.GetClientIdentity()
//spv, err := identity.GetID()
if err != nil {
return err
}
org, _ := identity.GetMSPID()
// if err != nil {
// return err
// }
if org!="spvMSP"{
return ErrNoSpv
}
var pool Pool
json.Unmarshal(valueBytes,&pool)
// if err != nil {
// return err
// }
//Compruebo cuantos bonos tiene el cliente en el instante en el que se produce la transaccion
ss,_:=s.QueryClientUTXOs(ctx,client)
// if err!=nil{
// return fmt.Errorf("Error: %v",err)
// }
//comprobar si los bonos estan en distintos documentos (el vector de utxos)
cant,_:=strconv.Atoi(ss[1])
cant1:=float64(cant)
log.Printf("Bonos en posesion: %v",cant)
// valor_cupon:=cupon*valor_nominal/100
// valor_final:=((cupon/100)+1)*valor_nominal
pagos:=&Pagos{}
if periodo!=years*months{
pagos=&Pagos{
Doctype: "pagos",
Owner: client,
Total: cant1*(pool.Total/float64(cantidad_bonos)),
//Total: cant1*valor_cupon,
}
}else{
pagos=&Pagos{
Doctype: "pagos",
Owner: client,
Total: cant1*(pool.Total/float64(cantidad_bonos)),
//Total: cant1*valor_final,
}
}
balance:=pool.Balance-pagos.Total
if balance<0{
return fmt.Errorf("Imposible de realizar la tx")
}else if balance==0{
pool.State="REDEEMED"
pool.Balance=balance
}else{
pool.State="TRANSFERRED"
pool.Balance=balance
}
//cant=float64(cant)
pagosAsBytes,_:=json.Marshal(&pagos)
pagosKey, _:= ctx.GetStub().CreateCompositeKey("pagos", []string{periodoAsString,client})
// jsonAsBytes, _ := json.Marshal(`"{sending payments to receipient: ` + client + ` }"`)
ctx.GetStub().PutState(pagosKey, pagosAsBytes)
// if err!=nil{
// return err
// }
poolAsBytes ,_:= json.Marshal(&pool)
//si no quiero validar el err, defino como elemento, _ :=json.Marshal()
// if err != nil {
// fmt.Printf("Marshal error: %s", err.Error())
// return err
// }
poolKey, _:= ctx.GetStub().CreateCompositeKey("pool", []string{periodoAsString})
return ctx.GetStub().PutState(poolKey, poolAsBytes)
// return ctx.GetStub().SetEvent("Payments distributed: ",jsonAsBytes)
}
func (s *SmartContract) RequestBond(ctx contractapi.TransactionContextInterface, cantidad int) error{
if cantidad>cantidad_bonos{
return ErrWrongNumber
}
hasOU, err := cid.HasOUValue(ctx.GetStub(), "client1")
if err != nil {
return err
}
if !hasOU {
return ErrNoUnderwritter
}
identity := ctx.GetClientIdentity()
underwritter, err := identity.GetID()
if err != nil {
return err
}
org, err := identity.GetMSPID()
if err != nil {
return err
}
x:=0
orgs:=[]string{"underwritterMSP","aggregatorMSP"}
for _,b :=range orgs{
if org!=b{
x=x+1
}
}
if x==2{
return ErrNoUnderwritter
}
requestKey:=ctx.GetStub().GetTxID()
finalKey,_:=ctx.GetStub().CreateCompositeKey("request",[]string{underwritter, requestKey})
request := &Request{
Doctype: "request",
Requester: underwritter,
Amount: cantidad,
KeyRequest: finalKey,
//RequestedAt: time.UTC,
}
requestAsBytes , err := json.Marshal(&request)
if err != nil {
fmt.Printf("Marshal error: %s", err.Error())
return err
}
//request.KeyRequest=requestKey
return ctx.GetStub().PutState(finalKey, requestAsBytes)
}
func (s *SmartContract) TransferTokens(ctx contractapi.TransactionContextInterface, receiver string) error{
//chequeamos que el que recibe se ha inscrito (falta)
idUTXO,err:=s.ClientUTXOs(ctx)
//log.Printf("obtiene algo el clientUTXO? %v",idUTXO)
if err!=nil{
return fmt.Errorf("Error: %v",err)
}
var total int=0
var keys []string
requests,_:=s.QueryRequests(ctx,receiver)
for _,k:=range requests{
total=total+k.Amount
keys=append(keys,k.KeyRequest)
}
if total==0{
return ErrWrongNumber
}
//log.Printf("Total de bonos que voy a asignar: %v", total)
value:=idUTXO[0]
cant,_:=strconv.Atoi(idUTXO[1])
if cant-total<0 || cant==0{
return ErrWrongNumber
}
_,err=transfer(ctx,[]string{value},cant-total,receiver,total)
if err!=nil{
return err
}
// jsonAsBytes, _ := json.Marshal(`"{sending: ` + strconv.Itoa(total) + ` tokens to receipient: ` + receiver + ` }"`)
// er:=ctx.GetStub().SetEvent("token transferred: ",jsonAsBytes)
// if er!=nil{
// return er
// }
for _,r:=range keys{
ctx.GetStub().DelState(r)
log.Printf("estado elimininado: %v",r)
}
return nil
}
func transfer(ctx contractapi.TransactionContextInterface, utxoInputKeys []string, otro_amount int,receiver string,amount int) (*TokenUTXO, error) {
//var issuer string
// Get ID of submitting client identity
clientID, err := ctx.GetClientIdentity().GetID()
if err != nil {
return nil, fmt.Errorf("failed to get client id: %v", err)
}
// Validate and summarize utxo inputs
utxoInputs := make(map[string]*TokenUTXO)
var totalInputAmount int
for _, utxoInputKey := range utxoInputKeys {
if utxoInputs[utxoInputKey] != nil {
return nil, fmt.Errorf("the same utxo input can not be spend twice")
}
utxoInputCompositeKey, err := ctx.GetStub().CreateCompositeKey("utxo", []string{clientID, utxoInputKey})
if err != nil {
return nil, fmt.Errorf("failed to create composite key: %v", err)
}
// validate that client has a utxo matching the input key
valueBytes, err := ctx.GetStub().GetState(utxoInputCompositeKey)
if err != nil {
return nil, fmt.Errorf("failed to read utxoInputCompositeKey %s from world state: %v", utxoInputCompositeKey, err)
}
if valueBytes == nil {
return nil, fmt.Errorf("utxoInput %s not found for client %s", utxoInputKey, clientID)
}
// log.Printf("valor en bytes: %v",valueBytes)
//amount, _ := strconv.Atoi(string(valueBytes)) // Error handling not needed since Itoa() was used when setting the utxo amount, guaranteeing it was an integer.
utxoInput := &TokenUTXO{
Doctype: "token",
Key: utxoInputKey,
Owner: clientID,
Amount: amount,
}
totalInputAmount += amount
utxoInputs[utxoInputKey] = utxoInput
}
// Since the transaction is valid, now delete utxo inputs from owner's state
//issuer=utxoInput.Issuer
new_UTXO:=new(TokenUTXO)
new_UTXO.Key = ctx.GetStub().GetTxID() + ".0"
//utxoOutput.Issuer:=issuer
new_UTXO.Doctype="token"
new_UTXO.Owner=clientID
new_UTXO.Amount=otro_amount
new_UTXOCompositeKey, err := ctx.GetStub().CreateCompositeKey("utxo", []string{new_UTXO.Owner, new_UTXO.Key})
if err != nil {
return nil, fmt.Errorf("failed to create composite key: %v", err)
}
err = ctx.GetStub().PutState(new_UTXOCompositeKey, []byte(strconv.Itoa(new_UTXO.Amount)))
if err != nil {
return nil, err
}
for _, utxoInput := range utxoInputs {
utxoInputCompositeKey, err := ctx.GetStub().CreateCompositeKey("utxo", []string{utxoInput.Owner, utxoInput.Key})
if err != nil {
return nil, fmt.Errorf("failed to create composite key: %v", err)
}
err = ctx.GetStub().DelState(utxoInputCompositeKey)
if err != nil {
return nil, err
}
// log.Printf("utxoInput deleted: %+v", utxoInput)
}
// Create utxo outputs using a composite key based on the owner and utxo key
//for _, utxoOutput := range utxoOutputs {
utxoOutput:=new(TokenUTXO)
utxoOutput.Key = ctx.GetStub().GetTxID() + ".0"
//utxoOutput.Issuer:=issuer
utxoOutput.Doctype="token"
utxoOutput.Owner=receiver
utxoOutput.Amount=totalInputAmount
utxoOutputCompositeKey, err := ctx.GetStub().CreateCompositeKey("utxo", []string{utxoOutput.Owner, utxoOutput.Key})
if err != nil {
return nil, fmt.Errorf("failed to create composite key: %v", err)
}
err = ctx.GetStub().PutState(utxoOutputCompositeKey, []byte(strconv.Itoa(utxoOutput.Amount)))
if err != nil {
return nil, err
}
//log.Printf("utxoOutput created: %+v", utxoOutput)
//}
return utxoOutput, nil
}
//ejemplo fabric-sample
//esta función crea "amount" UTXOs que tiene que ser entero (para hacer una equivalencia con los pagos: pagos*100)
//la creación se hace en el momento en que se registra el pago por parte del client del farmer si el default es false. El client no controla que
//cantidad emite, es directamente el pago*100 y no va a poder eliminar el UTXO (falta por implementar DELETEUTXO)
//Se asegura que la ID del utxo es unica, pues se crea a partir del usuario y de la ID de la transaccion
//seria interesante cambiar a que la funcion no se pudiese ejecutar, que fuese una interfaz
func mint(ctx contractapi.TransactionContextInterface, amount int) (*TokenUTXO, error) {
// Check minter authorization - this sample assumes Org1 is the central banker with privilege to mint new tokens
// Get ID of submitting client identity
minter, err := ctx.GetClientIdentity().GetID()
if err != nil {
return nil, fmt.Errorf("failed to get client id: %v", err)
}
if amount <= 0 {
return nil, fmt.Errorf("mint amount must be a positive integer")
}
utxo := TokenUTXO{}
utxo.Doctype="token"
utxo.Key = ctx.GetStub().GetTxID() + ".0"
utxo.Issuer= minter
utxo.Owner = minter
utxo.Amount = amount
// the utxo has a composite key of owner:utxoKey, this enables ClientUTXOs() function to query for an owner's utxos.
utxoCompositeKey, err := ctx.GetStub().CreateCompositeKey("utxo", []string{minter, utxo.Key})
err = ctx.GetStub().PutState(utxoCompositeKey, []byte(strconv.Itoa(amount)))
if err != nil {
return nil, err
}
log.Printf("utxo minted: %+v", utxo)
return &utxo, nil
}
//ejemplo fabric-samples
//esta función de usa para obtener la ID del usuario (no es necesaria ya que son 3 lineas de codigo)
func (s *SmartContract) ClientID(ctx contractapi.TransactionContextInterface) (string, error) {
// Get ID of submitting client identity
clientID, err := ctx.GetClientIdentity().GetID()
if err != nil {
return "", fmt.Errorf("failed to get client id: %v", err)
}
return clientID, nil
}
//Ejemplo fabric-sample
// Transfer transfers UTXOs containing tokens from client to recipient(s)
//Cambiar a que la funcion pase a ser una interfaz
//Esta función está cambiada respecto a la del ejemplo, no se transfiere una cantidad, sino que se transfiere el total de cada client del
//farmer, por lo que si el mint es correcto no necesita comprobar los fondos de los UTXO del client
//esta funcion va sumando todos los UTXO de todos los clientes y los va eliminando. Cuando ha terminado emite un nuevo token
//a nombre del originador con la cantidad=suma(utxos)
func (s *SmartContract) Transfer(ctx contractapi.TransactionContextInterface, utxoInputKeys []string, amount int) (*UTXO, error) {
hasOU, err := cid.HasOUValue(ctx.GetStub(), "client1")
if err != nil {
return nil, err
}
if !hasOU {
return nil, ErrNoFarmer
}
clientMSPID, err := ctx.GetClientIdentity().GetMSPID()
if err != nil {
return nil, fmt.Errorf("failed to get MSPID: %v", err)
}
if clientMSPID != "farmerMSP" {
return nil, fmt.Errorf("client is not authorized to receive new tokens")
}
// Get ID of submitting client identity
clientID, err := ctx.GetClientIdentity().GetID()
if err != nil {
return nil, fmt.Errorf("failed to get client id: %v", err)
}
// Validate and summarize utxo inputs
utxoInputs := make(map[string]*UTXO)
var totalInputAmount int
for _, utxoInputKey := range utxoInputKeys {
if utxoInputs[utxoInputKey] != nil {
return nil, fmt.Errorf("the same utxo input can not be spend twice")
}
utxoInputCompositeKey, err := ctx.GetStub().CreateCompositeKey("utxo", []string{clientID, utxoInputKey})
if err != nil {
return nil, fmt.Errorf("failed to create composite key: %v", err)
}
// validate that client has a utxo matching the input key
valueBytes, err := ctx.GetStub().GetState(utxoInputCompositeKey)
if err != nil {
return nil, fmt.Errorf("failed to read utxoInputCompositeKey %s from world state: %v", utxoInputCompositeKey, err)
}
if valueBytes == nil {
return nil, fmt.Errorf("utxoInput %s not found for client %s", utxoInputKey, clientID)
}
//amount, _ := strconv.Atoi(string(valueBytes)) // Error handling not needed since Itoa() was used when setting the utxo amount, guaranteeing it was an integer.
utxoInput := &UTXO{
Key: utxoInputKey,
Owner: clientID,
Amount: amount,
}
totalInputAmount += amount
utxoInputs[utxoInputKey] = utxoInput
}
// Validate and summarize utxo outputs
//var totalOutputAmount int
//txID := ctx.GetStub().GetTxID()
// for i, utxoOutput := range utxoOutputs {
// if utxoOutput.Amount <= 0 {
// return nil, fmt.Errorf("utxo output amount must be a positive integer")
// }
// utxoOutputs[i].Key = fmt.Sprintf("%s.%d", txID, i)
// totalOutputAmount += utxoOutput.Amount
// }
// // Validate total inputs equals total outputs
// if totalInputAmount != totalOutputAmount {
// return nil, fmt.Errorf("total utxoInput amount %d does not equal total utxoOutput amount %d", totalInputAmount, totalOutputAmount)
// }
// Since the transaction is valid, now delete utxo inputs from owner's state
for _, utxoInput := range utxoInputs {
utxoInputCompositeKey, err := ctx.GetStub().CreateCompositeKey("utxo", []string{utxoInput.Owner, utxoInput.Key})
if err != nil {
return nil, fmt.Errorf("failed to create composite key: %v", err)
}
err = ctx.GetStub().DelState(utxoInputCompositeKey)
if err != nil {
return nil, err
}
log.Printf("utxoInput deleted: %+v", utxoInput)
}
// Create utxo outputs using a composite key based on the owner and utxo key
//for _, utxoOutput := range utxoOutputs {
utxoOutput:=new(UTXO)
utxoOutput.Key = ctx.GetStub().GetTxID() + ".0"
mspid:="originatorMSP"
utxoOutput.Owner=mspid
utxoOutput.Amount=totalInputAmount
utxoOutputCompositeKey, err := ctx.GetStub().CreateCompositeKey("utxo", []string{utxoOutput.Owner, utxoOutput.Key})
if err != nil {
return nil, fmt.Errorf("failed to create composite key: %v", err)
}
err = ctx.GetStub().PutState(utxoOutputCompositeKey, []byte(strconv.Itoa(utxoOutput.Amount)))
if err != nil {
return nil, err
}
log.Printf("utxoOutput created: %+v", utxoOutput)
return utxoOutput, nil
}
//ejemplo fabric-samples
// ClientUTXOs returns all UTXOs owned by the calling client
//cambiar a interfaz
func (s *SmartContract) ClientUTXOs(ctx contractapi.TransactionContextInterface) ([]string, error) {
// Get ID of submitting client identity
clientID, err := ctx.GetClientIdentity().GetID()
if err != nil {
return nil, fmt.Errorf("failed to get client id: %v", err)
}
// since utxos have a composite key of owner:utxoKey, we can query for all utxos matching owner:*
utxoResultsIterator, err := ctx.GetStub().GetStateByPartialCompositeKey("utxo", []string{clientID})
if err != nil {
return nil, err
}
defer utxoResultsIterator.Close()
var newUTXO UTXO
var utxos []*UTXO
for utxoResultsIterator.HasNext() {
utxoRecord, err := utxoResultsIterator.Next()
if err != nil {
return nil, err
}
// composite key is expected to be owner:utxoKey
_, compositeKeyParts, err := ctx.GetStub().SplitCompositeKey(utxoRecord.Key)
if err != nil {
return nil, err
}
if len(compositeKeyParts) != 2 {
return nil, fmt.Errorf("expected composite key with two parts (owner:utxoKey)")
}
utxoKey := compositeKeyParts[1] // owner is at [0], utxoKey is at[1]
if utxoRecord.Value == nil {
return nil, fmt.Errorf("utxo %s has no value", utxoKey)
}
amount, _ := strconv.Atoi(string(utxoRecord.Value)) // Error handling not needed since Itoa() was used when setting the utxo amount, guaranteeing it was an integer.
utxo := &UTXO{
Key: utxoKey,
Owner: clientID,
Amount: amount,
}
newUTXO.Key=utxoKey
newUTXO.Amount=amount
utxos = append(utxos, utxo)
}
//log.Printf("Este cliente tiene un UTXO")
return []string{newUTXO.Key,strconv.Itoa(newUTXO.Amount)}, nil
}
//adaptacion fabric-samples
//funcion que suma todos los UTXO emitidos por los clients del farmer y los pone a nombre del originador.
func (s *SmartContract) ClientUTXOoriginator(ctx contractapi.TransactionContextInterface) (*UTXO, error) {
// // Get ID of submitting client identity
identity := ctx.GetClientIdentity()
clientID, err := identity.GetID()
if err != nil {
return nil, fmt.Errorf("failed to get client id: %v", err)
}
org, err := identity.GetMSPID()
if err != nil {
return nil, err
}
if org!="originatorMSP"{
return nil,ErrNoOriginator
}
// since utxos have a composite key of owner:utxoKey, we can query for all utxos matching owner:*
utxoResultsIterator, err := ctx.GetStub().GetStateByPartialCompositeKey("utxo", []string{"originatorMSP"})
if err != nil {
return nil, err
}
defer utxoResultsIterator.Close()
var total int=0
var oldClientID string="originatorMSP"
//var newUTXO UTXO
//var utxos []*UTXO
for utxoResultsIterator.HasNext() {
utxoRecord, err := utxoResultsIterator.Next()
if err != nil {
return nil, err
}
// composite key is expected to be owner:utxoKey
_, compositeKeyParts, err := ctx.GetStub().SplitCompositeKey(utxoRecord.Key)
if err != nil {
return nil, err
}
if len(compositeKeyParts) != 2 {
return nil, fmt.Errorf("expected composite key with two parts (owner:utxoKey)")
}
utxoKey := compositeKeyParts[1] // owner is at [0], utxoKey is at[1]
if utxoRecord.Value == nil {
return nil, fmt.Errorf("utxo %s has no value", utxoKey)
}
amount, _ := strconv.Atoi(string(utxoRecord.Value)) // Error handling not needed since Itoa() was used when setting the utxo amount, guaranteeing it was an integer.
total=total+amount
utxo := &UTXO{
Key: utxoKey,
Owner: oldClientID,
Amount: total,
}
utxoCompositeKey, err := ctx.GetStub().CreateCompositeKey("utxo", []string{utxo.Owner, utxo.Key})
if err != nil {
return nil, fmt.Errorf("failed to create composite key: %v", err)
}
err = ctx.GetStub().DelState(utxoCompositeKey)
if err != nil {
return nil, err
}
log.Printf("utxoInput deleted: %+v", utxoCompositeKey)
}
utxoKey := ctx.GetStub().GetTxID() + ".0"
utxo := &UTXO{
Key: utxoKey,
Owner: clientID,
Amount: total,
}