blob: 0092bee123a4f8971d07c99104cb46e91102c2e9 [file] [log] [blame]
Inseob Kimc0886c22021-12-13 17:41:24 +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//! Rust bindgen interface for FSVerity Metadata file (.fsv_meta)
18use authfs_fsverity_metadata_bindgen::{
19 fsverity_metadata_header, FSVERITY_SIGNATURE_TYPE_NONE, FSVERITY_SIGNATURE_TYPE_PKCS7,
20 FSVERITY_SIGNATURE_TYPE_RAW,
21};
22
23use std::cmp::min;
24use std::os::unix::fs::MetadataExt;
25
26/// Structure for parsed metadata.
27pub struct FSVerityMetadata {
28 /// Header for the metadata.
29 pub header: fsverity_metadata_header,
30
31 /// Optional signature for the metadata.
32 pub signature: Option<Vec<u8>>,
33
34 metadata_file: File,
35
36 merkle_tree_offset: u64,
37}
38
39impl FSVerityMetadata {
40 /// Read the raw Merkle tree from the metadata, if it exists. The API semantics is similar to a
41 /// regular pread(2), and may not return full requested buffer.
42 pub fn read_merkle_tree(&self, offset: u64, buf: &mut [u8]) -> io::Result<usize> {
43 let start = self.merkle_tree_offset + offset;
44 let end = min(self.metadata_file.metadata()?.size(), start + buf.len() as u64);
45 let read_size = (end - start) as usize;
46 debug_assert!(read_size <= buf.len());
47 self.metadata_file.read_exact_at(&mut buf[..read_size], start)?;
48 Ok(read_size)
49 }
50}
51
52use std::ffi::OsString;
53use std::fs::File;
54use std::io::{self, Read, Seek};
55use std::mem::{size_of, zeroed};
56use std::os::unix::fs::FileExt;
57use std::path::{Path, PathBuf};
58use std::slice::from_raw_parts_mut;
59
60/// Common block and page size in Linux.
61pub const CHUNK_SIZE: u64 = authfs_fsverity_metadata_bindgen::CHUNK_SIZE;
62
63/// Derive a path of metadata for a given path.
64/// e.g. "system/framework/foo.jar" -> "system/framework/foo.jar.fsv_meta"
65pub fn get_fsverity_metadata_path(path: &Path) -> PathBuf {
66 let mut os_string: OsString = path.into();
67 os_string.push(".fsv_meta");
68 os_string.into()
69}
70
71/// Parse metadata from given file, and returns a structure for the metadata.
72pub fn parse_fsverity_metadata(mut metadata_file: File) -> io::Result<Box<FSVerityMetadata>> {
73 let header_size = size_of::<fsverity_metadata_header>();
74
75 // SAFETY: the header doesn't include any pointers
76 let header: fsverity_metadata_header = unsafe {
77 let mut header: fsverity_metadata_header = zeroed();
78 let buffer = from_raw_parts_mut(
79 &mut header as *mut fsverity_metadata_header as *mut u8,
80 header_size,
81 );
82 metadata_file.read_exact(buffer)?;
83
84 // TODO(inseob): This doesn't seem ideal. Maybe we can consider nom?
85 header.version = u32::from_le(header.version);
86 header.descriptor.data_size = u64::from_le(header.descriptor.data_size);
87 header.signature_type = u32::from_le(header.signature_type);
88 header.signature_size = u32::from_le(header.signature_size);
89 header
90 };
91
92 if header.version != 1 {
93 return Err(io::Error::new(io::ErrorKind::Other, "unsupported metadata version"));
94 }
95
96 let signature = match header.signature_type {
97 FSVERITY_SIGNATURE_TYPE_NONE => None,
98 FSVERITY_SIGNATURE_TYPE_PKCS7 | FSVERITY_SIGNATURE_TYPE_RAW => {
99 // TODO: unpad pkcs7?
100 let mut buf = vec![0u8; header.signature_size as usize];
101 metadata_file.read_exact(&mut buf)?;
102 Some(buf)
103 }
104 _ => return Err(io::Error::new(io::ErrorKind::Other, "unknown signature type")),
105 };
106
107 // merkle tree is at the next 4K boundary
108 let merkle_tree_offset =
109 (metadata_file.stream_position()? + CHUNK_SIZE - 1) / CHUNK_SIZE * CHUNK_SIZE;
110
111 Ok(Box::new(FSVerityMetadata { header, signature, metadata_file, merkle_tree_offset }))
112}