1 // Copyright (c) 2012 The Chromium Authors. All rights reserved.
2 // Use of this source code is governed by a BSD-style license that can be
3 // found in the LICENSE file.
5 #include "net/cert/x509_certificate.h"
14 #include "base/base64.h"
15 #include "base/lazy_instance.h"
16 #include "base/logging.h"
17 #include "base/memory/scoped_ptr.h"
18 #include "base/memory/singleton.h"
19 #include "base/metrics/histogram.h"
20 #include "base/pickle.h"
21 #include "base/sha1.h"
22 #include "base/strings/string_piece.h"
23 #include "base/strings/string_util.h"
24 #include "base/synchronization/lock.h"
25 #include "base/time/time.h"
26 #include "crypto/secure_hash.h"
27 #include "net/base/net_util.h"
28 #include "net/base/registry_controlled_domains/registry_controlled_domain.h"
29 #include "net/cert/pem_tokenizer.h"
30 #include "url/url_canon.h"
36 // Indicates the order to use when trying to decode binary data, which is
37 // based on (speculation) as to what will be most common -> least common
38 const X509Certificate::Format kFormatDecodePriority
[] = {
39 X509Certificate::FORMAT_SINGLE_CERTIFICATE
,
40 X509Certificate::FORMAT_PKCS7
43 // The PEM block header used for DER certificates
44 const char kCertificateHeader
[] = "CERTIFICATE";
45 // The PEM block header used for PKCS#7 data
46 const char kPKCS7Header
[] = "PKCS7";
49 // A thread-safe cache for OS certificate handles.
51 // Within each of the supported underlying crypto libraries, a certificate
52 // handle is represented as a ref-counted object that contains the parsed
53 // data for the certificate. In addition, the underlying OS handle may also
54 // contain a copy of the original ASN.1 DER used to constructed the handle.
56 // In order to reduce the memory usage when multiple SSL connections exist,
57 // with each connection storing the server's identity certificate plus any
58 // intermediates supplied, the certificate handles are cached. Any two
59 // X509Certificates that were created from the same ASN.1 DER data,
60 // regardless of where that data came from, will share the same underlying
61 // OS certificate handle.
62 class X509CertificateCache
{
64 // Performs a compare-and-swap like operation. If an OS certificate handle
65 // for the same certificate data as |*cert_handle| already exists in the
66 // cache, the original |*cert_handle| will be freed and |cert_handle|
67 // will be updated to point to a duplicated reference to the existing cached
68 // certificate, with the caller taking ownership of this duplicated handle.
69 // If an equivalent OS certificate handle is not found, a duplicated
70 // reference to |*cert_handle| will be added to the cache. In either case,
71 // upon return, the caller fully owns |*cert_handle| and is responsible for
72 // calling FreeOSCertHandle(), after first calling Remove().
73 void InsertOrUpdate(X509Certificate::OSCertHandle
* cert_handle
);
75 // Decrements the cache reference count for |cert_handle|, a handle that was
76 // previously obtained by calling InsertOrUpdate(). If this is the last
77 // cached reference held, this will remove the handle from the cache. The
78 // caller retains ownership of |cert_handle| and remains responsible for
79 // calling FreeOSCertHandle() to release the underlying OS certificate
80 void Remove(X509Certificate::OSCertHandle cert_handle
);
83 // A single entry in the cache. Certificates will be keyed by their SHA1
84 // fingerprints, but will not be considered equivalent unless the entire
85 // certificate data matches.
87 Entry() : cert_handle(NULL
), ref_count(0) {}
89 X509Certificate::OSCertHandle cert_handle
;
91 // Increased by each call to InsertOrUpdate(), and balanced by each call
92 // to Remove(). When it equals 0, all references created by
93 // InsertOrUpdate() have been released, so the cache entry will be removed
94 // the cached OS certificate handle will be freed.
97 typedef std::map
<SHA1HashValue
, Entry
, SHA1HashValueLessThan
> CertMap
;
99 // Obtain an instance of X509CertificateCache via a LazyInstance.
100 X509CertificateCache() {}
101 ~X509CertificateCache() {}
102 friend struct base::DefaultLazyInstanceTraits
<X509CertificateCache
>;
104 // You must acquire this lock before using any private data of this object
105 // You must not block while holding this lock.
108 // The certificate cache. You must acquire |lock_| before using |cache_|.
111 DISALLOW_COPY_AND_ASSIGN(X509CertificateCache
);
114 base::LazyInstance
<X509CertificateCache
>::Leaky
115 g_x509_certificate_cache
= LAZY_INSTANCE_INITIALIZER
;
117 void X509CertificateCache::InsertOrUpdate(
118 X509Certificate::OSCertHandle
* cert_handle
) {
120 SHA1HashValue fingerprint
=
121 X509Certificate::CalculateFingerprint(*cert_handle
);
123 X509Certificate::OSCertHandle old_handle
= NULL
;
125 base::AutoLock
lock(lock_
);
126 CertMap::iterator pos
= cache_
.find(fingerprint
);
127 if (pos
== cache_
.end()) {
128 // A cached entry was not found, so initialize a new entry. The entry
129 // assumes ownership of the current |*cert_handle|.
131 cache_entry
.cert_handle
= *cert_handle
;
132 cache_entry
.ref_count
= 0;
133 CertMap::value_type
cache_value(fingerprint
, cache_entry
);
134 pos
= cache_
.insert(cache_value
).first
;
137 X509Certificate::IsSameOSCert(*cert_handle
, pos
->second
.cert_handle
);
139 // Two certificates don't match, due to a SHA1 hash collision. Given
140 // the low probability, the simplest solution is to not cache the
141 // certificate, which should not affect performance too negatively.
144 // A cached entry was found and will be used instead of the caller's
145 // handle. Ensure the caller's original handle will be freed, since
146 // ownership is assumed.
147 old_handle
= *cert_handle
;
149 // Whether an existing cached handle or a new handle, increment the
150 // cache's reference count and return a handle that the caller can own.
151 ++pos
->second
.ref_count
;
152 *cert_handle
= X509Certificate::DupOSCertHandle(pos
->second
.cert_handle
);
154 // If the caller's handle was replaced with a cached handle, free the
155 // original handle now. This is done outside of the lock because
156 // |old_handle| may be the only handle for this particular certificate, so
157 // freeing it may be complex or resource-intensive and does not need to
158 // be guarded by the lock.
160 X509Certificate::FreeOSCertHandle(old_handle
);
162 LOCAL_HISTOGRAM_BOOLEAN("X509CertificateReuseCount", true);
167 void X509CertificateCache::Remove(X509Certificate::OSCertHandle cert_handle
) {
168 SHA1HashValue fingerprint
=
169 X509Certificate::CalculateFingerprint(cert_handle
);
170 base::AutoLock
lock(lock_
);
172 CertMap::iterator pos
= cache_
.find(fingerprint
);
173 if (pos
== cache_
.end())
174 return; // A hash collision where the winning cert was already freed.
176 bool is_same_cert
= X509Certificate::IsSameOSCert(cert_handle
,
177 pos
->second
.cert_handle
);
179 return; // A hash collision where the winning cert is still around.
181 if (--pos
->second
.ref_count
== 0) {
182 // The last reference to |cert_handle| has been removed, so release the
183 // Entry's OS handle and remove the Entry. The caller still holds a
184 // reference to |cert_handle| and is responsible for freeing it.
185 X509Certificate::FreeOSCertHandle(pos
->second
.cert_handle
);
189 #endif // !defined(USE_NSS)
191 // See X509CertificateCache::InsertOrUpdate. NSS has a built-in cache, so there
192 // is no point in wrapping another cache around it.
193 void InsertOrUpdateCache(X509Certificate::OSCertHandle
* cert_handle
) {
194 #if !defined(USE_NSS)
195 g_x509_certificate_cache
.Pointer()->InsertOrUpdate(cert_handle
);
199 // See X509CertificateCache::Remove.
200 void RemoveFromCache(X509Certificate::OSCertHandle cert_handle
) {
201 #if !defined(USE_NSS)
202 g_x509_certificate_cache
.Pointer()->Remove(cert_handle
);
206 // Utility to split |src| on the first occurrence of |c|, if any. |right| will
207 // either be empty if |c| was not found, or will contain the remainder of the
208 // string including the split character itself.
209 void SplitOnChar(const base::StringPiece
& src
,
211 base::StringPiece
* left
,
212 base::StringPiece
* right
) {
213 size_t pos
= src
.find(c
);
214 if (pos
== base::StringPiece::npos
) {
218 *left
= src
.substr(0, pos
);
219 *right
= src
.substr(pos
);
225 bool X509Certificate::LessThan::operator()(
226 const scoped_refptr
<X509Certificate
>& lhs
,
227 const scoped_refptr
<X509Certificate
>& rhs
) const {
228 if (lhs
.get() == rhs
.get())
231 int rv
= memcmp(lhs
->fingerprint_
.data
, rhs
->fingerprint_
.data
,
232 sizeof(lhs
->fingerprint_
.data
));
236 rv
= memcmp(lhs
->ca_fingerprint_
.data
, rhs
->ca_fingerprint_
.data
,
237 sizeof(lhs
->ca_fingerprint_
.data
));
241 X509Certificate::X509Certificate(const std::string
& subject
,
242 const std::string
& issuer
,
243 base::Time start_date
,
244 base::Time expiration_date
)
247 valid_start_(start_date
),
248 valid_expiry_(expiration_date
),
250 memset(fingerprint_
.data
, 0, sizeof(fingerprint_
.data
));
251 memset(ca_fingerprint_
.data
, 0, sizeof(ca_fingerprint_
.data
));
255 X509Certificate
* X509Certificate::CreateFromHandle(
256 OSCertHandle cert_handle
,
257 const OSCertHandles
& intermediates
) {
259 return new X509Certificate(cert_handle
, intermediates
);
263 X509Certificate
* X509Certificate::CreateFromDERCertChain(
264 const std::vector
<base::StringPiece
>& der_certs
) {
265 if (der_certs
.empty())
268 X509Certificate::OSCertHandles intermediate_ca_certs
;
269 for (size_t i
= 1; i
< der_certs
.size(); i
++) {
270 OSCertHandle handle
= CreateOSCertHandleFromBytes(
271 const_cast<char*>(der_certs
[i
].data()), der_certs
[i
].size());
274 intermediate_ca_certs
.push_back(handle
);
277 OSCertHandle handle
= NULL
;
278 // Return NULL if we failed to parse any of the certs.
279 if (der_certs
.size() - 1 == intermediate_ca_certs
.size()) {
280 handle
= CreateOSCertHandleFromBytes(
281 const_cast<char*>(der_certs
[0].data()), der_certs
[0].size());
284 X509Certificate
* cert
= NULL
;
286 cert
= CreateFromHandle(handle
, intermediate_ca_certs
);
287 FreeOSCertHandle(handle
);
290 for (size_t i
= 0; i
< intermediate_ca_certs
.size(); i
++)
291 FreeOSCertHandle(intermediate_ca_certs
[i
]);
297 X509Certificate
* X509Certificate::CreateFromBytes(const char* data
,
299 OSCertHandle cert_handle
= CreateOSCertHandleFromBytes(data
, length
);
303 X509Certificate
* cert
= CreateFromHandle(cert_handle
, OSCertHandles());
304 FreeOSCertHandle(cert_handle
);
309 X509Certificate
* X509Certificate::CreateFromPickle(const Pickle
& pickle
,
310 PickleIterator
* pickle_iter
,
312 if (type
== PICKLETYPE_CERTIFICATE_CHAIN_V3
) {
313 int chain_length
= 0;
314 if (!pickle_iter
->ReadLength(&chain_length
))
317 std::vector
<base::StringPiece
> cert_chain
;
318 const char* data
= NULL
;
320 for (int i
= 0; i
< chain_length
; ++i
) {
321 if (!pickle_iter
->ReadData(&data
, &data_length
))
323 cert_chain
.push_back(base::StringPiece(data
, data_length
));
325 return CreateFromDERCertChain(cert_chain
);
328 // Legacy / Migration code. This should eventually be removed once
329 // sufficient time has passed that all pickles serialized prior to
330 // PICKLETYPE_CERTIFICATE_CHAIN_V3 have been removed.
331 OSCertHandle cert_handle
= ReadOSCertHandleFromPickle(pickle_iter
);
335 OSCertHandles intermediates
;
336 uint32 num_intermediates
= 0;
337 if (type
!= PICKLETYPE_SINGLE_CERTIFICATE
) {
338 if (!pickle_iter
->ReadUInt32(&num_intermediates
)) {
339 FreeOSCertHandle(cert_handle
);
343 #if defined(OS_POSIX) && !defined(OS_MACOSX) && defined(__x86_64__)
344 // On 64-bit Linux (and any other 64-bit platforms), the intermediate count
345 // might really be a 64-bit field since we used to use Pickle::WriteSize(),
346 // which writes either 32 or 64 bits depending on the architecture. Since
347 // x86-64 is little-endian, if that happens, the next 32 bits will be all
348 // zeroes (the high bits) and the 32 bits we already read above are the
349 // correct value (we assume there are never more than 2^32 - 1 intermediate
350 // certificates in a chain; in practice, more than a dozen or so is
351 // basically unheard of). Since it's invalid for a certificate to start with
352 // 32 bits of zeroes, we check for that here and skip it if we find it. We
353 // save a copy of the pickle iterator to restore in case we don't get 32
354 // bits of zeroes. Now we always write 32 bits, so after a while, these old
355 // cached pickles will all get replaced.
356 // TODO(mdm): remove this compatibility code in April 2013 or so.
357 PickleIterator saved_iter
= *pickle_iter
;
358 uint32 zero_check
= 0;
359 if (!pickle_iter
->ReadUInt32(&zero_check
)) {
360 // This may not be an error. If there are no intermediates, and we're
361 // reading an old 32-bit pickle, and there's nothing else after this in
362 // the pickle, we should report success. Note that it is technically
363 // possible for us to skip over zeroes that should have occurred after
364 // an empty certificate list; to avoid this going forward, only do this
365 // backward-compatibility stuff for PICKLETYPE_CERTIFICATE_CHAIN_V1
366 // which comes from the pickle version number in http_response_info.cc.
367 if (num_intermediates
) {
368 FreeOSCertHandle(cert_handle
);
373 *pickle_iter
= saved_iter
;
374 #endif // defined(OS_POSIX) && !defined(OS_MACOSX) && defined(__x86_64__)
376 for (uint32 i
= 0; i
< num_intermediates
; ++i
) {
377 OSCertHandle intermediate
= ReadOSCertHandleFromPickle(pickle_iter
);
380 intermediates
.push_back(intermediate
);
384 X509Certificate
* cert
= NULL
;
385 if (intermediates
.size() == num_intermediates
)
386 cert
= CreateFromHandle(cert_handle
, intermediates
);
387 FreeOSCertHandle(cert_handle
);
388 for (size_t i
= 0; i
< intermediates
.size(); ++i
)
389 FreeOSCertHandle(intermediates
[i
]);
395 CertificateList
X509Certificate::CreateCertificateListFromBytes(
396 const char* data
, int length
, int format
) {
397 OSCertHandles certificates
;
399 // Check to see if it is in a PEM-encoded form. This check is performed
400 // first, as both OS X and NSS will both try to convert if they detect
401 // PEM encoding, except they don't do it consistently between the two.
402 base::StringPiece
data_string(data
, length
);
403 std::vector
<std::string
> pem_headers
;
405 // To maintain compatibility with NSS/Firefox, CERTIFICATE is a universally
406 // valid PEM block header for any format.
407 pem_headers
.push_back(kCertificateHeader
);
408 if (format
& FORMAT_PKCS7
)
409 pem_headers
.push_back(kPKCS7Header
);
411 PEMTokenizer
pem_tok(data_string
, pem_headers
);
412 while (pem_tok
.GetNext()) {
413 std::string
decoded(pem_tok
.data());
415 OSCertHandle handle
= NULL
;
416 if (format
& FORMAT_PEM_CERT_SEQUENCE
)
417 handle
= CreateOSCertHandleFromBytes(decoded
.c_str(), decoded
.size());
418 if (handle
!= NULL
) {
419 // Parsed a DER encoded certificate. All PEM blocks that follow must
420 // also be DER encoded certificates wrapped inside of PEM blocks.
421 format
= FORMAT_PEM_CERT_SEQUENCE
;
422 certificates
.push_back(handle
);
426 // If the first block failed to parse as a DER certificate, and
427 // formats other than PEM are acceptable, check to see if the decoded
428 // data is one of the accepted formats.
429 if (format
& ~FORMAT_PEM_CERT_SEQUENCE
) {
430 for (size_t i
= 0; certificates
.empty() &&
431 i
< arraysize(kFormatDecodePriority
); ++i
) {
432 if (format
& kFormatDecodePriority
[i
]) {
433 certificates
= CreateOSCertHandlesFromBytes(decoded
.c_str(),
434 decoded
.size(), kFormatDecodePriority
[i
]);
439 // Stop parsing after the first block for any format but a sequence of
440 // PEM-encoded DER certificates. The case of FORMAT_PEM_CERT_SEQUENCE
441 // is handled above, and continues processing until a certificate fails
446 // Try each of the formats, in order of parse preference, to see if |data|
447 // contains the binary representation of a Format, if it failed to parse
448 // as a PEM certificate/chain.
449 for (size_t i
= 0; certificates
.empty() &&
450 i
< arraysize(kFormatDecodePriority
); ++i
) {
451 if (format
& kFormatDecodePriority
[i
])
452 certificates
= CreateOSCertHandlesFromBytes(data
, length
,
453 kFormatDecodePriority
[i
]);
456 CertificateList results
;
457 // No certificates parsed.
458 if (certificates
.empty())
461 for (OSCertHandles::iterator it
= certificates
.begin();
462 it
!= certificates
.end(); ++it
) {
463 X509Certificate
* result
= CreateFromHandle(*it
, OSCertHandles());
464 results
.push_back(scoped_refptr
<X509Certificate
>(result
));
465 FreeOSCertHandle(*it
);
471 void X509Certificate::Persist(Pickle
* pickle
) {
472 DCHECK(cert_handle_
);
473 // This would be an absolutely insane number of intermediates.
474 if (intermediate_ca_certs_
.size() > static_cast<size_t>(INT_MAX
) - 1) {
478 if (!pickle
->WriteInt(
479 static_cast<int>(intermediate_ca_certs_
.size() + 1)) ||
480 !WriteOSCertHandleToPickle(cert_handle_
, pickle
)) {
484 for (size_t i
= 0; i
< intermediate_ca_certs_
.size(); ++i
) {
485 if (!WriteOSCertHandleToPickle(intermediate_ca_certs_
[i
], pickle
)) {
492 void X509Certificate::GetDNSNames(std::vector
<std::string
>* dns_names
) const {
493 GetSubjectAltName(dns_names
, NULL
);
494 if (dns_names
->empty())
495 dns_names
->push_back(subject_
.common_name
);
498 bool X509Certificate::HasExpired() const {
499 return base::Time::Now() > valid_expiry();
502 bool X509Certificate::Equals(const X509Certificate
* other
) const {
503 return IsSameOSCert(cert_handle_
, other
->cert_handle_
);
507 bool X509Certificate::VerifyHostname(
508 const std::string
& hostname
,
509 const std::string
& cert_common_name
,
510 const std::vector
<std::string
>& cert_san_dns_names
,
511 const std::vector
<std::string
>& cert_san_ip_addrs
,
512 bool* common_name_fallback_used
) {
513 DCHECK(!hostname
.empty());
514 // Perform name verification following http://tools.ietf.org/html/rfc6125.
515 // The terminology used in this method is as per that RFC:-
516 // Reference identifier == the host the local user/agent is intending to
517 // access, i.e. the thing displayed in the URL bar.
518 // Presented identifier(s) == name(s) the server knows itself as, in its cert.
520 // CanonicalizeHost requires surrounding brackets to parse an IPv6 address.
521 const std::string host_or_ip
= hostname
.find(':') != std::string::npos
?
522 "[" + hostname
+ "]" : hostname
;
523 url::CanonHostInfo host_info
;
524 std::string reference_name
= CanonicalizeHost(host_or_ip
, &host_info
);
525 // CanonicalizeHost does not normalize absolute vs relative DNS names. If
526 // the input name was absolute (included trailing .), normalize it as if it
528 if (!reference_name
.empty() && *reference_name
.rbegin() == '.')
529 reference_name
.resize(reference_name
.size() - 1);
530 if (reference_name
.empty())
533 // Allow fallback to Common name matching?
534 const bool common_name_fallback
= cert_san_dns_names
.empty() &&
535 cert_san_ip_addrs
.empty();
536 *common_name_fallback_used
= common_name_fallback
;
538 // Fully handle all cases where |hostname| contains an IP address.
539 if (host_info
.IsIPAddress()) {
540 if (common_name_fallback
&& host_info
.family
== url::CanonHostInfo::IPV4
) {
541 // Fallback to Common name matching. As this is deprecated and only
542 // supported for compatibility refuse it for IPv6 addresses.
543 return reference_name
== cert_common_name
;
545 base::StringPiece
ip_addr_string(
546 reinterpret_cast<const char*>(host_info
.address
),
547 host_info
.AddressLength());
548 return std::find(cert_san_ip_addrs
.begin(), cert_san_ip_addrs
.end(),
549 ip_addr_string
) != cert_san_ip_addrs
.end();
552 // |reference_domain| is the remainder of |host| after the leading host
553 // component is stripped off, but includes the leading dot e.g.
554 // "www.f.com" -> ".f.com".
555 // If there is no meaningful domain part to |host| (e.g. it contains no dots)
556 // then |reference_domain| will be empty.
557 base::StringPiece reference_host
, reference_domain
;
558 SplitOnChar(reference_name
, '.', &reference_host
, &reference_domain
);
559 bool allow_wildcards
= false;
560 if (!reference_domain
.empty()) {
561 DCHECK(reference_domain
.starts_with("."));
563 // Do not allow wildcards for public/ICANN registry controlled domains -
564 // that is, prevent *.com or *.co.uk as valid presented names, but do not
565 // prevent *.appspot.com (a private registry controlled domain).
566 // In addition, unknown top-level domains (such as 'intranet' domains or
567 // new TLDs/gTLDs not yet added to the registry controlled domain dataset)
568 // are also implicitly prevented.
569 // Because |reference_domain| must contain at least one name component that
570 // is not registry controlled, this ensures that all reference domains
571 // contain at least three domain components when using wildcards.
572 size_t registry_length
=
573 registry_controlled_domains::GetRegistryLength(
575 registry_controlled_domains::INCLUDE_UNKNOWN_REGISTRIES
,
576 registry_controlled_domains::EXCLUDE_PRIVATE_REGISTRIES
);
578 // Because |reference_name| was already canonicalized, the following
579 // should never happen.
580 CHECK_NE(std::string::npos
, registry_length
);
582 // Account for the leading dot in |reference_domain|.
583 bool is_registry_controlled
=
584 registry_length
!= 0 &&
585 registry_length
== (reference_domain
.size() - 1);
587 // Additionally, do not attempt wildcard matching for purely numeric
590 !is_registry_controlled
&&
591 reference_name
.find_first_not_of("0123456789.") != std::string::npos
;
594 // Now step through the DNS names doing wild card comparison (if necessary)
595 // on each against the reference name. If subjectAltName is empty, then
596 // fallback to use the common name instead.
597 std::vector
<std::string
> common_name_as_vector
;
598 const std::vector
<std::string
>* presented_names
= &cert_san_dns_names
;
599 if (common_name_fallback
) {
600 // Note: there's a small possibility cert_common_name is an international
601 // domain name in non-standard encoding (e.g. UTF8String or BMPString
602 // instead of A-label). As common name fallback is deprecated we're not
603 // doing anything specific to deal with this.
604 common_name_as_vector
.push_back(cert_common_name
);
605 presented_names
= &common_name_as_vector
;
607 for (std::vector
<std::string
>::const_iterator it
=
608 presented_names
->begin();
609 it
!= presented_names
->end(); ++it
) {
610 // Catch badly corrupt cert names up front.
611 if (it
->empty() || it
->find('\0') != std::string::npos
) {
612 DVLOG(1) << "Bad name in cert: " << *it
;
615 std::string
presented_name(base::StringToLowerASCII(*it
));
617 // Remove trailing dot, if any.
618 if (*presented_name
.rbegin() == '.')
619 presented_name
.resize(presented_name
.length() - 1);
621 // The hostname must be at least as long as the cert name it is matching,
622 // as we require the wildcard (if present) to match at least one character.
623 if (presented_name
.length() > reference_name
.length())
626 base::StringPiece presented_host
, presented_domain
;
627 SplitOnChar(presented_name
, '.', &presented_host
, &presented_domain
);
629 if (presented_domain
!= reference_domain
)
632 base::StringPiece pattern_begin
, pattern_end
;
633 SplitOnChar(presented_host
, '*', &pattern_begin
, &pattern_end
);
635 if (pattern_end
.empty()) { // No '*' in the presented_host
636 if (presented_host
== reference_host
)
640 pattern_end
.remove_prefix(1); // move past the *
642 if (!allow_wildcards
)
645 // * must not match a substring of an IDN A label; just a whole fragment.
646 if (reference_host
.starts_with("xn--") &&
647 !(pattern_begin
.empty() && pattern_end
.empty()))
650 if (reference_host
.starts_with(pattern_begin
) &&
651 reference_host
.ends_with(pattern_end
))
657 bool X509Certificate::VerifyNameMatch(const std::string
& hostname
,
658 bool* common_name_fallback_used
) const {
659 std::vector
<std::string
> dns_names
, ip_addrs
;
660 GetSubjectAltName(&dns_names
, &ip_addrs
);
661 return VerifyHostname(hostname
, subject_
.common_name
, dns_names
, ip_addrs
,
662 common_name_fallback_used
);
666 bool X509Certificate::GetPEMEncodedFromDER(const std::string
& der_encoded
,
667 std::string
* pem_encoded
) {
668 if (der_encoded
.empty())
670 std::string b64_encoded
;
671 base::Base64Encode(der_encoded
, &b64_encoded
);
672 *pem_encoded
= "-----BEGIN CERTIFICATE-----\n";
674 // Divide the Base-64 encoded data into 64-character chunks, as per
675 // 4.3.2.4 of RFC 1421.
676 static const size_t kChunkSize
= 64;
677 size_t chunks
= (b64_encoded
.size() + (kChunkSize
- 1)) / kChunkSize
;
678 for (size_t i
= 0, chunk_offset
= 0; i
< chunks
;
679 ++i
, chunk_offset
+= kChunkSize
) {
680 pem_encoded
->append(b64_encoded
, chunk_offset
, kChunkSize
);
681 pem_encoded
->append("\n");
683 pem_encoded
->append("-----END CERTIFICATE-----\n");
688 bool X509Certificate::GetPEMEncoded(OSCertHandle cert_handle
,
689 std::string
* pem_encoded
) {
690 std::string der_encoded
;
691 if (!GetDEREncoded(cert_handle
, &der_encoded
))
693 return GetPEMEncodedFromDER(der_encoded
, pem_encoded
);
696 bool X509Certificate::GetPEMEncodedChain(
697 std::vector
<std::string
>* pem_encoded
) const {
698 std::vector
<std::string
> encoded_chain
;
699 std::string pem_data
;
700 if (!GetPEMEncoded(os_cert_handle(), &pem_data
))
702 encoded_chain
.push_back(pem_data
);
703 for (size_t i
= 0; i
< intermediate_ca_certs_
.size(); ++i
) {
704 if (!GetPEMEncoded(intermediate_ca_certs_
[i
], &pem_data
))
706 encoded_chain
.push_back(pem_data
);
708 pem_encoded
->swap(encoded_chain
);
713 SHA256HashValue
X509Certificate::CalculateCAFingerprint256(
714 const OSCertHandles
& intermediates
) {
715 SHA256HashValue sha256
;
716 memset(sha256
.data
, 0, sizeof(sha256
.data
));
718 scoped_ptr
<crypto::SecureHash
> hash(
719 crypto::SecureHash::Create(crypto::SecureHash::SHA256
));
721 for (size_t i
= 0; i
< intermediates
.size(); ++i
) {
722 std::string der_encoded
;
723 if (!GetDEREncoded(intermediates
[i
], &der_encoded
))
725 hash
->Update(der_encoded
.data(), der_encoded
.length());
727 hash
->Finish(sha256
.data
, sizeof(sha256
.data
));
733 SHA256HashValue
X509Certificate::CalculateChainFingerprint256(
735 const OSCertHandles
& intermediates
) {
737 chain
.push_back(leaf
);
738 chain
.insert(chain
.end(), intermediates
.begin(), intermediates
.end());
740 return CalculateCAFingerprint256(chain
);
743 X509Certificate::X509Certificate(OSCertHandle cert_handle
,
744 const OSCertHandles
& intermediates
)
745 : cert_handle_(DupOSCertHandle(cert_handle
)) {
746 InsertOrUpdateCache(&cert_handle_
);
747 for (size_t i
= 0; i
< intermediates
.size(); ++i
) {
748 // Duplicate the incoming certificate, as the caller retains ownership
749 // of |intermediates|.
750 OSCertHandle intermediate
= DupOSCertHandle(intermediates
[i
]);
751 // Update the cache, which will assume ownership of the duplicated
752 // handle and return a suitable equivalent, potentially from the cache.
753 InsertOrUpdateCache(&intermediate
);
754 intermediate_ca_certs_
.push_back(intermediate
);
756 // Platform-specific initialization.
760 X509Certificate::~X509Certificate() {
762 RemoveFromCache(cert_handle_
);
763 FreeOSCertHandle(cert_handle_
);
765 for (size_t i
= 0; i
< intermediate_ca_certs_
.size(); ++i
) {
766 RemoveFromCache(intermediate_ca_certs_
[i
]);
767 FreeOSCertHandle(intermediate_ca_certs_
[i
]);