blob: 1f93a4b8b95f25f46e973bbd1ae50d1b2b7c0252 (
plain)
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
|
/*
* ASN.1 Internals
* (C) 1999-2007 Jack Lloyd
*
* Botan is released under the Simplified BSD License (see license.txt)
*/
#include <botan/asn1_obj.h>
#include <botan/der_enc.h>
#include <botan/data_src.h>
#include <botan/internal/stl_util.h>
namespace Botan {
std::string asn1_tag_to_string(ASN1_Tag type)
{
switch(type)
{
case Botan::PRINTABLE_STRING:
return "PRINTABLE STRING";
case Botan::NUMERIC_STRING:
return "NUMERIC STRING";
case Botan::IA5_STRING:
return "IA5 STRING";
case Botan::T61_STRING:
return "T61 STRING";
case Botan::UTF8_STRING:
return "UTF8 STRING";
case Botan::VISIBLE_STRING:
return "VISIBLE STRING";
case Botan::BMP_STRING:
return "BMP STRING";
case Botan::UTC_TIME:
return "UTC TIME";
case Botan::GENERALIZED_TIME:
return "GENERALIZED TIME";
case Botan::OCTET_STRING:
return "OCTET STRING";
case Botan::BIT_STRING:
return "BIT STRING";
case Botan::ENUMERATED:
return "ENUMERATED";
case Botan::INTEGER:
return "INTEGER";
case Botan::NULL_TAG:
return "NULL";
case Botan::OBJECT_ID:
return "OBJECT";
case Botan::BOOLEAN:
return "BOOLEAN";
default:
return "TAG(" + std::to_string(static_cast<size_t>(type)) + ")";
}
}
/*
* BER Decoding Exceptions
*/
BER_Decoding_Error::BER_Decoding_Error(const std::string& str) :
Decoding_Error("BER: " + str) {}
BER_Bad_Tag::BER_Bad_Tag(const std::string& str, ASN1_Tag tag) :
BER_Decoding_Error(str + ": " + std::to_string(tag)) {}
BER_Bad_Tag::BER_Bad_Tag(const std::string& str,
ASN1_Tag tag1, ASN1_Tag tag2) :
BER_Decoding_Error(str + ": " + std::to_string(tag1) + "/" + std::to_string(tag2)) {}
namespace ASN1 {
/*
* Put some arbitrary bytes into a SEQUENCE
*/
std::vector<uint8_t> put_in_sequence(const std::vector<uint8_t>& contents)
{
return DER_Encoder()
.start_cons(SEQUENCE)
.raw_bytes(contents)
.end_cons()
.get_contents_unlocked();
}
/*
* Convert a BER object into a string object
*/
std::string to_string(const BER_Object& obj)
{
return to_string(obj.value);
}
/*
* Do heuristic tests for BER data
*/
bool maybe_BER(DataSource& source)
{
uint8_t first_u8;
if(!source.peek_byte(first_u8))
{
BOTAN_ASSERT_EQUAL(source.read_byte(first_u8), 0, "Expected EOF");
throw Stream_IO_Error("ASN1::maybe_BER: Source was empty");
}
if(first_u8 == (SEQUENCE | CONSTRUCTED))
return true;
return false;
}
}
}
|