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 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435
//! # Passkey Client
//!
//! [![github]](https://github.com/1Password/passkey-rs/tree/main/passkey-client)
//! [![version]](https://crates.io/crates/passkey-client)
//! [![documentation]](https://docs.rs/passkey-client/)
//!
//! This crate defines a [`Client`] type along with a basic implementation of the [Webauthn]
//! specification. The [`Client`] uses an [`Authenticator`] to perform the actual cryptographic
//! operations, while the Client itself marshals data to and from the structs received from the Relying Party.
//!
//! This crate does not provide any code to perform networking requests to and from Relying Parties.
//!
//! [github]: https://img.shields.io/badge/GitHub-1Password%2Fpasskey--rs%2Fpasskey--client-informational?logo=github&style=flat
//! [version]: https://img.shields.io/crates/v/passkey-client?logo=rust&style=flat
//! [documentation]: https://img.shields.io/docsrs/passkey-client/latest?logo=docs.rs&style=flat
//! [Webauthn]: https://w3c.github.io/webauthn/
use std::borrow::Cow;
use ciborium::{cbor, value::Value};
use coset::{iana::EnumI64, Algorithm};
use passkey_authenticator::{Authenticator, CredentialStore, UserValidationMethod};
use passkey_types::{
crypto::sha256,
ctap2, encoding, webauthn,
webauthn::{AuthenticatorExtensionsClientOutputs, CredentialPropertiesOutput},
Passkey,
};
use typeshare::typeshare;
use url::Url;
#[cfg(test)]
mod tests;
#[typeshare]
#[derive(Debug, serde::Serialize, PartialEq, Eq)]
#[serde(tag = "type", content = "content")]
/// Errors produced by Webauthn Operations.
pub enum WebauthnError {
/// A credential ID can be a maximum of 1023 bytes.
CredentialIdTooLong,
/// The request origin was missing a proper domain part.
OriginMissingDomain,
/// The request origin is not a sub-domain of the RP ID.
OriginRpMissmatch,
/// The origin of the request does not use HTTPS.
UnprotectedOrigin,
/// Origin was set to localhost but allows_insecure_localhost was not set.
InsecureLocalhostNotAllowed,
/// No credential was found
CredentialNotFound,
/// The RP ID is invalid.
InvalidRpId,
/// Internal authenticator error whose value represents a `ctap2::StatusCode`
AuthenticatorError(u8),
}
impl WebauthnError {
/// Was the error a vendor error?
pub fn is_vendor_error(&self) -> bool {
matches!(self, WebauthnError::AuthenticatorError(ctap_error) if ctap2::VendorError::try_from(*ctap_error).is_ok())
}
}
impl From<ctap2::StatusCode> for WebauthnError {
fn from(value: ctap2::StatusCode) -> Self {
match value {
ctap2::StatusCode::Ctap1(u2f) => WebauthnError::AuthenticatorError(u2f.into()),
ctap2::StatusCode::Ctap2(ctap2::Ctap2Code::Known(ctap2::Ctap2Error::NoCredentials)) => {
WebauthnError::CredentialNotFound
}
ctap2::StatusCode::Ctap2(ctap2code) => {
WebauthnError::AuthenticatorError(ctap2code.into())
}
}
}
}
/// Returns a decoded [String] if the domain name is punycode otherwise
/// the original string reference [str] is returned.
fn decode_host(host: &str) -> Option<Cow<str>> {
if host.split('.').any(|s| s.starts_with("xn--")) {
let (decoded, result) = idna::domain_to_unicode(host);
result.ok().map(|_| Cow::from(decoded))
} else {
Some(Cow::from(host))
}
}
/// A `Client` represents a Webauthn client. Users of this struct should supply a
/// [`CredentialStore`], a [`UserValidationMethod`] and, optionally, an implementation of
/// [`public_suffix::EffectiveTLDProvider`].
///
/// The `tld_provider` is used to verify effective Top-Level Domains for request origins presented
/// to the client. Most applications can use the `new()` function, which creates a `Client` with a
/// default provider implementation. Use `new_with_custom_tld_provider()` to provide a custom
/// `EffectiveTLDProvider` if your application needs to interpret eTLDs differently from the Mozilla
/// Public Suffix List.
pub struct Client<S, U, P>
where
S: CredentialStore + Sync,
U: UserValidationMethod + Sync,
P: public_suffix::EffectiveTLDProvider + Sync + 'static,
Passkey: TryFrom<<S as CredentialStore>::PasskeyItem>,
{
authenticator: Authenticator<S, U>,
rp_id_verifier: RpIdVerifier<P>,
}
impl<S, U> Client<S, U, public_suffix::PublicSuffixList>
where
S: CredentialStore + Sync,
U: UserValidationMethod + Sync,
Passkey: TryFrom<<S as CredentialStore>::PasskeyItem>,
{
/// Create a `Client` with a given `Authenticator` that uses the default
/// TLD verifier provided by `[public_suffix]`.
pub fn new(authenticator: Authenticator<S, U>) -> Self {
Self {
authenticator,
rp_id_verifier: RpIdVerifier::new(public_suffix::DEFAULT_PROVIDER),
}
}
}
impl<S, U, P> Client<S, U, P>
where
S: CredentialStore + Sync,
U: UserValidationMethod + Sync,
P: public_suffix::EffectiveTLDProvider + Sync + 'static,
Passkey: TryFrom<<S as CredentialStore>::PasskeyItem>,
{
/// Create a `Client` with a given `Authenticator` and a custom TLD provider
/// that implements `[public_suffix::EffectiveTLDProvider]`.
pub fn new_with_custom_tld_provider(
authenticator: Authenticator<S, U>,
custom_provider: P,
) -> Self {
Self {
authenticator,
rp_id_verifier: RpIdVerifier::new(custom_provider),
}
}
/// Allows the internal [RpIdVerifier] to pass through localhost requests.
pub fn allows_insecure_localhost(mut self, is_allowed: bool) -> Self {
self.rp_id_verifier = self.rp_id_verifier.allows_insecure_localhost(is_allowed);
self
}
/// Read access to the Client's `Authenticator`.
pub fn authenticator(&self) -> &Authenticator<S, U> {
&self.authenticator
}
/// Write access to the Client's `Authenticator`.
pub fn authenticator_mut(&mut self) -> &mut Authenticator<S, U> {
&mut self.authenticator
}
/// Register a webauthn `request` from the given `origin`.
///
/// Returns either a [`webauthn::CreatedPublicKeyCredential`] on success or some [`WebauthnError`]
pub async fn register(
&mut self,
origin: &Url,
request: webauthn::CredentialCreationOptions,
client_data_hash: Option<Vec<u8>>,
) -> Result<webauthn::CreatedPublicKeyCredential, WebauthnError> {
// extract inner value of request as there is nothing else of value directly in CredentialCreationOptions
let request = request.public_key;
let auth_info = self.authenticator.get_info();
// TODO: Handle given timeout here, If the value is not within what we consider a reasonable range
// override to our default
// let timeout = request
// .timeout
// .map(|t| t.clamp(MIN_TIMEOUT, MAX_TIMEOUT))
// .unwrap_or(MAX_TIMEOUT);
let rp_id = self
.rp_id_verifier
.assert_domain(origin, request.rp.id.as_deref())?;
let collected_client_data = webauthn::CollectedClientData {
ty: webauthn::ClientDataType::Create,
challenge: encoding::base64url(&request.challenge),
origin: origin.as_str().trim_end_matches('/').to_owned(),
cross_origin: None,
unknown_keys: Default::default(),
};
// SAFETY: it is a developer error if serializing this struct fails.
let client_data_json = serde_json::to_string(&collected_client_data).unwrap();
let client_data_json_hash =
client_data_hash.unwrap_or_else(|| sha256(client_data_json.as_bytes()).to_vec());
let cred_props =
if let Some(true) = request.extensions.as_ref().and_then(|ext| ext.cred_props) {
Some(CredentialPropertiesOutput {
discoverable: Some(true), // Set to true because it is set in the Options of make_credential.
authenticator_display_name: self.authenticator.display_name().cloned(),
})
} else {
None
};
let ctap2_response = self
.authenticator
.make_credential(ctap2::make_credential::Request {
client_data_hash: client_data_json_hash.into(),
rp: ctap2::make_credential::PublicKeyCredentialRpEntity {
id: rp_id.to_owned(),
name: Some(request.rp.name),
},
user: request.user,
pub_key_cred_params: request.pub_key_cred_params,
exclude_list: request.exclude_credentials,
extensions: request.extensions,
options: ctap2::make_credential::Options {
rk: true,
up: true,
uv: true,
},
pin_auth: None,
pin_protocol: None,
})
.await
.map_err(|sc| WebauthnError::AuthenticatorError(sc.into()))?;
let mut attestation_object = Vec::with_capacity(128);
// SAFETY: The Results here are from serializing all the internals of `cbor!` into `ciborium::Value`
// then serializing said value to bytes. The unwraps here are safe because it would otherwise be
// programmer error.
// TODO: Create strong attestation type definitions, part of CTAP2
let attestation_object_value = cbor!({
// TODO: Follow preference and/or implement AnonCA https://w3c.github.io/webauthn/#anonymization-ca
"fmt" => "none",
"attStmt" => {},
// Explicitly define these fields as bytes since specialization is still fairly far
"authData" => Value::Bytes(ctap2_response.auth_data.to_vec()),
})
.unwrap();
ciborium::ser::into_writer(&attestation_object_value, &mut attestation_object).unwrap();
// SAFETY: this unwrap is safe because the ctap2_response was just created in make_credential()
// above, which currently sets auth_data.attested_credential_data unconditionally.
// If this fails, it's a programmer error in that the postconditions of make_credential will
// have changed.
let credential_id = ctap2_response
.auth_data
.attested_credential_data
.as_ref()
.unwrap();
let alg = match credential_id.key.alg.as_ref().unwrap() {
Algorithm::PrivateUse(val) => *val,
Algorithm::Assigned(alg) => alg.to_i64(),
Algorithm::Text(_) => {
unreachable!()
}
};
let public_key = Some(
passkey_authenticator::public_key_der_from_cose_key(&credential_id.key)
.map_err(|e| WebauthnError::AuthenticatorError(e.into()))?,
);
let response = webauthn::CreatedPublicKeyCredential {
id: encoding::base64url(credential_id.credential_id()),
raw_id: credential_id.credential_id().to_vec().into(),
ty: webauthn::PublicKeyCredentialType::PublicKey,
response: webauthn::AuthenticatorAttestationResponse {
client_data_json: Vec::from(client_data_json).into(),
authenticator_data: ctap2_response.auth_data.to_vec().into(),
public_key,
public_key_algorithm: alg,
attestation_object: attestation_object.into(),
transports: auth_info.transports,
},
authenticator_attachment: Some(self.authenticator().attachment_type()),
client_extension_results: AuthenticatorExtensionsClientOutputs { cred_props },
};
Ok(response)
}
/// Authenticate a Webauthn request.
///
/// Returns either an [`webauthn::AuthenticatedPublicKeyCredential`] on success or some [`WebauthnError`].
pub async fn authenticate(
&self,
origin: &Url,
request: webauthn::CredentialRequestOptions,
client_data_hash: Option<Vec<u8>>,
) -> Result<webauthn::AuthenticatedPublicKeyCredential, WebauthnError> {
// extract inner value of request as there is nothing else of value directly in CredentialRequestOptions
let request = request.public_key;
// TODO: Handle given timeout here, If the value is not within what we consider a reasonable range
// override to our default
// let timeout = request
// .timeout
// .map(|t| t.clamp(MIN_TIMEOUT, MAX_TIMEOUT))
// .unwrap_or(MAX_TIMEOUT);
let rp_id = self
.rp_id_verifier
.assert_domain(origin, request.rp_id.as_deref())?;
let collected_client_data = webauthn::CollectedClientData {
ty: webauthn::ClientDataType::Get,
challenge: encoding::base64url(&request.challenge),
origin: origin.as_str().trim_end_matches('/').to_owned(),
cross_origin: None, //Some(false),
unknown_keys: Default::default(),
};
// SAFETY: it is a developer error if serializing this struct fails.
let client_data_json = serde_json::to_string(&collected_client_data).unwrap();
let client_data_json_hash =
client_data_hash.unwrap_or_else(|| sha256(client_data_json.as_bytes()).to_vec());
let ctap2_response = self
.authenticator
.get_assertion(ctap2::get_assertion::Request {
rp_id: rp_id.to_owned(),
client_data_hash: client_data_json_hash.into(),
allow_list: request.allow_credentials,
extensions: request.extensions,
options: ctap2::get_assertion::Options {
rk: true,
up: true,
uv: true,
},
pin_auth: None,
pin_protocol: None,
})
.await
.map_err(Into::<WebauthnError>::into)?;
// SAFETY: This unwrap is safe because ctap2_response was created immedately
// above and the postcondition of that function is that response.credential
// will yield a credential. If none was found, we will have already returned
// a WebauthnError::CredentialNotFound error from map_err in that line.
let credential_id_bytes = ctap2_response.credential.unwrap().id;
Ok(webauthn::AuthenticatedPublicKeyCredential {
id: encoding::base64url(&credential_id_bytes),
raw_id: credential_id_bytes.to_vec().into(),
ty: webauthn::PublicKeyCredentialType::PublicKey,
response: webauthn::AuthenticatorAssertionResponse {
client_data_json: Vec::from(client_data_json).into(),
authenticator_data: ctap2_response.auth_data.to_vec().into(),
signature: ctap2_response.signature,
user_handle: ctap2_response.user.map(|user| user.id),
attestation_object: None,
},
authenticator_attachment: Some(self.authenticator().attachment_type()),
client_extension_results: AuthenticatorExtensionsClientOutputs::default(),
})
}
}
/// Wrapper struct for verifying that a given RpId matches the request's origin.
///
/// While most cases should not use this type directly and instead use [`Client`], there are some
/// cases that warrant the need for checking an RpId in the same way that the client does, but without
/// the rest of pieces that the client needs.
pub struct RpIdVerifier<P> {
tld_provider: Box<P>,
allows_insecure_localhost: bool,
}
impl<P> RpIdVerifier<P>
where
P: public_suffix::EffectiveTLDProvider + Sync + 'static,
{
/// Create a new Verifier with a given TLD provider. Most cases should just use
/// [`public_suffix::DEFAULT_PROVIDER`].
pub fn new(tld_provider: P) -> Self {
Self {
tld_provider: Box::new(tld_provider),
allows_insecure_localhost: false,
}
}
/// Allows [`RpIdVerifier::assert_domain`] to pass through requests from `localhost`
pub fn allows_insecure_localhost(mut self, is_allowed: bool) -> Self {
self.allows_insecure_localhost = is_allowed;
self
}
/// Parse the given Relying Party Id and verify it against the origin url of the request.
///
/// This follows the steps defined in: <https://html.spec.whatwg.org/multipage/browsers.html#is-a-registrable-domain-suffix-of-or-is-equal-to>
///
/// Returns the effective domain on success or some [`WebauthnError`]
pub fn assert_domain<'a>(
&self,
origin: &'a Url,
rp_id: Option<&'a str>,
) -> Result<&'a str, WebauthnError> {
let mut effective_domain = origin.domain().ok_or(WebauthnError::OriginMissingDomain)?;
if let Some(rp_id) = rp_id {
if !effective_domain.ends_with(rp_id) {
return Err(WebauthnError::OriginRpMissmatch);
}
effective_domain = rp_id;
}
// guard against localhost effective domain, return early
if effective_domain == "localhost" {
return if self.allows_insecure_localhost {
Ok(effective_domain)
} else {
Err(WebauthnError::InsecureLocalhostNotAllowed)
};
}
// Make sure origin uses https://
if !(origin.scheme().eq_ignore_ascii_case("https")) {
return Err(WebauthnError::UnprotectedOrigin);
}
// assert rp_id is not part of the public suffix list and is a registerable domain.
if decode_host(effective_domain)
.as_ref()
.and_then(|s| self.tld_provider.effective_tld_plus_one(s).ok())
.is_none()
{
return Err(WebauthnError::InvalidRpId);
}
Ok(effective_domain)
}
}