File: dl.go

package info (click to toggle)
golang-github-cloudflare-circl 1.6.1-1
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid, trixie
  • size: 18,064 kB
  • sloc: asm: 20,492; ansic: 1,292; makefile: 68
file content (86 lines) | stat: -rw-r--r-- 2,392 bytes parent folder | download | duplicates (3)
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
// Package dl provides a Schnorr NIZK discrete-log proof.
//
// This package implements a Schnorr NIZK discrete-log proof obtained from the
// interactive Schnorr identification scheme through a Fiat-Shamir transformation.
//
// Given (k,G,kG) the Prove function returns a Proof struct attesting that
// kG = [k]G, which can be validated using the Verify function.
//
// The userID label is a unique identifier for the prover.
//
// The otherInfo label is defined to allow flexible inclusion of contextual
// information in the Schnorr NIZK proof.
// The otherInfo is also used as a domain separation tag (dst) for the hash
// to scalar function.
//
// Reference: https://datatracker.ietf.org/doc/html/rfc8235
package dl

import (
	"encoding/binary"
	"io"

	"github.com/cloudflare/circl/group"
)

type Proof struct {
	V group.Element
	R group.Scalar
}

func calcChallenge(myGroup group.Group, G, V, A group.Element, userID, otherInfo []byte) group.Scalar {
	// Hash transcript (G | V | A | UserID | OtherInfo) to get the random coin.
	GByte, errByte := G.MarshalBinary()
	if errByte != nil {
		panic(errByte)
	}
	VByte, errByte := V.MarshalBinary()
	if errByte != nil {
		panic(errByte)
	}
	AByte, errByte := A.MarshalBinary()
	if errByte != nil {
		panic(errByte)
	}

	uPrefix := [4]byte{}
	binary.BigEndian.PutUint32(uPrefix[:], uint32(len(userID)))
	oPrefix := [4]byte{}
	binary.BigEndian.PutUint32(oPrefix[:], uint32(len(otherInfo)))

	hashByte := append(append(append(append(append(append(
		GByte, VByte...), AByte...),
		uPrefix[:]...), userID...),
		oPrefix[:]...), otherInfo...)

	return myGroup.HashToScalar(hashByte, otherInfo)
}

// Prove returns a proof attesting that kG = [k]G.
func Prove(myGroup group.Group, G, kG group.Element, k group.Scalar, userID, otherInfo []byte, rnd io.Reader) Proof {
	v := myGroup.RandomNonZeroScalar(rnd)
	V := myGroup.NewElement()
	V.Mul(G, v)

	c := calcChallenge(myGroup, G, V, kG, userID, otherInfo)

	r := myGroup.NewScalar()
	r.Sub(v, myGroup.NewScalar().Mul(k, c))

	return Proof{V, r}
}

// Verify checks whether the proof attests that kG = [k]G.
func Verify(myGroup group.Group, G, kG group.Element, p Proof, userID, otherInfo []byte) bool {
	c := calcChallenge(myGroup, G, p.V, kG, userID, otherInfo)

	rG := myGroup.NewElement()
	rG.Mul(G, p.R)

	ckG := myGroup.NewElement()
	ckG.Mul(kG, c)

	rG.Add(rG, ckG)

	return p.V.IsEqual(rG)
}