blob: 88644c792b3eb0651cd388d73d8db0f94a0f5939 [file] [log] [blame]
Jooyung Han12a0b702021-08-05 23:20:31 +09001/*
2 * Copyright (C) 2021 The Android Open Source Project
3 *
4 * Licensed under the Apache License, Version 2.0 (the "License");
5 * you may not use this file except in compliance with the License.
6 * You may obtain a copy of the License at
7 *
8 * http://www.apache.org/licenses/LICENSE-2.0
9 *
10 * Unless required by applicable law or agreed to in writing, software
11 * distributed under the License is distributed on an "AS IS" BASIS,
12 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13 * See the License for the specific language governing permissions and
14 * limitations under the License.
15 */
16
17//! Verifies APK Signature Scheme V3
Alice Wangaf1d15b2022-09-09 11:09:51 +000018//!
19//! [v3 verification]: https://source.android.com/security/apksigning/v3#verification
Jooyung Han12a0b702021-08-05 23:20:31 +090020
Alice Wangbc4b9a92022-09-16 13:13:18 +000021use anyhow::{ensure, Context, Result};
Jooyung Han12a0b702021-08-05 23:20:31 +090022use bytes::Bytes;
Andrew Scullc208eb42022-05-22 16:17:52 +000023use openssl::pkey::{self, PKey};
Alice Wang79713d92022-07-14 15:10:03 +000024use openssl::x509::X509;
Jooyung Han12a0b702021-08-05 23:20:31 +090025use std::fs::File;
Jooyung Hand8397852021-08-10 16:29:36 +090026use std::io::{Read, Seek};
Alan Stokes25f69362023-03-06 16:51:54 +000027use std::ops::RangeInclusive;
Jooyung Han12a0b702021-08-05 23:20:31 +090028use std::path::Path;
29
Alice Wang5d0f89a2022-09-15 15:06:10 +000030use crate::algorithms::SignatureAlgorithmID;
Jooyung Han12a0b702021-08-05 23:20:31 +090031use crate::bytes_ext::{BytesExt, LengthPrefixed, ReadFromBytes};
Alan Stokes068f6d42023-10-09 10:13:03 +010032use crate::sigutil::ApkSections;
Jooyung Han12a0b702021-08-05 23:20:31 +090033
34pub const APK_SIGNATURE_SCHEME_V3_BLOCK_ID: u32 = 0xf05368c0;
35
Jooyung Han12a0b702021-08-05 23:20:31 +090036type Signers = LengthPrefixed<Vec<LengthPrefixed<Signer>>>;
37
Alan Stokes25f69362023-03-06 16:51:54 +000038#[derive(Debug)]
Alice Wang0cafa142022-09-23 15:17:02 +000039pub(crate) struct Signer {
Jooyung Han12a0b702021-08-05 23:20:31 +090040 signed_data: LengthPrefixed<Bytes>, // not verified yet
41 min_sdk: u32,
42 max_sdk: u32,
43 signatures: LengthPrefixed<Vec<LengthPrefixed<Signature>>>,
Alice Wanga7cac422022-09-20 13:57:32 +000044 public_key: PKey<pkey::Public>,
Jooyung Han12a0b702021-08-05 23:20:31 +090045}
46
Alan Stokes1508df22023-12-04 11:31:21 +000047/// Contains the signed data part of an APK v3 signature.
48#[derive(Debug)]
49pub struct SignedData {
Jooyung Han12a0b702021-08-05 23:20:31 +090050 digests: LengthPrefixed<Vec<LengthPrefixed<Digest>>>,
51 certificates: LengthPrefixed<Vec<LengthPrefixed<X509Certificate>>>,
52 min_sdk: u32,
53 max_sdk: u32,
Alice Wang4b7c0ba2022-09-07 15:12:36 +000054 #[allow(dead_code)]
Jooyung Han12a0b702021-08-05 23:20:31 +090055 additional_attributes: LengthPrefixed<Vec<LengthPrefixed<AdditionalAttributes>>>,
56}
57
Jooyung Han5b4c70e2021-08-09 16:36:13 +090058#[derive(Debug)]
Alice Wangf27626a2022-09-27 12:36:22 +000059pub(crate) struct Signature {
Alice Wangd73d0ff2022-09-20 11:33:30 +000060 /// Option is used here to allow us to ignore unsupported algorithm.
Alice Wangf27626a2022-09-27 12:36:22 +000061 pub(crate) signature_algorithm_id: Option<SignatureAlgorithmID>,
Jooyung Han12a0b702021-08-05 23:20:31 +090062 signature: LengthPrefixed<Bytes>,
63}
64
Alan Stokes1508df22023-12-04 11:31:21 +000065#[derive(Debug)]
Jooyung Han12a0b702021-08-05 23:20:31 +090066struct Digest {
Alice Wangd73d0ff2022-09-20 11:33:30 +000067 signature_algorithm_id: Option<SignatureAlgorithmID>,
Jooyung Han12a0b702021-08-05 23:20:31 +090068 digest: LengthPrefixed<Bytes>,
69}
70
71type X509Certificate = Bytes;
72type AdditionalAttributes = Bytes;
73
Alan Stokes1508df22023-12-04 11:31:21 +000074/// Verifies APK Signature Scheme v3 signatures of the provided APK and returns the SignedData from
75/// the signature.
76pub fn verify<P: AsRef<Path>>(apk_path: P, current_sdk: u32) -> Result<SignedData> {
Alice Wang3c016622022-09-19 09:08:27 +000077 let apk = File::open(apk_path.as_ref())?;
Alan Stokes25f69362023-03-06 16:51:54 +000078 let (signer, mut sections) = extract_signer_and_apk_sections(apk, current_sdk)?;
Alice Wang71701272022-09-20 10:03:02 +000079 signer.verify(&mut sections)
Jiyong Parka41535b2021-09-10 19:31:48 +090080}
Jooyung Han12a0b702021-08-05 23:20:31 +090081
Alan Stokes1508df22023-12-04 11:31:21 +000082/// Extracts the SignedData from the signature of the given APK. (The signature is not verified.)
83pub fn extract_signed_data<P: AsRef<Path>>(apk_path: P, current_sdk: u32) -> Result<SignedData> {
Alice Wang3c016622022-09-19 09:08:27 +000084 let apk = File::open(apk_path.as_ref())?;
Alan Stokes25f69362023-03-06 16:51:54 +000085 let (signer, _) = extract_signer_and_apk_sections(apk, current_sdk)?;
Alan Stokes1508df22023-12-04 11:31:21 +000086 signer.parse_signed_data()
Jooyung Han12a0b702021-08-05 23:20:31 +090087}
88
Alice Wang0cafa142022-09-23 15:17:02 +000089pub(crate) fn extract_signer_and_apk_sections<R: Read + Seek>(
90 apk: R,
Alan Stokes25f69362023-03-06 16:51:54 +000091 current_sdk: u32,
Alice Wang0cafa142022-09-23 15:17:02 +000092) -> Result<(Signer, ApkSections<R>)> {
Andrew Sculla11b83a2022-06-01 09:23:13 +000093 let mut sections = ApkSections::new(apk)?;
Alice Wang71701272022-09-20 10:03:02 +000094 let mut block = sections.find_signature(APK_SIGNATURE_SCHEME_V3_BLOCK_ID).context(
Alan Stokesa6876992023-01-20 12:26:25 +000095 "Fallback to v2 when v3 block not found is not yet implemented.", // b/197052981
Alice Wang71701272022-09-20 10:03:02 +000096 )?;
Alan Stokes25f69362023-03-06 16:51:54 +000097 let signers = block.read::<Signers>()?.into_inner();
98 let mut supported =
99 signers.into_iter().filter(|s| s.sdk_range().contains(&current_sdk)).collect::<Vec<_>>();
Alice Wang71701272022-09-20 10:03:02 +0000100 ensure!(
101 supported.len() == 1,
102 "APK Signature Scheme V3 only supports one signer: {} signers found.",
103 supported.len()
104 );
105 Ok((supported.pop().unwrap().into_inner(), sections))
Andrew Sculla11b83a2022-06-01 09:23:13 +0000106}
107
Jooyung Han12a0b702021-08-05 23:20:31 +0900108impl Signer {
Alan Stokes1508df22023-12-04 11:31:21 +0000109 fn sdk_range(&self) -> RangeInclusive<u32> {
110 self.min_sdk..=self.max_sdk
111 }
112
Alice Wangf27626a2022-09-27 12:36:22 +0000113 /// Selects the signature that has the strongest supported `SignatureAlgorithmID`.
114 /// The strongest signature is used in both v3 verification and v4 apk digest computation.
115 pub(crate) fn strongest_signature(&self) -> Result<&Signature> {
Andrew Scull9173eb82022-06-01 09:17:14 +0000116 Ok(self
Jooyung Han12a0b702021-08-05 23:20:31 +0900117 .signatures
118 .iter()
Alice Wang50701022022-09-21 08:51:38 +0000119 .filter(|sig| sig.signature_algorithm_id.map_or(false, |algo| algo.is_supported()))
Alice Wangd73d0ff2022-09-20 11:33:30 +0000120 .max_by_key(|sig| sig.signature_algorithm_id.unwrap().content_digest_algorithm())
Alan Stokesa6876992023-01-20 12:26:25 +0000121 .context("No supported APK signatures found; DSA is not supported")?)
Andrew Scull9173eb82022-06-01 09:17:14 +0000122 }
123
Alice Wangf27626a2022-09-27 12:36:22 +0000124 pub(crate) fn find_digest_by_algorithm(
125 &self,
126 algorithm_id: SignatureAlgorithmID,
127 ) -> Result<Box<[u8]>> {
Andrew Sculla11b83a2022-06-01 09:23:13 +0000128 let signed_data: SignedData = self.signed_data.slice(..).read()?;
Alice Wangf27626a2022-09-27 12:36:22 +0000129 let digest = signed_data.find_digest_by_algorithm(algorithm_id)?;
130 Ok(digest.digest.as_ref().to_vec().into_boxed_slice())
Andrew Sculla11b83a2022-06-01 09:23:13 +0000131 }
132
Alan Stokes1508df22023-12-04 11:31:21 +0000133 /// Verifies a signature over the signed data using the public key.
134 fn verify_signature(&self, signature: &Signature) -> Result<()> {
135 let mut verifier = signature
Alice Wanga7cac422022-09-20 13:57:32 +0000136 .signature_algorithm_id
137 .context("Unsupported algorithm")?
138 .new_verifier(&self.public_key)?;
139 verifier.update(&self.signed_data)?;
Alan Stokes1508df22023-12-04 11:31:21 +0000140 ensure!(verifier.verify(&signature.signature)?, "Signature is invalid.");
141 Ok(())
142 }
143
144 /// Returns the signed data, converted from bytes.
145 fn parse_signed_data(&self) -> Result<SignedData> {
Alice Wanga7cac422022-09-20 13:57:32 +0000146 self.signed_data.slice(..).read()
147 }
148
Alice Wangaf1d15b2022-09-09 11:09:51 +0000149 /// The steps in this method implements APK Signature Scheme v3 verification step 3.
Alan Stokes1508df22023-12-04 11:31:21 +0000150 fn verify<R: Read + Seek>(&self, sections: &mut ApkSections<R>) -> Result<SignedData> {
Andrew Scull9173eb82022-06-01 09:17:14 +0000151 // 1. Choose the strongest supported signature algorithm ID from signatures.
152 let strongest = self.strongest_signature()?;
Jooyung Han12a0b702021-08-05 23:20:31 +0900153
Alan Stokes068f6d42023-10-09 10:13:03 +0100154 // 2. Verify the corresponding signature from signatures against signed data using public
155 // key.
Alan Stokes1508df22023-12-04 11:31:21 +0000156 self.verify_signature(strongest)?;
157
158 // It is now safe to parse signed data.
159 let verified_signed_data = self.parse_signed_data()?;
Jooyung Han12a0b702021-08-05 23:20:31 +0900160
161 // 3. Verify the min and max SDK versions in the signed data match those specified for the
162 // signer.
Alice Wangbc4b9a92022-09-16 13:13:18 +0000163 ensure!(
Alice Wanga7cac422022-09-20 13:57:32 +0000164 self.sdk_range() == verified_signed_data.sdk_range(),
Alice Wangbc4b9a92022-09-16 13:13:18 +0000165 "SDK versions mismatch between signed and unsigned in v3 signer block."
166 );
Jooyung Hand8397852021-08-10 16:29:36 +0900167
168 // 4. Verify that the ordered list of signature algorithm IDs in digests and signatures is
169 // identical. (This is to prevent signature stripping/addition.)
Alice Wangbc4b9a92022-09-16 13:13:18 +0000170 ensure!(
171 self.signatures
172 .iter()
173 .map(|sig| sig.signature_algorithm_id)
Alice Wanga7cac422022-09-20 13:57:32 +0000174 .eq(verified_signed_data.digests.iter().map(|dig| dig.signature_algorithm_id)),
Alice Wangbc4b9a92022-09-16 13:13:18 +0000175 "Signature algorithms don't match between digests and signatures records"
176 );
Jooyung Hand8397852021-08-10 16:29:36 +0900177
178 // 5. Compute the digest of APK contents using the same digest algorithm as the digest
179 // algorithm used by the signature algorithm.
Alice Wangcd0fa452022-09-21 09:48:33 +0000180 let digest = verified_signed_data.find_digest_by_algorithm(
181 strongest.signature_algorithm_id.context("Unsupported algorithm")?,
182 )?;
183 let computed = sections.compute_digest(digest.signature_algorithm_id.unwrap())?;
Jooyung Hand8397852021-08-10 16:29:36 +0900184
185 // 6. Verify that the computed digest is identical to the corresponding digest from digests.
Alice Wangbc4b9a92022-09-16 13:13:18 +0000186 ensure!(
187 computed == digest.digest.as_ref(),
188 "Digest mismatch: computed={:?} vs expected={:?}",
Tanmoy Mollik40ff8032022-11-25 15:00:04 +0000189 hex::encode(&computed),
190 hex::encode(digest.digest.as_ref()),
Alice Wangbc4b9a92022-09-16 13:13:18 +0000191 );
Jooyung Hand8397852021-08-10 16:29:36 +0900192
Alan Stokes068f6d42023-10-09 10:13:03 +0100193 // 7. Verify that public key of the first certificate of certificates is identical to public
194 // key.
Alan Stokes1508df22023-12-04 11:31:21 +0000195 let cert = X509::from_der(verified_signed_data.first_certificate_der()?)?;
Alice Wangbc4b9a92022-09-16 13:13:18 +0000196 ensure!(
Alice Wanga7cac422022-09-20 13:57:32 +0000197 cert.public_key()?.public_eq(&self.public_key),
Alice Wangbc4b9a92022-09-16 13:13:18 +0000198 "Public key mismatch between certificate and signature record"
199 );
Jooyung Han543e7122021-08-11 01:48:45 +0900200
Alice Wang92889352022-09-16 10:42:52 +0000201 // TODO(b/245914104)
202 // 8. If the proof-of-rotation attribute exists for the signer verify that the
203 // struct is valid and this signer is the last certificate in the list.
Alan Stokes1508df22023-12-04 11:31:21 +0000204
205 Ok(verified_signed_data)
206 }
207}
208
209impl SignedData {
210 /// Returns the first X.509 certificate in the signed data, encoded in DER form. (All other
211 /// certificates are ignored for v3; this certificate describes the public key that was actually
212 /// used to sign the APK.)
213 pub fn first_certificate_der(&self) -> Result<&[u8]> {
214 Ok(self.certificates.first().context("No certificates listed")?)
215 }
216
217 fn sdk_range(&self) -> RangeInclusive<u32> {
218 self.min_sdk..=self.max_sdk
219 }
220
221 fn find_digest_by_algorithm(&self, algorithm_id: SignatureAlgorithmID) -> Result<&Digest> {
222 Ok(self
223 .digests
224 .iter()
225 .find(|&dig| dig.signature_algorithm_id == Some(algorithm_id))
226 .context(format!("Digest not found for algorithm: {:?}", algorithm_id))?)
Jooyung Han12a0b702021-08-05 23:20:31 +0900227 }
228}
229
Jooyung Han12a0b702021-08-05 23:20:31 +0900230// ReadFromBytes implementations
Alice Wang92889352022-09-16 10:42:52 +0000231// TODO(b/190343842): add derive macro: #[derive(ReadFromBytes)]
Jooyung Han12a0b702021-08-05 23:20:31 +0900232
233impl ReadFromBytes for Signer {
234 fn read_from_bytes(buf: &mut Bytes) -> Result<Self> {
235 Ok(Self {
236 signed_data: buf.read()?,
237 min_sdk: buf.read()?,
238 max_sdk: buf.read()?,
239 signatures: buf.read()?,
240 public_key: buf.read()?,
241 })
242 }
243}
244
245impl ReadFromBytes for SignedData {
246 fn read_from_bytes(buf: &mut Bytes) -> Result<Self> {
247 Ok(Self {
248 digests: buf.read()?,
249 certificates: buf.read()?,
250 min_sdk: buf.read()?,
251 max_sdk: buf.read()?,
252 additional_attributes: buf.read()?,
253 })
254 }
255}
256
257impl ReadFromBytes for Signature {
258 fn read_from_bytes(buf: &mut Bytes) -> Result<Self> {
259 Ok(Signature { signature_algorithm_id: buf.read()?, signature: buf.read()? })
260 }
261}
262
263impl ReadFromBytes for Digest {
264 fn read_from_bytes(buf: &mut Bytes) -> Result<Self> {
265 Ok(Self { signature_algorithm_id: buf.read()?, digest: buf.read()? })
266 }
267}
Jooyung Hand8397852021-08-10 16:29:36 +0900268
Alice Wanga7cac422022-09-20 13:57:32 +0000269impl ReadFromBytes for PKey<pkey::Public> {
270 fn read_from_bytes(buf: &mut Bytes) -> Result<Self> {
271 let raw_public_key = buf.read::<LengthPrefixed<Bytes>>()?;
272 Ok(PKey::public_key_from_der(raw_public_key.as_ref())?)
273 }
274}