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
use anyhow::{Context, Result};
use fn_error_context::context;
use gio::glib;
use gio::prelude::*;
use glib::Cast;
use glib::Variant;
use gvariant::aligned_bytes::TryAsAligned;
use gvariant::{gv, Marker, Structure};
use openat_ext::FileExt;
use ostree::gio;
use std::collections::{BTreeMap, HashMap};
use std::ffi::CString;
use std::fs::File;
use std::os::unix::io::AsRawFd;
use std::os::unix::prelude::{FromRawFd, IntoRawFd};
use std::process::{Command, Stdio};
use std::rc::Rc;
use std::{convert::TryInto, io::Seek};
const IMA_XATTRS: &[&str] = &["security.ima", "security.evm"];
const SELINUX_XATTR: &[u8] = b"security.selinux\0";
#[derive(Debug, Clone)]
pub struct ImaOpts {
pub algorithm: String,
pub key: String,
}
fn xattrs_to_map(v: &glib::Variant) -> BTreeMap<Vec<u8>, Vec<u8>> {
let v = v.data_as_bytes();
let v = v.try_as_aligned().unwrap();
let v = gv!("a(ayay)").cast(v);
let mut map: BTreeMap<Vec<u8>, Vec<u8>> = BTreeMap::new();
for e in v.iter() {
let (k, v) = e.to_tuple();
map.insert(k.into(), v.into());
}
map
}
fn new_variant_a_ayay<'a, T: 'a + AsRef<[u8]>>(
items: impl IntoIterator<Item = (T, T)>,
) -> glib::Variant {
let children: Vec<_> = items
.into_iter()
.map(|(a, b)| {
let a = a.as_ref();
let b = b.as_ref();
Variant::from_tuple(&[a.to_variant(), b.to_variant()])
})
.collect();
Variant::from_array::<(&[u8], &[u8])>(&children)
}
struct CommitRewriter<'a> {
repo: &'a ostree::Repo,
ima: &'a ImaOpts,
tempdir: tempfile::TempDir,
rewritten_files: HashMap<String, Rc<str>>,
}
#[allow(unsafe_code)]
#[context("Gathering xattr {}", k)]
fn steal_xattr(f: &File, k: &str) -> Result<Vec<u8>> {
let k = &CString::new(k)?;
unsafe {
let k = k.as_ptr() as *const _;
let r = libc::fgetxattr(f.as_raw_fd(), k, std::ptr::null_mut(), 0);
if r < 0 {
return Err(nix::Error::last().into());
}
let sz: usize = r.try_into()?;
let mut buf = vec![0u8; sz];
let r = libc::fgetxattr(f.as_raw_fd(), k, buf.as_mut_ptr() as *mut _, sz);
if r < 0 {
return Err(nix::Error::last().into());
}
let r = libc::fremovexattr(f.as_raw_fd(), k);
if r < 0 {
return Err(nix::Error::last().into());
}
Ok(buf)
}
}
impl<'a> CommitRewriter<'a> {
fn new(repo: &'a ostree::Repo, ima: &'a ImaOpts) -> Result<Self> {
Ok(Self {
repo,
ima,
tempdir: tempfile::tempdir_in(format!("/proc/self/fd/{}/tmp", repo.dfd()))?,
rewritten_files: Default::default(),
})
}
#[allow(unsafe_code)]
#[context("Invoking evmctl")]
fn ima_sign(
&self,
instream: &gio::InputStream,
selinux: Option<&Vec<u8>>,
) -> Result<HashMap<Vec<u8>, Vec<u8>>> {
let mut tempf = tempfile::NamedTempFile::new_in(self.tempdir.path())?;
if let Ok(instream) = instream.clone().downcast::<gio::UnixInputStream>() {
let instream_fd = unsafe { File::from_raw_fd(instream.as_raw_fd()) };
instream_fd.copy_to(tempf.as_file_mut())?;
let _ = instream_fd.into_raw_fd();
} else {
let mut instream = instream.clone().into_read();
let _n = std::io::copy(&mut instream, tempf.as_file_mut())?;
}
tempf.seek(std::io::SeekFrom::Start(0))?;
let mut proc = Command::new("evmctl");
proc.current_dir(self.tempdir.path())
.args(&[
"sign",
"--portable",
"--xattr-user",
"--key",
self.ima.key.as_str(),
])
.args(&["--hashalgo", self.ima.algorithm.as_str()]);
if let Some(selinux) = selinux {
let selinux = std::str::from_utf8(selinux)
.context("Non-UTF8 selinux value")?
.trim_end_matches('\0');
proc.args(&["--selinux", selinux]);
}
let proc = proc
.arg("--imasig")
.arg(tempf.path().file_name().unwrap())
.stdout(Stdio::null())
.stderr(Stdio::piped());
let status = proc.output().context("Spawning evmctl")?;
if !status.status.success() {
return Err(anyhow::anyhow!(
"evmctl failed: {:?}\n{}",
status.status,
String::from_utf8_lossy(&status.stderr),
));
}
let mut r = HashMap::new();
for &k in IMA_XATTRS {
let user_k = k.replace("security.", "user.");
let v = steal_xattr(tempf.as_file(), user_k.as_str())?;
let k = CString::new(k)?.into_bytes_with_nul();
r.insert(k, v);
}
Ok(r)
}
#[context("Content object {}", checksum)]
fn map_file(&mut self, checksum: &str) -> Result<Rc<str>> {
if let Some(r) = self.rewritten_files.get(checksum) {
return Ok(Rc::clone(r));
}
let cancellable = gio::NONE_CANCELLABLE;
let (instream, meta, xattrs) = self.repo.load_file(checksum, cancellable)?;
let instream = if let Some(i) = instream {
i
} else {
let r: Rc<str> = checksum.into();
self.rewritten_files
.insert(checksum.to_string(), Rc::clone(&r));
return Ok(r);
};
let meta = meta.unwrap();
let mut xattrs = xattrs_to_map(&xattrs.unwrap());
let selinux = xattrs.get(SELINUX_XATTR);
let xattrs = {
let signed = self.ima_sign(&instream, selinux)?;
xattrs.extend(signed);
new_variant_a_ayay(&xattrs)
};
let (instream, _, _) = self.repo.load_file(checksum, cancellable)?;
let instream = instream.unwrap();
let (ostream, size) =
ostree::raw_file_to_content_stream(&instream, &meta, Some(&xattrs), cancellable)?;
let new_checksum = self
.repo
.write_content(None, &ostream, size, cancellable)?
.to_hex();
let r: Rc<str> = new_checksum.into();
self.rewritten_files
.insert(checksum.to_string(), Rc::clone(&r));
Ok(r)
}
fn map_dirtree(&mut self, checksum: &str) -> Result<String> {
let src = &self
.repo
.load_variant(ostree::ObjectType::DirTree, checksum)?;
let src = src.data_as_bytes();
let src = src.try_as_aligned()?;
let src = gv!("(a(say)a(sayay))").cast(src);
let (files, dirs) = src.to_tuple();
let mut hexbuf = [0u8; 64];
let mut new_files = Vec::new();
for file in files {
let (name, csum) = file.to_tuple();
let name = name.to_str();
hex::encode_to_slice(csum, &mut hexbuf)?;
let checksum = std::str::from_utf8(&hexbuf)?;
let mapped = self.map_file(checksum)?;
let mapped = hex::decode(&*mapped)?;
new_files.push((name, mapped));
}
let mut new_dirs = Vec::new();
for item in dirs {
let (name, contents_csum, meta_csum_bytes) = item.to_tuple();
let name = name.to_str();
hex::encode_to_slice(contents_csum, &mut hexbuf)?;
let contents_csum = std::str::from_utf8(&hexbuf)?;
let mapped = self.map_dirtree(&contents_csum)?;
let mapped = hex::decode(mapped)?;
new_dirs.push((name, mapped, meta_csum_bytes));
}
let new_dirtree = (new_files, new_dirs).to_variant();
let mapped = self
.repo
.write_metadata(
ostree::ObjectType::DirTree,
None,
&new_dirtree,
gio::NONE_CANCELLABLE,
)?
.to_hex();
Ok(mapped)
}
#[context("Mapping {}", rev)]
fn map_commit(&mut self, rev: &str) -> Result<String> {
let checksum = self.repo.resolve_rev(rev, false)?.unwrap();
let cancellable = gio::NONE_CANCELLABLE;
let (commit_v, _) = self.repo.load_commit(&checksum)?;
let commit_v = &commit_v;
let commit_bytes = commit_v.data_as_bytes();
let commit_bytes = commit_bytes.try_as_aligned()?;
let commit = gv!("(a{sv}aya(say)sstayay)").cast(commit_bytes);
let commit = commit.to_tuple();
let contents = &hex::encode(commit.6);
let new_dt = self.map_dirtree(contents)?;
let n_parts = 8;
let mut parts = Vec::with_capacity(n_parts);
for i in 0..n_parts {
parts.push(commit_v.child_value(i));
}
let new_dt = hex::decode(new_dt)?;
parts[6] = new_dt.to_variant();
let new_commit = Variant::from_tuple(&parts);
let new_commit_checksum = self
.repo
.write_metadata(ostree::ObjectType::Commit, None, &new_commit, cancellable)?
.to_hex();
Ok(new_commit_checksum)
}
}
pub fn ima_sign(repo: &ostree::Repo, ostree_ref: &str, opts: &ImaOpts) -> Result<String> {
let writer = &mut CommitRewriter::new(&repo, &opts)?;
writer.map_commit(ostree_ref)
}