forked from privacybydesign/irmago
-
Notifications
You must be signed in to change notification settings - Fork 0
/
requests.go
1034 lines (889 loc) · 31.2 KB
/
requests.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
package irma
import (
"encoding/json"
"encoding/xml"
"fmt"
"io/ioutil"
"strconv"
"time"
"github.com/bwesterb/go-atum"
"github.com/dgrijalva/jwt-go"
"github.com/go-errors/errors"
"github.com/privacybydesign/gabi"
"github.com/privacybydesign/gabi/big"
"github.com/privacybydesign/gabi/revocation"
"github.com/privacybydesign/irmago/internal/common"
)
const (
LDContextDisclosureRequest = "https://irma.app/ld/request/disclosure/v2"
LDContextSignatureRequest = "https://irma.app/ld/request/signature/v2"
LDContextIssuanceRequest = "https://irma.app/ld/request/issuance/v2"
LDContextRevocationRequest = "https://irma.app/ld/request/revocation/v1"
)
// BaseRequest contains information used by all IRMA session types, such the context and nonce,
// and revocation information.
type BaseRequest struct {
LDContext string `json:"@context,omitempty"`
// Set by the IRMA server during the session
Context *big.Int `json:"context,omitempty"`
Nonce *big.Int `json:"nonce,omitempty"`
ProtocolVersion *ProtocolVersion `json:"protocolVersion,omitempty"`
// Revocation is set by the requestor to indicate that it requires nonrevocation proofs for the
// specified credential types.
Revocation NonRevocationParameters `json:"revocation,omitempty"`
ids *IrmaIdentifierSet // cache for Identifiers() method
legacy bool // Whether or not this was deserialized from a legacy (pre-condiscon) request
Type Action `json:"type,omitempty"` // Session type, only used in legacy code
ClientReturnURL string `json:"clientReturnUrl,omitempty"` // URL to proceed to when IRMA session is completed
}
// An AttributeCon is only satisfied if all of its containing attribute requests are satisfied.
type AttributeCon []AttributeRequest
// An AttributeDisCon is satisfied if at least one of its containing AttributeCon is satisfied.
type AttributeDisCon []AttributeCon
// AttributeConDisCon is only satisfied if all of the containing AttributeDisCon are satisfied.
type AttributeConDisCon []AttributeDisCon
// A DisclosureRequest is a request to disclose certain attributes. Construct new instances using
// NewDisclosureRequest().
type DisclosureRequest struct {
BaseRequest
Disclose AttributeConDisCon `json:"disclose,omitempty"`
Labels map[int]TranslatedString `json:"labels,omitempty"`
}
// A SignatureRequest is a a request to sign a message with certain attributes. Construct new
// instances using NewSignatureRequest().
type SignatureRequest struct {
DisclosureRequest
Message string `json:"message"`
}
// An IssuanceRequest is a request to issue certain credentials,
// optionally also asking for certain attributes to be simultaneously disclosed. Construct new
// instances using NewIssuanceRequest().
type IssuanceRequest struct {
DisclosureRequest
Credentials []*CredentialRequest `json:"credentials"`
// Derived data
CredentialInfoList CredentialInfoList `json:",omitempty"`
RemovalCredentialInfoList CredentialInfoList `json:",omitempty"`
}
// A CredentialRequest contains the attributes and metadata of a credential
// that will be issued in an IssuanceRequest.
type CredentialRequest struct {
Validity *Timestamp `json:"validity,omitempty"`
KeyCounter uint `json:"keyCounter,omitempty"`
CredentialTypeID CredentialTypeIdentifier `json:"credential"`
Attributes map[string]string `json:"attributes"`
RevocationKey string `json:"revocationKey,omitempty"`
}
// SessionRequest instances contain all information the irmaclient needs to perform an IRMA session.
type SessionRequest interface {
Validator
Base() *BaseRequest
GetNonce(timestamp *atum.Timestamp) *big.Int
Disclosure() *DisclosureRequest
Identifiers() *IrmaIdentifierSet
Action() Action
Legacy() (SessionRequest, error)
}
// Timestamp is a time.Time that marshals to Unix timestamps.
type Timestamp time.Time
// ServerJwt contains standard JWT fields.
type ServerJwt struct {
Type string `json:"sub"`
ServerName string `json:"iss"`
IssuedAt Timestamp `json:"iat"`
}
// RequestorBaseRequest contains fields present in all RequestorRequest types
// with which the requestor configures an IRMA session.
type RequestorBaseRequest struct {
ResultJwtValidity int `json:"validity,omitempty"` // Validity of session result JWT in seconds
ClientTimeout int `json:"timeout,omitempty"` // Wait this many seconds for the IRMA app to connect before the session times out
CallbackURL string `json:"callbackUrl,omitempty"` // URL to post session result to
}
// RequestorRequest is the message with which requestors start an IRMA session. It contains a
// SessionRequest instance for the irmaclient along with extra fields in a RequestorBaseRequest.
type RequestorRequest interface {
Validator
SessionRequest() SessionRequest
Base() RequestorBaseRequest
}
// A ServiceProviderRequest contains a disclosure request.
type ServiceProviderRequest struct {
RequestorBaseRequest
Request *DisclosureRequest `json:"request"`
}
// A SignatureRequestorRequest contains a signing request.
type SignatureRequestorRequest struct {
RequestorBaseRequest
Request *SignatureRequest `json:"request"`
}
// An IdentityProviderRequest contains an issuance request.
type IdentityProviderRequest struct {
RequestorBaseRequest
Request *IssuanceRequest `json:"request"`
}
// ServiceProviderJwt is a requestor JWT for a disclosure session.
type ServiceProviderJwt struct {
ServerJwt
Request *ServiceProviderRequest `json:"sprequest"`
}
// SignatureRequestorJwt is a requestor JWT for a signing session.
type SignatureRequestorJwt struct {
ServerJwt
Request *SignatureRequestorRequest `json:"absrequest"`
}
// IdentityProviderJwt is a requestor JWT for issuance session.
type IdentityProviderJwt struct {
ServerJwt
Request *IdentityProviderRequest `json:"iprequest"`
}
type RevocationJwt struct {
ServerJwt
Request *RevocationRequest `json:"revrequest"`
}
// A RequestorJwt contains an IRMA session object.
type RequestorJwt interface {
Action() Action
RequestorRequest() RequestorRequest
SessionRequest() SessionRequest
Requestor() string
Valid() error
Sign(jwt.SigningMethod, interface{}) (string, error)
}
// A DisclosureChoice contains the attributes chosen to be disclosed.
type DisclosureChoice struct {
Attributes [][]*AttributeIdentifier
}
// An AttributeRequest asks for an instance of an attribute type, possibly requiring it to have
// a specified value, in a session request.
type AttributeRequest struct {
Type AttributeTypeIdentifier `json:"type"`
Value *string `json:"value,omitempty"`
NotNull bool `json:"notNull,omitempty"`
}
type RevocationRequest struct {
LDContext string `json:"@context,omitempty"`
CredentialType CredentialTypeIdentifier `json:"type"`
Key string `json:"revocationKey,omitempty"`
Issued int64 `json:"issued,omitempty"`
}
type NonRevocationRequest struct {
Tolerance uint64 `json:"tolerance,omitempty"`
Updates map[uint]*revocation.Update `json:"updates,omitempty"`
}
type NonRevocationParameters map[CredentialTypeIdentifier]*NonRevocationRequest
func (n *NonRevocationParameters) UnmarshalJSON(bts []byte) error {
var slice []CredentialTypeIdentifier
if *n == nil {
*n = NonRevocationParameters{}
}
if err := json.Unmarshal(bts, &slice); err == nil {
for _, s := range slice {
(*n)[s] = &NonRevocationRequest{}
}
return nil
}
return json.Unmarshal(bts, (*map[CredentialTypeIdentifier]*NonRevocationRequest)(n))
}
func (n *NonRevocationParameters) MarshalJSON() ([]byte, error) {
return json.Marshal((*map[CredentialTypeIdentifier]*NonRevocationRequest)(n))
}
func (r *RevocationRequest) Validate() error {
if r.LDContext != LDContextRevocationRequest {
return errors.New("not a revocation request")
}
return nil
}
var (
bigZero = big.NewInt(0)
bigOne = big.NewInt(1)
)
func (b *BaseRequest) Legacy() bool {
return b.legacy
}
func (b *BaseRequest) GetContext() *big.Int {
if b.Context == nil {
return bigOne
}
return b.Context
}
func (b *BaseRequest) GetNonce(*atum.Timestamp) *big.Int {
if b.Nonce == nil {
return bigZero
}
return b.Nonce
}
// RequestsRevocation indicates whether or not the requestor requires a nonrevocation proof for
// the given credential type; that is, whether or not it included revocation update messages.
func (b *BaseRequest) RequestsRevocation(id CredentialTypeIdentifier) bool {
return len(b.Revocation) > 0 && b.Revocation[id] != nil && len(b.Revocation[id].Updates) > 0
}
func (b *BaseRequest) RevocationSupported() bool {
return !b.ProtocolVersion.Below(2, 6)
}
func (b *BaseRequest) Validate(conf *Configuration) error {
for credid := range b.Revocation {
credtyp, ok := conf.CredentialTypes[credid]
if !ok {
return errors.Errorf("cannot requet nonrevocation proof for %s: unknown credential type", credid)
}
if !credtyp.RevocationSupported() {
return errors.Errorf("cannot request nonrevocation proof for %s: revocation not enabled in scheme", credid)
}
}
return nil
}
// CredentialTypes returns an array of all credential types occuring in this conjunction.
func (c AttributeCon) CredentialTypes() []CredentialTypeIdentifier {
var result []CredentialTypeIdentifier
for _, attr := range c {
typ := attr.Type.CredentialTypeIdentifier()
if len(result) == 0 || result[len(result)-1] != typ {
result = append(result, typ)
}
}
return result
}
func (c AttributeCon) Validate() error {
// Unlike AttributeDisCon, we don't have to check here that the current instance is of length 0,
// as that is actually a valid conjunction: one that specifies that the containing disjunction
// is optional.
credtypes := map[CredentialTypeIdentifier]struct{}{}
var last CredentialTypeIdentifier
for _, attr := range c {
typ := attr.Type.CredentialTypeIdentifier()
if _, contains := credtypes[typ]; contains && last != typ {
return errors.New("Within inner conjunctions, attributes from the same credential type must be adjacent")
}
last = typ
credtypes[typ] = struct{}{}
}
return nil
}
// AttributeRequest synonym with default JSON (un)marshaler
type jsonAttributeRequest AttributeRequest
func (ar *AttributeRequest) UnmarshalJSON(bts []byte) error {
var s AttributeTypeIdentifier
// first try to parse as JSON string into s
if err := json.Unmarshal(bts, &s); err == nil {
*ar = AttributeRequest{Type: s}
return nil
}
return json.Unmarshal(bts, (*jsonAttributeRequest)(ar))
}
func (ar *AttributeRequest) MarshalJSON() ([]byte, error) {
if !ar.NotNull && ar.Value == nil {
return json.Marshal(ar.Type)
}
return json.Marshal((*jsonAttributeRequest)(ar))
}
// Satisfy indicates whether the given attribute type and value satisfies this AttributeRequest.
func (ar *AttributeRequest) Satisfy(attr AttributeTypeIdentifier, val *string) bool {
return ar.Type == attr &&
(!ar.NotNull || val != nil) &&
(ar.Value == nil || (val != nil && *ar.Value == *val))
}
// Satisfy returns if each of the attributes specified by proofs and indices satisfies each of
// the contained AttributeRequests's. If so it also returns a list of the disclosed attribute values.
func (c AttributeCon) Satisfy(proofs gabi.ProofList, indices []*DisclosedAttributeIndex, revocation map[int]*time.Time, conf *Configuration) (bool, []*DisclosedAttribute, error) {
if len(indices) < len(c) {
return false, nil, nil
}
attrs := make([]*DisclosedAttribute, 0, len(c))
if len(c) == 0 {
return true, attrs, nil
}
for j := range c {
index := indices[j]
attr, val, err := extractAttribute(proofs, index, revocation[index.CredentialIndex], conf)
if err != nil {
return false, nil, err
}
if !c[j].Satisfy(attr.Identifier, val) {
return false, nil, nil
}
attrs = append(attrs, attr)
}
return true, attrs, nil
}
func (dc AttributeDisCon) Validate() error {
if len(dc) == 0 {
return errors.New("Empty disjunction")
}
var err error
for _, con := range dc {
if err = con.Validate(); err != nil {
return err
}
}
return nil
}
// Satisfy returns true if the attributes specified by proofs and indices satisfies any one of the
// contained AttributeCon's. If so it also returns a list of the disclosed attribute values.
func (dc AttributeDisCon) Satisfy(proofs gabi.ProofList, indices []*DisclosedAttributeIndex, revocation map[int]*time.Time, conf *Configuration) (bool, []*DisclosedAttribute, error) {
for _, con := range dc {
satisfied, attrs, err := con.Satisfy(proofs, indices, revocation, conf)
if err != nil {
return false, nil, err
}
if satisfied {
return true, attrs, nil
}
}
return false, nil, nil
}
func (cdc AttributeConDisCon) Validate(conf *Configuration) error {
for _, discon := range cdc {
for _, con := range discon {
var nonsingleton *CredentialTypeIdentifier
for _, attr := range con {
typ := attr.Type.CredentialTypeIdentifier()
if !conf.CredentialTypes[typ].IsSingleton {
if nonsingleton != nil && *nonsingleton != typ {
return errors.New("Multiple non-singletons within one inner conjunction are not allowed")
} else {
nonsingleton = &typ
}
}
}
}
}
return nil
}
// Satisfy returns true if each of the contained AttributeDisCon is satisfied by the specified disclosure.
// If so it also returns the disclosed attributes.
func (cdc AttributeConDisCon) Satisfy(disclosure *Disclosure, revocation map[int]*time.Time, conf *Configuration) (bool, [][]*DisclosedAttribute, error) {
if len(disclosure.Indices) < len(cdc) {
return false, nil, nil
}
list := make([][]*DisclosedAttribute, len(cdc))
complete := true
for i, discon := range cdc {
satisfied, attrs, err := discon.Satisfy(disclosure.Proofs, disclosure.Indices[i], revocation, conf)
if err != nil {
return false, nil, err
}
if satisfied {
list[i] = attrs
} else {
complete = false
list[i] = nil
}
}
return complete, list, nil
}
func (cdc AttributeConDisCon) Iterate(f func(attr *AttributeRequest) error) error {
var err error
for _, discon := range cdc {
for _, con := range discon {
for _, attr := range con {
if err = f(&attr); err != nil {
return err
}
}
}
}
return nil
}
func (dr *DisclosureRequest) AddSingle(attr AttributeTypeIdentifier, value *string, label TranslatedString) {
dr.Disclose = append(dr.Disclose, AttributeDisCon{AttributeCon{{Type: attr, Value: value}}})
dr.Labels[len(dr.Disclose)-1] = label
}
func NewDisclosureRequest(attrs ...AttributeTypeIdentifier) *DisclosureRequest {
request := &DisclosureRequest{
BaseRequest: BaseRequest{LDContext: LDContextDisclosureRequest},
Labels: map[int]TranslatedString{},
}
for _, attr := range attrs {
request.AddSingle(attr, nil, nil)
}
return request
}
func NewSignatureRequest(message string, attrs ...AttributeTypeIdentifier) *SignatureRequest {
dr := NewDisclosureRequest(attrs...)
dr.LDContext = LDContextSignatureRequest
return &SignatureRequest{
DisclosureRequest: *dr,
Message: message,
}
}
func NewIssuanceRequest(creds []*CredentialRequest, attrs ...AttributeTypeIdentifier) *IssuanceRequest {
dr := NewDisclosureRequest(attrs...)
dr.LDContext = LDContextIssuanceRequest
return &IssuanceRequest{
DisclosureRequest: *dr,
Credentials: creds,
}
}
func (dr *DisclosureRequest) Disclosure() *DisclosureRequest {
return dr
}
func (dr *DisclosureRequest) identifiers() *IrmaIdentifierSet {
ids := &IrmaIdentifierSet{
SchemeManagers: map[SchemeManagerIdentifier]struct{}{},
Issuers: map[IssuerIdentifier]struct{}{},
CredentialTypes: map[CredentialTypeIdentifier]struct{}{},
PublicKeys: map[IssuerIdentifier][]uint{},
AttributeTypes: map[AttributeTypeIdentifier]struct{}{},
}
_ = dr.Disclose.Iterate(func(a *AttributeRequest) error {
attr := a.Type
ids.SchemeManagers[attr.CredentialTypeIdentifier().IssuerIdentifier().SchemeManagerIdentifier()] = struct{}{}
ids.Issuers[attr.CredentialTypeIdentifier().IssuerIdentifier()] = struct{}{}
ids.CredentialTypes[attr.CredentialTypeIdentifier()] = struct{}{}
ids.AttributeTypes[attr] = struct{}{}
return nil
})
return ids
}
func (dr *DisclosureRequest) Identifiers() *IrmaIdentifierSet {
if dr.ids == nil {
dr.ids = dr.identifiers()
}
return dr.ids
}
func (dr *DisclosureRequest) Base() *BaseRequest {
return &dr.BaseRequest
}
func (dr *DisclosureRequest) Action() Action { return ActionDisclosing }
func (dr *DisclosureRequest) Validate() error {
if dr.LDContext != LDContextDisclosureRequest {
return errors.New("Not a disclosure request")
}
if len(dr.Disclose) == 0 {
return errors.New("Disclosure request had no attributes")
}
var err error
for _, discon := range dr.Disclose {
if err = discon.Validate(); err != nil {
return err
}
}
return nil
}
func (cr *CredentialRequest) Info(conf *Configuration, metadataVersion byte) (*CredentialInfo, error) {
list, err := cr.AttributeList(conf, metadataVersion, nil)
if err != nil {
return nil, err
}
return NewCredentialInfo(list.Ints, conf), nil
}
// Validate checks that this credential request is consistent with the specified Configuration:
// the credential type is known, all required attributes are present and no unknown attributes
// are given.
func (cr *CredentialRequest) Validate(conf *Configuration) error {
credtype := conf.CredentialTypes[cr.CredentialTypeID]
if credtype == nil {
return errors.New("Credential request of unknown credential type")
}
// Check that there are no attributes in the credential request that aren't
// in the credential descriptor.
for crName := range cr.Attributes {
found := false
for _, ad := range credtype.AttributeTypes {
if ad.ID == crName {
found = true
break
}
}
if !found {
return errors.New("Credential request contains unknown attribute")
}
}
for _, attrtype := range credtype.AttributeTypes {
_, present := cr.Attributes[attrtype.ID]
if !present && !attrtype.RevocationAttribute && attrtype.Optional != "true" {
return errors.New("Required attribute not present in credential request")
}
if present && attrtype.RevocationAttribute {
return errors.New("revocation attribute cannot be set in credential request")
}
}
return nil
}
// AttributeList returns the list of attributes from this credential request.
func (cr *CredentialRequest) AttributeList(
conf *Configuration,
metadataVersion byte,
revocationAttr *big.Int,
) (*AttributeList, error) {
if err := cr.Validate(conf); err != nil {
return nil, err
}
credtype := conf.CredentialTypes[cr.CredentialTypeID]
if !credtype.RevocationSupported() && revocationAttr != nil {
return nil, errors.Errorf("cannot specify revocationAttr: credtype %s does not support revocation", cr.CredentialTypeID.String())
}
// Compute metadata attribute
meta := NewMetadataAttribute(metadataVersion)
meta.setKeyCounter(cr.KeyCounter)
meta.setCredentialTypeIdentifier(cr.CredentialTypeID.String())
meta.setSigningDate()
if err := meta.setExpiryDate(cr.Validity); err != nil {
return nil, err
}
// Compute other attributes
attrs := make([]*big.Int, len(credtype.AttributeTypes)+1)
attrs[0] = meta.Int
if credtype.RevocationSupported() {
if revocationAttr != nil {
attrs[credtype.RevocationIndex+1] = revocationAttr
} else {
attrs[credtype.RevocationIndex+1] = bigZero
}
}
for i, attrtype := range credtype.AttributeTypes {
if attrtype.RevocationAttribute {
continue
}
attrs[i+1] = new(big.Int)
if str, present := cr.Attributes[attrtype.ID]; present {
// Set attribute to str << 1 + 1
attrs[i+1].SetBytes([]byte(str))
if meta.Version() >= 0x03 {
attrs[i+1].Lsh(attrs[i+1], 1) // attr <<= 1
attrs[i+1].Add(attrs[i+1], big.NewInt(1)) // attr += 1
}
}
}
return NewAttributeListFromInts(attrs, conf), nil
}
func (ir *IssuanceRequest) Identifiers() *IrmaIdentifierSet {
if ir.ids == nil {
ir.ids = &IrmaIdentifierSet{
SchemeManagers: map[SchemeManagerIdentifier]struct{}{},
Issuers: map[IssuerIdentifier]struct{}{},
CredentialTypes: map[CredentialTypeIdentifier]struct{}{},
AttributeTypes: map[AttributeTypeIdentifier]struct{}{},
PublicKeys: map[IssuerIdentifier][]uint{},
}
for _, credreq := range ir.Credentials {
issuer := credreq.CredentialTypeID.IssuerIdentifier()
ir.ids.SchemeManagers[issuer.SchemeManagerIdentifier()] = struct{}{}
ir.ids.Issuers[issuer] = struct{}{}
credID := credreq.CredentialTypeID
ir.ids.CredentialTypes[credID] = struct{}{}
for attr, _ := range credreq.Attributes { // this is kind of ugly
ir.ids.AttributeTypes[NewAttributeTypeIdentifier(credID.String()+"."+attr)] = struct{}{}
}
if ir.ids.PublicKeys[issuer] == nil {
ir.ids.PublicKeys[issuer] = []uint{}
}
ir.ids.PublicKeys[issuer] = append(ir.ids.PublicKeys[issuer], credreq.KeyCounter)
}
ir.ids.join(ir.DisclosureRequest.identifiers())
}
return ir.ids
}
func (ir *IssuanceRequest) GetCredentialInfoList(conf *Configuration, version *ProtocolVersion) (CredentialInfoList, error) {
if ir.CredentialInfoList == nil {
for _, credreq := range ir.Credentials {
info, err := credreq.Info(conf, GetMetadataVersion(version))
if err != nil {
return nil, err
}
ir.CredentialInfoList = append(ir.CredentialInfoList, info)
}
}
return ir.CredentialInfoList, nil
}
func (ir *IssuanceRequest) Action() Action { return ActionIssuing }
func (ir *IssuanceRequest) Validate() error {
if ir.LDContext != LDContextIssuanceRequest {
return errors.New("Not an issuance request")
}
if len(ir.Credentials) == 0 {
return errors.New("Empty issuance request")
}
for _, cred := range ir.Credentials {
if cred.Validity != nil && cred.Validity.Floor().Before(Timestamp(time.Now())) {
return errors.New("Expired credential request")
}
}
var err error
for _, discon := range ir.Disclose {
if err = discon.Validate(); err != nil {
return err
}
}
return nil
}
// GetNonce returns the nonce of this signature session
// (with the message already hashed into it).
func (sr *SignatureRequest) GetNonce(timestamp *atum.Timestamp) *big.Int {
return ASN1ConvertSignatureNonce(sr.Message, sr.BaseRequest.GetNonce(nil), timestamp)
}
func (sr *SignatureRequest) SignatureFromMessage(message interface{}, timestamp *atum.Timestamp) (*SignedMessage, error) {
signature, ok := message.(*Disclosure)
if !ok {
return nil, errors.Errorf("Type assertion failed")
}
nonce := sr.Nonce
if nonce == nil {
nonce = bigZero
}
return &SignedMessage{
LDContext: LDContextSignedMessage,
Signature: signature.Proofs,
Indices: signature.Indices,
Nonce: nonce,
Context: sr.GetContext(),
Message: sr.Message,
Timestamp: timestamp,
}, nil
}
func (sr *SignatureRequest) Action() Action { return ActionSigning }
func (sr *SignatureRequest) Validate() error {
if sr.LDContext != LDContextSignatureRequest {
return errors.New("Not a signature request")
}
if sr.Message == "" {
return errors.New("Signature request had empty message")
}
if len(sr.Disclose) == 0 {
return errors.New("Signature request had no attributes")
}
var err error
for _, discon := range sr.Disclose {
if err = discon.Validate(); err != nil {
return err
}
}
return nil
}
// Check if Timestamp is before other Timestamp. Used for checking expiry of attributes
func (t Timestamp) Before(u Timestamp) bool {
return time.Time(t).Before(time.Time(u))
}
func (t Timestamp) After(u Timestamp) bool {
return time.Time(t).After(time.Time(u))
}
// To check whether Timestamp is uninitialized
func (t Timestamp) IsZero() bool {
return time.Time(t).IsZero()
}
func (t *Timestamp) MarshalXML(e *xml.Encoder, start xml.StartElement) error {
return e.EncodeElement(t.String(), start)
}
func (t *Timestamp) UnmarshalXML(d *xml.Decoder, start xml.StartElement) error {
var ts int64
if err := d.DecodeElement(&ts, &start); err != nil {
return err
}
*t = Timestamp(time.Unix(ts, 0))
return nil
}
// MarshalJSON marshals a timestamp.
func (t *Timestamp) MarshalJSON() ([]byte, error) {
return []byte(t.String()), nil
}
// UnmarshalJSON unmarshals a timestamp.
func (t *Timestamp) UnmarshalJSON(b []byte) error {
ts, err := strconv.Atoi(string(b))
if err != nil {
return err
}
*t = Timestamp(time.Unix(int64(ts), 0))
return nil
}
// Timestamp implements Stringer.
func (t *Timestamp) String() string {
return fmt.Sprint(time.Time(*t).Unix())
}
func (t *Timestamp) Floor() Timestamp {
return Timestamp(time.Unix((time.Time(*t).Unix()/ExpiryFactor)*ExpiryFactor, 0))
}
func readTimestamp(path string) (*Timestamp, bool, error) {
exists, err := common.PathExists(path)
if err != nil {
return nil, false, err
}
if !exists {
return nil, false, nil
}
bts, err := ioutil.ReadFile(path)
if err != nil {
return nil, true, errors.New("Could not read scheme manager timestamp")
}
ts, err := parseTimestamp(bts)
return ts, true, err
}
func parseTimestamp(bts []byte) (*Timestamp, error) {
// Remove final character \n if present
if bts[len(bts)-1] == '\n' {
bts = bts[:len(bts)-1]
}
// convert from byte slice to string; parse as int
str, err := strconv.ParseInt(string(bts), 10, 64)
if err != nil {
return nil, err
}
ts := Timestamp(time.Unix(str, 0))
return &ts, nil
}
// NewServiceProviderJwt returns a new ServiceProviderJwt.
func NewServiceProviderJwt(servername string, dr *DisclosureRequest) *ServiceProviderJwt {
return &ServiceProviderJwt{
ServerJwt: ServerJwt{
ServerName: servername,
IssuedAt: Timestamp(time.Now()),
Type: "verification_request",
},
Request: &ServiceProviderRequest{
RequestorBaseRequest: RequestorBaseRequest{ResultJwtValidity: 120},
Request: dr,
},
}
}
// NewSignatureRequestorJwt returns a new SignatureRequestorJwt.
func NewSignatureRequestorJwt(servername string, sr *SignatureRequest) *SignatureRequestorJwt {
return &SignatureRequestorJwt{
ServerJwt: ServerJwt{
ServerName: servername,
IssuedAt: Timestamp(time.Now()),
Type: "signature_request",
},
Request: &SignatureRequestorRequest{
RequestorBaseRequest: RequestorBaseRequest{ResultJwtValidity: 120},
Request: sr,
},
}
}
// NewIdentityProviderJwt returns a new IdentityProviderJwt.
func NewIdentityProviderJwt(servername string, ir *IssuanceRequest) *IdentityProviderJwt {
return &IdentityProviderJwt{
ServerJwt: ServerJwt{
ServerName: servername,
IssuedAt: Timestamp(time.Now()),
Type: "issue_request",
},
Request: &IdentityProviderRequest{
RequestorBaseRequest: RequestorBaseRequest{ResultJwtValidity: 120},
Request: ir,
},
}
}
func (jwt *ServerJwt) Requestor() string { return jwt.ServerName }
func (r *ServiceProviderRequest) Validate() error {
if r.Request == nil {
return errors.New("Not a ServiceProviderRequest")
}
return r.Request.Validate()
}
func (r *SignatureRequestorRequest) Validate() error {
if r.Request == nil {
return errors.New("Not a SignatureRequestorRequest")
}
return r.Request.Validate()
}
func (r *IdentityProviderRequest) Validate() error {
if r.Request == nil {
return errors.New("Not a IdentityProviderRequest")
}
return r.Request.Validate()
}
func (r *ServiceProviderRequest) SessionRequest() SessionRequest {
return r.Request
}
func (r *SignatureRequestorRequest) SessionRequest() SessionRequest {
return r.Request
}
func (r *IdentityProviderRequest) SessionRequest() SessionRequest {
return r.Request
}
func (r *ServiceProviderRequest) Base() RequestorBaseRequest {
return r.RequestorBaseRequest
}
func (r *SignatureRequestorRequest) Base() RequestorBaseRequest {
return r.RequestorBaseRequest
}
func (r *IdentityProviderRequest) Base() RequestorBaseRequest {
return r.RequestorBaseRequest
}
// SessionRequest returns an IRMA session object.
func (claims *ServiceProviderJwt) SessionRequest() SessionRequest { return claims.Request.Request }
// SessionRequest returns an IRMA session object.
func (claims *SignatureRequestorJwt) SessionRequest() SessionRequest { return claims.Request.Request }
// SessionRequest returns an IRMA session object.
func (claims *IdentityProviderJwt) SessionRequest() SessionRequest { return claims.Request.Request }
func (claims *ServiceProviderJwt) Sign(method jwt.SigningMethod, key interface{}) (string, error) {
return jwt.NewWithClaims(method, claims).SignedString(key)
}
func (claims *SignatureRequestorJwt) Sign(method jwt.SigningMethod, key interface{}) (string, error) {
return jwt.NewWithClaims(method, claims).SignedString(key)
}
func (claims *IdentityProviderJwt) Sign(method jwt.SigningMethod, key interface{}) (string, error) {
return jwt.NewWithClaims(method, claims).SignedString(key)
}
func (claims *ServiceProviderJwt) RequestorRequest() RequestorRequest { return claims.Request }
func (claims *SignatureRequestorJwt) RequestorRequest() RequestorRequest { return claims.Request }
func (claims *IdentityProviderJwt) RequestorRequest() RequestorRequest { return claims.Request }
func (claims *ServiceProviderJwt) Valid() error {
if claims.Type != "verification_request" {
return errors.New("Verification jwt has invalid subject")
}
if time.Time(claims.IssuedAt).After(time.Now()) {
return errors.New("Verification jwt not yet valid")
}
return nil
}
func (claims *SignatureRequestorJwt) Valid() error {
if claims.Type != "signature_request" {
return errors.New("Signature jwt has invalid subject")
}
if time.Time(claims.IssuedAt).After(time.Now()) {
return errors.New("Signature jwt not yet valid")
}
return nil
}
func (claims *IdentityProviderJwt) Valid() error {
if claims.Type != "issue_request" {
return errors.New("Issuance jwt has invalid subject")
}
if time.Time(claims.IssuedAt).After(time.Now()) {
return errors.New("Issuance jwt not yet valid")
}
return nil
}
func (claims *RevocationJwt) Valid() error {
if time.Time(claims.IssuedAt).After(time.Now()) {
return errors.New("Signature jwt not yet valid")
}
return nil
}
func (claims *RevocationJwt) Sign(method jwt.SigningMethod, key interface{}) (string, error) {
return jwt.NewWithClaims(method, claims).SignedString(key)
}
func (claims *ServiceProviderJwt) Action() Action { return ActionDisclosing }
func (claims *SignatureRequestorJwt) Action() Action { return ActionSigning }
func (claims *IdentityProviderJwt) Action() Action { return ActionIssuing }