c2pa_crypto/ocsp/mod.rs
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 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293
// Copyright 2022 Adobe. All rights reserved.
// This file is licensed to you under the Apache License,
// Version 2.0 (http://www.apache.org/licenses/LICENSE-2.0)
// or the MIT license (http://opensource.org/licenses/MIT),
// at your option.
// Unless required by applicable law or agreed to in writing,
// this software is distributed on an "AS IS" BASIS, WITHOUT
// WARRANTIES OR REPRESENTATIONS OF ANY KIND, either express or
// implied. See the LICENSE-MIT and LICENSE-APACHE files for the
// specific language governing permissions and limitations under
// each license.
//! Tools for working with OCSP responses.
use c2pa_status_tracker::{log_item, validation_codes, DetailedStatusTracker, StatusTracker};
use chrono::{DateTime, NaiveDateTime, Utc};
use rasn_ocsp::{BasicOcspResponse, CertStatus, OcspResponseStatus};
use rasn_pkix::CrlReason;
use thiserror::Error;
use crate::internal::time;
/// OcspResponse - struct to contain the OCSPResponse DER and the time
/// for the next OCSP check
pub struct OcspResponse {
/// Original OCSP DER response.
pub ocsp_der: Vec<u8>,
/// Time when OCSP response should be re-checked.
pub next_update: DateTime<Utc>,
/// Time when certificate was revoked, if applicable.
pub revoked_at: Option<DateTime<Utc>>,
/// OCSP certificate chain.
pub ocsp_certs: Option<Vec<Vec<u8>>>,
}
impl Default for OcspResponse {
fn default() -> Self {
Self {
ocsp_der: Vec::new(),
next_update: time::utc_now(),
revoked_at: None,
ocsp_certs: None,
}
}
}
impl OcspResponse {
/// Convert an OCSP response in DER format to `OcspResponse`.
pub(crate) fn from_der_checked(
der: &[u8],
signing_time: Option<DateTime<Utc>>,
validation_log: &mut impl StatusTracker,
) -> Result<Self, OcspError> {
let mut output = OcspResponse {
ocsp_der: der.to_vec(),
..Default::default()
};
// Per spec if we cannot interpret the OCSP data, we must treat it as if it did
// not exist.
let Ok(ocsp_response) = rasn::der::decode::<rasn_ocsp::OcspResponse>(der) else {
return Ok(output);
};
if ocsp_response.status != OcspResponseStatus::Successful {
return Ok(output);
}
let Some(response_bytes) = ocsp_response.bytes else {
return Ok(output);
};
let Ok(basic_response) = rasn::der::decode::<BasicOcspResponse>(&response_bytes.response)
else {
return Ok(output);
};
let mut internal_validation_log = DetailedStatusTracker::default();
let response_data = &basic_response.tbs_response_data;
// get OCSP cert chain if available
if let Some(ocsp_certs) = &basic_response.certs {
let mut cert_der_vec = Vec::new();
for ocsp_cert in ocsp_certs {
let cert_der =
rasn::der::encode(ocsp_cert).map_err(|_e| OcspError::InvalidCertificate)?;
cert_der_vec.push(cert_der);
}
if output.ocsp_certs.is_none() {
output.ocsp_certs = Some(cert_der_vec);
}
}
for single_response in &response_data.responses {
let cert_status = &single_response.cert_status;
match cert_status {
CertStatus::Good => {
// check cert range against signing time
let this_update = NaiveDateTime::parse_from_str(
&single_response.this_update.to_string(),
DATE_FMT,
)
.map_err(|_e| OcspError::InvalidCertificate)?
.and_utc()
.timestamp();
let next_update = if let Some(nu) = &single_response.next_update {
NaiveDateTime::parse_from_str(&nu.to_string(), DATE_FMT)
.map_err(|_e| OcspError::InvalidCertificate)?
.and_utc()
.timestamp()
} else {
this_update
};
// Was signing time within the acceptable range?
let in_range = if let Some(st) = signing_time {
st.timestamp() < this_update
|| (st.timestamp() >= this_update && st.timestamp() <= next_update)
} else {
// If no signing time was provided, use current system time.
let now = time::utc_now().timestamp();
now >= this_update && now <= next_update
};
if let Some(nu) = &single_response.next_update {
let nu_utc = nu.naive_utc();
output.next_update = DateTime::from_naive_utc_and_offset(nu_utc, Utc);
}
if !in_range {
log_item!(
"OCSP_RESPONSE",
"certificate revoked",
"check_ocsp_response"
)
.validation_status(validation_codes::SIGNING_CREDENTIAL_REVOKED)
.failure_no_throw(
&mut internal_validation_log,
OcspError::CertificateRevoked,
);
} else {
// As soon as we find one successful match, nothing else matters.
return Ok(output);
}
}
CertStatus::Revoked(revoked_info) => {
if let Some(reason) = revoked_info.revocation_reason {
if reason == CrlReason::RemoveFromCRL {
let revocation_time = &revoked_info.revocation_time;
let revoked_at = NaiveDateTime::parse_from_str(
&revocation_time.to_string(),
DATE_FMT,
)
.map_err(|_e| OcspError::InvalidCertificate)?
.and_utc()
.timestamp();
// Was signing time prior to revocation?
let in_range = if let Some(st) = signing_time {
revoked_at > st.timestamp()
} else {
// No signing time was provided; use current system time.
let now = time::utc_now().timestamp();
revoked_at > now
};
if !in_range {
let revoked_at_native = NaiveDateTime::parse_from_str(
&revocation_time.to_string(),
DATE_FMT,
)
.map_err(|_e| OcspError::InvalidCertificate)?;
let utc_with_offset: DateTime<Utc> =
DateTime::from_naive_utc_and_offset(revoked_at_native, Utc);
let msg = format!("certificate revoked at: {}", utc_with_offset);
log_item!("OCSP_RESPONSE", msg, "check_ocsp_response")
.validation_status(validation_codes::SIGNING_CREDENTIAL_REVOKED)
.failure_no_throw(
&mut internal_validation_log,
OcspError::CertificateRevoked,
);
output.revoked_at = Some(DateTime::from_naive_utc_and_offset(
revoked_at_native,
Utc,
));
}
} else {
let Ok(revoked_at_native) = NaiveDateTime::parse_from_str(
&revoked_info.revocation_time.to_string(),
DATE_FMT,
) else {
return Err(OcspError::InvalidCertificate);
};
let utc_with_offset: DateTime<Utc> =
DateTime::from_naive_utc_and_offset(revoked_at_native, Utc);
// Was the cert signed before revocation?
let in_range = if let Some(st) = signing_time {
st.timestamp() < utc_with_offset.timestamp()
} else {
false
};
if !in_range {
log_item!(
"OCSP_RESPONSE",
format!("certificate revoked at: {}", utc_with_offset),
"check_ocsp_response"
)
.validation_status(validation_codes::SIGNING_CREDENTIAL_REVOKED)
.failure_no_throw(
&mut internal_validation_log,
OcspError::CertificateRevoked,
);
output.revoked_at = Some(DateTime::from_naive_utc_and_offset(
revoked_at_native,
Utc,
));
} else {
// As soon as we find one successful match, we're done.
return Ok(output);
}
}
} else {
log_item!(
"OCSP_RESPONSE",
"certificate revoked",
"check_ocsp_response"
)
.validation_status(validation_codes::SIGNING_CREDENTIAL_REVOKED)
.failure_no_throw(
&mut internal_validation_log,
OcspError::CertificateRevoked,
);
}
}
CertStatus::Unknown(_) => return Err(OcspError::CertificateStatusUnknown),
}
}
// We did not find a viable match; return all the diagnostic log information.
validation_log.append(&internal_validation_log);
Ok(output)
}
}
/// Describes errors that can be identified when parsing an OCSP response.
#[derive(Debug, Eq, Error, PartialEq)]
#[allow(unused)] // InvalidSystemTime may not exist on all platforms.
pub(crate) enum OcspError {
/// An invalid certificate was detected.
#[error("Invalid certificate detected")]
InvalidCertificate,
/// The system time was invalid (making validation impossible).
#[error("Invalid system time")]
InvalidSystemTime,
/// The certificate has been revoked.
#[error("Certificate revoked")]
CertificateRevoked,
/// The certificate's status can not be determined.
#[error("Unknown certificate status")]
CertificateStatusUnknown,
}
const DATE_FMT: &str = "%Y-%m-%d %H:%M:%S %Z";
#[cfg(not(target_arch = "wasm32"))]
mod fetch;
#[cfg(not(target_arch = "wasm32"))]
pub(crate) use fetch::fetch_ocsp_response;