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
|
using System;
using System.Collections.Generic;
using Org.BouncyCastle.Utilities;
namespace Org.BouncyCastle.Asn1.X9
{
public class DHDomainParameters
: Asn1Encodable
{
private readonly DerInteger p, g, q, j;
private readonly DHValidationParms validationParms;
public static DHDomainParameters GetInstance(Asn1TaggedObject obj, bool isExplicit)
{
return GetInstance(Asn1Sequence.GetInstance(obj, isExplicit));
}
public static DHDomainParameters GetInstance(object obj)
{
if (obj == null || obj is DHDomainParameters)
return (DHDomainParameters)obj;
if (obj is Asn1Sequence)
return new DHDomainParameters((Asn1Sequence)obj);
throw new ArgumentException("Invalid DHDomainParameters: " + Platform.GetTypeName(obj), "obj");
}
public DHDomainParameters(DerInteger p, DerInteger g, DerInteger q, DerInteger j,
DHValidationParms validationParms)
{
if (p == null)
throw new ArgumentNullException("p");
if (g == null)
throw new ArgumentNullException("g");
if (q == null)
throw new ArgumentNullException("q");
this.p = p;
this.g = g;
this.q = q;
this.j = j;
this.validationParms = validationParms;
}
private DHDomainParameters(Asn1Sequence seq)
{
if (seq.Count < 3 || seq.Count > 5)
throw new ArgumentException("Bad sequence size: " + seq.Count, "seq");
var e = seq.GetEnumerator();
this.p = DerInteger.GetInstance(GetNext(e));
this.g = DerInteger.GetInstance(GetNext(e));
this.q = DerInteger.GetInstance(GetNext(e));
Asn1Encodable next = GetNext(e);
if (next != null && next is DerInteger)
{
this.j = DerInteger.GetInstance(next);
next = GetNext(e);
}
if (next != null)
{
this.validationParms = DHValidationParms.GetInstance(next.ToAsn1Object());
}
}
private static Asn1Encodable GetNext(IEnumerator<Asn1Encodable> e)
{
return e.MoveNext() ? (Asn1Encodable)e.Current : null;
}
public DerInteger P
{
get { return this.p; }
}
public DerInteger G
{
get { return this.g; }
}
public DerInteger Q
{
get { return this.q; }
}
public DerInteger J
{
get { return this.j; }
}
public DHValidationParms ValidationParms
{
get { return this.validationParms; }
}
public override Asn1Object ToAsn1Object()
{
Asn1EncodableVector v = new Asn1EncodableVector(p, g, q);
v.AddOptional(j, validationParms);
return new DerSequence(v);
}
}
}
|