-
Notifications
You must be signed in to change notification settings - Fork 268
/
Copy pathscrypt.go
66 lines (57 loc) · 1.64 KB
/
scrypt.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
package kdf
import (
"fmt"
"math"
"github.com/pkg/errors"
)
const (
bcryptHash = "2a"
scryptHash = "scrypt"
scryptHash16384 = "scrypt-16384"
scryptHash32768 = "scrypt-32768"
scryptHash65536 = "scrypt-65536"
)
var (
// ScryptMaxCost the maximum value for ln. Maximum is set to avoid
// panics due to not enough memory errors. Memory used is ~4*32*(2^ln)*r
// bytes.
ScryptMaxCost = 20
// ScryptMaxBlockSize is the maximum value for r. The maximum is set to
// avoid panics due to not enough memory errors. Memory used is
// ~4*32*(2^ln)*r bytes.
ScryptMaxBlockSize = 32
// ScryptMaxParallelism is the maximum value for p.
ScryptMaxParallelism = 32
)
var scryptParams = map[string]scryptParam{
scryptHash16384: {16384, 8, 1, 32},
scryptHash32768: {32768, 8, 1, 32},
scryptHash65536: {65536, 8, 1, 32},
}
type scryptParam struct {
N, r, p int
kl int
}
func newScryptParams(s string) (*scryptParam, error) {
params := phcParamsToMap(s)
ln, err := phcAtoi(params["ln"], 16)
if err != nil || ln < 1 || ln > ScryptMaxCost {
return nil, errors.Errorf("invalid scrypt parameter ln=%s", params["ln"])
}
r, err := phcAtoi(params["r"], 8)
if err != nil || r < 1 || r > ScryptMaxBlockSize {
return nil, errors.Errorf("invalid scrypt parameter r=%s", params["r"])
}
p, err := phcAtoi(params["p"], 1)
if err != nil || p < 1 || p > ScryptMaxParallelism {
return nil, errors.Errorf("invalid scrypt parameter p=%s", params["p"])
}
return &scryptParam{
N: int(math.Pow(2, float64(ln))),
r: r,
p: p,
}, nil
}
func (s *scryptParam) getParams() string {
return fmt.Sprintf("ln=%d,r=%d,p=%d", int(math.Log2(float64(s.N))), s.r, s.p)
}