blob: 3832c09e68d2cd4497592604da328348f3713110 [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//! Utilities for Signature Verification
18
Alice Wanga66b5c02022-09-16 07:25:17 +000019// TODO(b/246254355): Remove this once we migrate all the usages of
20// raw signature algorithm id to the enum.
21#![allow(dead_code)]
22
Alice Wang5d0f89a2022-09-15 15:06:10 +000023use anyhow::{anyhow, ensure, Error, Result};
Jooyung Han12a0b702021-08-05 23:20:31 +090024use byteorder::{LittleEndian, ReadBytesExt};
Andrew Walbran117cd5e2021-08-13 11:42:13 +000025use bytes::{Buf, BufMut, Bytes, BytesMut};
Alice Wang5d0f89a2022-09-15 15:06:10 +000026use num_traits::FromPrimitive;
Andrew Scullc208eb42022-05-22 16:17:52 +000027use openssl::hash::{DigestBytes, Hasher, MessageDigest};
Jooyung Hand8397852021-08-10 16:29:36 +090028use std::cmp::min;
Alice Wangaf1d15b2022-09-09 11:09:51 +000029use std::io::{self, Cursor, ErrorKind, Read, Seek, SeekFrom, Take};
Jooyung Han5d94bfc2021-08-06 14:07:49 +090030
Alice Wang5d0f89a2022-09-15 15:06:10 +000031use crate::algorithms::SignatureAlgorithmID;
Jooyung Hand8397852021-08-10 16:29:36 +090032use crate::ziputil::{set_central_directory_offset, zip_sections};
Jooyung Han12a0b702021-08-05 23:20:31 +090033
34const APK_SIG_BLOCK_MIN_SIZE: u32 = 32;
35const APK_SIG_BLOCK_MAGIC: u128 = 0x3234206b636f6c4220676953204b5041;
36
Alice Wang5d0f89a2022-09-15 15:06:10 +000037// TODO(b/246254355): Migrates usages of raw signature algorithm id to the enum.
Jooyung Han5b4c70e2021-08-09 16:36:13 +090038pub const SIGNATURE_RSA_PSS_WITH_SHA256: u32 = 0x0101;
39pub const SIGNATURE_RSA_PSS_WITH_SHA512: u32 = 0x0102;
40pub const SIGNATURE_RSA_PKCS1_V1_5_WITH_SHA256: u32 = 0x0103;
41pub const SIGNATURE_RSA_PKCS1_V1_5_WITH_SHA512: u32 = 0x0104;
42pub const SIGNATURE_ECDSA_WITH_SHA256: u32 = 0x0201;
43pub const SIGNATURE_ECDSA_WITH_SHA512: u32 = 0x0202;
44pub const SIGNATURE_DSA_WITH_SHA256: u32 = 0x0301;
45pub const SIGNATURE_VERITY_RSA_PKCS1_V1_5_WITH_SHA256: u32 = 0x0421;
46pub const SIGNATURE_VERITY_ECDSA_WITH_SHA256: u32 = 0x0423;
47pub const SIGNATURE_VERITY_DSA_WITH_SHA256: u32 = 0x0425;
Jooyung Han12a0b702021-08-05 23:20:31 +090048
Jooyung Hand8397852021-08-10 16:29:36 +090049const CHUNK_SIZE_BYTES: u64 = 1024 * 1024;
50
Alice Wanged79eab2022-09-08 11:16:31 +000051/// The [APK structure] has four major sections:
52///
53/// | Zip contents | APK Signing Block | Central directory | EOCD(End of Central Directory) |
54///
55/// This structure contains the offset/size information of all the sections except the Zip contents.
56///
57/// [APK structure]: https://source.android.com/docs/security/apksigning/v2#apk-signing-block
Jooyung Hand8397852021-08-10 16:29:36 +090058pub struct ApkSections<R> {
59 inner: R,
60 signing_block_offset: u32,
61 signing_block_size: u32,
62 central_directory_offset: u32,
63 central_directory_size: u32,
64 eocd_offset: u32,
65 eocd_size: u32,
Jooyung Han12a0b702021-08-05 23:20:31 +090066}
67
Jooyung Hand8397852021-08-10 16:29:36 +090068impl<R: Read + Seek> ApkSections<R> {
69 pub fn new(reader: R) -> Result<ApkSections<R>> {
Andrew Walbran117cd5e2021-08-13 11:42:13 +000070 let (mut reader, zip_sections) = zip_sections(reader)?;
Jooyung Hand8397852021-08-10 16:29:36 +090071 let (signing_block_offset, signing_block_size) =
Andrew Walbran117cd5e2021-08-13 11:42:13 +000072 find_signing_block(&mut reader, zip_sections.central_directory_offset)?;
Jooyung Hand8397852021-08-10 16:29:36 +090073 Ok(ApkSections {
Andrew Walbran117cd5e2021-08-13 11:42:13 +000074 inner: reader,
Jooyung Hand8397852021-08-10 16:29:36 +090075 signing_block_offset,
76 signing_block_size,
77 central_directory_offset: zip_sections.central_directory_offset,
78 central_directory_size: zip_sections.central_directory_size,
79 eocd_offset: zip_sections.eocd_offset,
80 eocd_size: zip_sections.eocd_size,
81 })
82 }
Jooyung Han5d94bfc2021-08-06 14:07:49 +090083
Jooyung Hand8397852021-08-10 16:29:36 +090084 /// Returns the APK Signature Scheme block contained in the provided file for the given ID
85 /// and the additional information relevant for verifying the block against the file.
86 pub fn find_signature(&mut self, block_id: u32) -> Result<Bytes> {
87 let signing_block = self.bytes(self.signing_block_offset, self.signing_block_size)?;
Jooyung Hand8397852021-08-10 16:29:36 +090088 find_signature_scheme_block(Bytes::from(signing_block), block_id)
89 }
Jooyung Han12a0b702021-08-05 23:20:31 +090090
Jooyung Hand8397852021-08-10 16:29:36 +090091 /// Computes digest with "signature algorithm" over APK contents, central directory, and EOCD.
92 /// 1. The digest of each chunk is computed over the concatenation of byte 0xa5, the chunk’s
93 /// length in bytes (little-endian uint32), and the chunk’s contents.
94 /// 2. The top-level digest is computed over the concatenation of byte 0x5a, the number of
95 /// chunks (little-endian uint32), and the concatenation of digests of the chunks in the
96 /// order the chunks appear in the APK.
97 /// (see https://source.android.com/security/apksigning/v2#integrity-protected-contents)
98 pub fn compute_digest(&mut self, signature_algorithm_id: u32) -> Result<Vec<u8>> {
Alice Wang5d0f89a2022-09-15 15:06:10 +000099 // TODO(b/246254355): Passes the enum SignatureAlgorithmID directly to this method.
100 let signature_algorithm_id = SignatureAlgorithmID::from_u32(signature_algorithm_id)
101 .ok_or_else(|| anyhow!("Unsupported algorithm ID: {}", signature_algorithm_id))?;
Alice Wang1ffff622022-09-16 13:45:47 +0000102 let digester = Digester { message_digest: signature_algorithm_id.new_message_digest() };
Jooyung Hand8397852021-08-10 16:29:36 +0900103
Andrew Walbran117cd5e2021-08-13 11:42:13 +0000104 let mut digests_of_chunks = BytesMut::new();
Jooyung Hand8397852021-08-10 16:29:36 +0900105 let mut chunk_count = 0u32;
106 let mut chunk = vec![0u8; CHUNK_SIZE_BYTES as usize];
107 for data in &[
108 ApkSections::zip_entries,
109 ApkSections::central_directory,
110 ApkSections::eocd_for_verification,
111 ] {
112 let mut data = data(self)?;
113 while data.limit() > 0 {
114 let chunk_size = min(CHUNK_SIZE_BYTES, data.limit());
Chris Wailes641fc4a2021-12-01 15:03:21 -0800115 let slice = &mut chunk[..(chunk_size as usize)];
116 data.read_exact(slice)?;
Jooyung Hand8397852021-08-10 16:29:36 +0900117 digests_of_chunks.put_slice(
Andrew Scullc208eb42022-05-22 16:17:52 +0000118 digester.digest(slice, CHUNK_HEADER_MID, chunk_size as u32)?.as_ref(),
Jooyung Hand8397852021-08-10 16:29:36 +0900119 );
120 chunk_count += 1;
121 }
122 }
Andrew Scullc208eb42022-05-22 16:17:52 +0000123 Ok(digester.digest(&digests_of_chunks, CHUNK_HEADER_TOP, chunk_count)?.as_ref().into())
Jooyung Hand8397852021-08-10 16:29:36 +0900124 }
125
126 fn zip_entries(&mut self) -> Result<Take<Box<dyn Read + '_>>> {
127 scoped_read(&mut self.inner, 0, self.signing_block_offset as u64)
128 }
Andrew Walbran117cd5e2021-08-13 11:42:13 +0000129
Jooyung Hand8397852021-08-10 16:29:36 +0900130 fn central_directory(&mut self) -> Result<Take<Box<dyn Read + '_>>> {
131 scoped_read(
132 &mut self.inner,
133 self.central_directory_offset as u64,
134 self.central_directory_size as u64,
135 )
136 }
Andrew Walbran117cd5e2021-08-13 11:42:13 +0000137
Jooyung Hand8397852021-08-10 16:29:36 +0900138 fn eocd_for_verification(&mut self) -> Result<Take<Box<dyn Read + '_>>> {
139 let mut eocd = self.bytes(self.eocd_offset, self.eocd_size)?;
140 // Protection of section 4 (ZIP End of Central Directory) is complicated by the section
141 // containing the offset of ZIP Central Directory. The offset changes when the size of the
142 // APK Signing Block changes, for instance, when a new signature is added. Thus, when
143 // computing digest over the ZIP End of Central Directory, the field containing the offset
144 // of ZIP Central Directory must be treated as containing the offset of the APK Signing
145 // Block.
146 set_central_directory_offset(&mut eocd, self.signing_block_offset)?;
147 Ok(Read::take(Box::new(Cursor::new(eocd)), self.eocd_size as u64))
148 }
Andrew Walbran117cd5e2021-08-13 11:42:13 +0000149
Jooyung Hand8397852021-08-10 16:29:36 +0900150 fn bytes(&mut self, offset: u32, size: u32) -> Result<Vec<u8>> {
151 self.inner.seek(SeekFrom::Start(offset as u64))?;
152 let mut buf = vec![0u8; size as usize];
153 self.inner.read_exact(&mut buf)?;
154 Ok(buf)
155 }
156}
157
158fn scoped_read<'a, R: Read + Seek>(
159 src: &'a mut R,
160 offset: u64,
161 size: u64,
162) -> Result<Take<Box<dyn Read + 'a>>> {
163 src.seek(SeekFrom::Start(offset))?;
164 Ok(Read::take(Box::new(src), size))
165}
166
167struct Digester {
Alice Wang5d0f89a2022-09-15 15:06:10 +0000168 message_digest: MessageDigest,
Jooyung Hand8397852021-08-10 16:29:36 +0900169}
170
171const CHUNK_HEADER_TOP: &[u8] = &[0x5a];
172const CHUNK_HEADER_MID: &[u8] = &[0xa5];
Andrew Walbran117cd5e2021-08-13 11:42:13 +0000173
Jooyung Hand8397852021-08-10 16:29:36 +0900174impl Digester {
Jooyung Hand8397852021-08-10 16:29:36 +0900175 // v2/v3 digests are computed after prepending "header" byte and "size" info.
Andrew Scullc208eb42022-05-22 16:17:52 +0000176 fn digest(&self, data: &[u8], header: &[u8], size: u32) -> Result<DigestBytes> {
Alice Wang5d0f89a2022-09-15 15:06:10 +0000177 let mut hasher = Hasher::new(self.message_digest)?;
Alice Wang98073222022-09-09 14:08:19 +0000178 hasher.update(header)?;
179 hasher.update(&size.to_le_bytes())?;
180 hasher.update(data)?;
181 Ok(hasher.finish()?)
Jooyung Hand8397852021-08-10 16:29:36 +0900182 }
Jooyung Han12a0b702021-08-05 23:20:31 +0900183}
184
Jooyung Han5d94bfc2021-08-06 14:07:49 +0900185fn find_signing_block<T: Read + Seek>(
Jooyung Han12a0b702021-08-05 23:20:31 +0900186 reader: &mut T,
187 central_directory_offset: u32,
Jooyung Hand8397852021-08-10 16:29:36 +0900188) -> Result<(u32, u32)> {
Jooyung Han12a0b702021-08-05 23:20:31 +0900189 // FORMAT:
190 // OFFSET DATA TYPE DESCRIPTION
191 // * @+0 bytes uint64: size in bytes (excluding this field)
192 // * @+8 bytes payload
193 // * @-24 bytes uint64: size in bytes (same as the one above)
194 // * @-16 bytes uint128: magic
Alice Wangaf1d15b2022-09-09 11:09:51 +0000195 ensure!(
196 central_directory_offset >= APK_SIG_BLOCK_MIN_SIZE,
197 "APK too small for APK Signing Block. ZIP Central Directory offset: {}",
198 central_directory_offset
199 );
Jooyung Han5d94bfc2021-08-06 14:07:49 +0900200 reader.seek(SeekFrom::Start((central_directory_offset - 24) as u64))?;
Jooyung Han12a0b702021-08-05 23:20:31 +0900201 let size_in_footer = reader.read_u64::<LittleEndian>()? as u32;
Alice Wangaf1d15b2022-09-09 11:09:51 +0000202 ensure!(
203 reader.read_u128::<LittleEndian>()? == APK_SIG_BLOCK_MAGIC,
204 "No APK Signing Block before ZIP Central Directory"
205 );
Jooyung Han12a0b702021-08-05 23:20:31 +0900206 let total_size = size_in_footer + 8;
207 let signing_block_offset = central_directory_offset
208 .checked_sub(total_size)
209 .ok_or_else(|| anyhow!("APK Signing Block size out of range: {}", size_in_footer))?;
Jooyung Han5d94bfc2021-08-06 14:07:49 +0900210 reader.seek(SeekFrom::Start(signing_block_offset as u64))?;
Jooyung Han12a0b702021-08-05 23:20:31 +0900211 let size_in_header = reader.read_u64::<LittleEndian>()? as u32;
Alice Wangaf1d15b2022-09-09 11:09:51 +0000212 // This corresponds to APK Signature Scheme v3 verification step 1a.
213 ensure!(
214 size_in_header == size_in_footer,
215 "APK Signing Block sizes in header and footer do not match: {} vs {}",
216 size_in_header,
217 size_in_footer
218 );
Jooyung Hand8397852021-08-10 16:29:36 +0900219 Ok((signing_block_offset, total_size))
Jooyung Han12a0b702021-08-05 23:20:31 +0900220}
221
222fn find_signature_scheme_block(buf: Bytes, block_id: u32) -> Result<Bytes> {
223 // FORMAT:
224 // OFFSET DATA TYPE DESCRIPTION
225 // * @+0 bytes uint64: size in bytes (excluding this field)
226 // * @+8 bytes pairs
227 // * @-24 bytes uint64: size in bytes (same as the one above)
228 // * @-16 bytes uint128: magic
229 let mut pairs = buf.slice(8..(buf.len() - 24));
230 let mut entry_count = 0;
231 while pairs.has_remaining() {
232 entry_count += 1;
Alice Wangaf1d15b2022-09-09 11:09:51 +0000233 ensure!(
234 pairs.remaining() >= 8,
235 "Insufficient data to read size of APK Signing Block entry #{}",
236 entry_count
237 );
Jooyung Han12a0b702021-08-05 23:20:31 +0900238 let length = pairs.get_u64_le();
239 let mut pair = pairs.split_to(length as usize);
240 let id = pair.get_u32_le();
241 if id == block_id {
242 return Ok(pair);
243 }
244 }
Alice Wangaf1d15b2022-09-09 11:09:51 +0000245 let context =
246 format!("No APK Signature Scheme block in APK Signing Block with ID: {}", block_id);
247 Err(Error::new(io::Error::from(ErrorKind::NotFound)).context(context))
Jooyung Han12a0b702021-08-05 23:20:31 +0900248}
249
Alice Wanged79eab2022-09-08 11:16:31 +0000250#[cfg(test)]
251mod tests {
252 use super::*;
253 use byteorder::LittleEndian;
254 use std::fs::File;
255 use std::mem::size_of_val;
256
Alice Wangaf1d15b2022-09-09 11:09:51 +0000257 use crate::v3::{to_hex_string, APK_SIGNATURE_SCHEME_V3_BLOCK_ID};
Alice Wang98073222022-09-09 14:08:19 +0000258
Alice Wanged79eab2022-09-08 11:16:31 +0000259 const CENTRAL_DIRECTORY_HEADER_SIGNATURE: u32 = 0x02014b50;
260
261 #[test]
262 fn test_apk_sections() {
263 let apk_file = File::open("tests/data/v3-only-with-ecdsa-sha512-p521.apk").unwrap();
264 let apk_sections = ApkSections::new(apk_file).unwrap();
265 let mut reader = &apk_sections.inner;
266
267 // Checks APK Signing Block.
268 assert_eq!(
269 apk_sections.signing_block_offset + apk_sections.signing_block_size,
270 apk_sections.central_directory_offset
271 );
272 let apk_signature_offset = SeekFrom::Start(
273 apk_sections.central_directory_offset as u64 - size_of_val(&APK_SIG_BLOCK_MAGIC) as u64,
274 );
275 reader.seek(apk_signature_offset).unwrap();
276 assert_eq!(reader.read_u128::<LittleEndian>().unwrap(), APK_SIG_BLOCK_MAGIC);
277
278 // Checks Central directory.
279 assert_eq!(reader.read_u32::<LittleEndian>().unwrap(), CENTRAL_DIRECTORY_HEADER_SIGNATURE);
280 assert_eq!(
281 apk_sections.central_directory_offset + apk_sections.central_directory_size,
282 apk_sections.eocd_offset
283 );
284
285 // Checks EOCD.
286 assert_eq!(
287 reader.metadata().unwrap().len(),
288 (apk_sections.eocd_offset + apk_sections.eocd_size) as u64
289 );
290 }
Alice Wang98073222022-09-09 14:08:19 +0000291
292 #[test]
293 fn test_apk_digest() {
294 let apk_file = File::open("tests/data/v3-only-with-dsa-sha256-1024.apk").unwrap();
295 let mut apk_sections = ApkSections::new(apk_file).unwrap();
296 let digest = apk_sections.compute_digest(SIGNATURE_DSA_WITH_SHA256).unwrap();
297 assert_eq!(
298 "0DF2426EA33AEDAF495D88E5BE0C6A1663FF0A81C5ED12D5B2929AE4B4300F2F",
299 to_hex_string(&digest[..])
300 );
301 }
Alice Wangaf1d15b2022-09-09 11:09:51 +0000302
303 #[test]
304 fn test_apk_sections_cannot_find_signature() {
305 let apk_file = File::open("tests/data/v2-only-two-signers.apk").unwrap();
306 let mut apk_sections = ApkSections::new(apk_file).unwrap();
307 let result = apk_sections.find_signature(APK_SIGNATURE_SCHEME_V3_BLOCK_ID);
308
309 assert!(result.is_err());
310 let error = result.unwrap_err();
311 assert_eq!(error.downcast_ref::<io::Error>().unwrap().kind(), ErrorKind::NotFound);
312 assert!(
313 error.to_string().contains(&APK_SIGNATURE_SCHEME_V3_BLOCK_ID.to_string()),
314 "Error should contain the block ID: {}",
315 error
316 );
317 }
318
319 #[test]
320 fn test_apk_sections_find_signature() {
321 let apk_file = File::open("tests/data/v3-only-with-dsa-sha256-1024.apk").unwrap();
322 let mut apk_sections = ApkSections::new(apk_file).unwrap();
323 let signature = apk_sections.find_signature(APK_SIGNATURE_SCHEME_V3_BLOCK_ID).unwrap();
324
325 let expected_v3_signature_block_size = 1289; // Only for this specific APK
326 assert_eq!(signature.len(), expected_v3_signature_block_size);
327 }
Alice Wanged79eab2022-09-08 11:16:31 +0000328}