hagrid-keyserver--hagrid/database/src/fs.rs

600 lines
17 KiB
Rust
Raw Normal View History

2019-02-22 21:27:36 +00:00
use parking_lot::{Mutex, MutexGuard};
use std::fs::{create_dir_all, read_link, remove_file, rename, File};
2019-02-07 19:58:31 +00:00
use std::io::{Read, Write};
use std::path::{Path, PathBuf};
2019-02-07 19:58:31 +00:00
use std::str;
2018-08-16 18:35:19 +00:00
use serde_json;
2019-02-07 19:58:31 +00:00
use tempfile;
use url;
use pathdiff::diff_paths;
2018-08-16 18:35:19 +00:00
2019-02-22 21:37:01 +00:00
//use sequoia_openpgp::armor::{Writer, Kind};
use {Database, Delete, Verify, Query};
2019-01-04 13:07:14 +00:00
use types::{Email, Fingerprint, KeyID};
2019-02-07 19:58:31 +00:00
use Result;
2018-08-16 18:35:19 +00:00
2018-09-19 20:22:59 +00:00
pub struct Filesystem {
2019-02-22 21:27:36 +00:00
update_lock: Mutex<()>,
2018-08-16 18:35:19 +00:00
base: PathBuf,
base_by_keyid: PathBuf,
base_by_fingerprint: PathBuf,
base_by_email: PathBuf,
2018-08-16 18:35:19 +00:00
}
/// Returns the given path, ensuring that the parent directory exists.
///
/// Use this on paths returned by .path_to_* before creating the
/// object.
fn ensure_parent(path: &Path) -> Result<&Path> {
let parent = path.parent().unwrap();
create_dir_all(parent)?;
Ok(path)
}
2018-08-16 18:35:19 +00:00
impl Filesystem {
pub fn new<P: Into<PathBuf>>(base: P) -> Result<Self> {
use std::fs;
let base: PathBuf = base.into();
if fs::create_dir(&base).is_err() {
let meta = fs::metadata(&base);
match meta {
Ok(meta) => {
if !meta.file_type().is_dir() {
return Err(failure::format_err!(
2019-02-07 19:58:31 +00:00
"'{}' exists already and is not a directory",
base.display()));
2018-08-16 18:35:19 +00:00
}
if meta.permissions().readonly() {
return Err(failure::format_err!(
2019-02-07 19:58:31 +00:00
"Cannot write '{}'",
base.display()));
2018-08-16 18:35:19 +00:00
}
}
Err(e) => {
return Err(failure::format_err!(
2019-02-07 19:58:31 +00:00
"Cannot read '{}': {}",
base.display(), e));
2018-08-16 18:35:19 +00:00
}
}
}
// create directories
create_dir_all(base.join("verification_tokens"))?;
create_dir_all(base.join("deletion_tokens"))?;
create_dir_all(base.join("scratch_pad"))?;
let base_by_keyid = base.join("public").join("by-keyid");
let base_by_fingerprint = base.join("public").join("by-fpr");
let base_by_email = base.join("public").join("by-email");
create_dir_all(&base_by_keyid)?;
create_dir_all(&base_by_fingerprint)?;
create_dir_all(&base_by_email)?;
2018-08-16 18:35:19 +00:00
info!("Opened base dir '{}'", base.display());
Ok(Filesystem {
2019-02-22 21:27:36 +00:00
update_lock: Mutex::new(()),
base: base,
base_by_keyid: base_by_keyid,
base_by_fingerprint: base_by_fingerprint,
base_by_email: base_by_email,
})
}
/// Returns the path to the given KeyID.
fn keyid_to_path(&self, keyid: &KeyID) -> PathBuf {
let hex = keyid.to_string();
self.base_by_keyid.join(&hex[..2]).join(&hex[2..])
}
/// Returns the path to the given Fingerprint.
fn fingerprint_to_path(&self, fingerprint: &Fingerprint) -> PathBuf {
let hex = fingerprint.to_string();
self.base_by_fingerprint.join(&hex[..2]).join(&hex[2..])
}
/// Returns the path to the given Email.
2019-03-05 12:31:59 +00:00
fn email_to_path(&self, email: &Email) -> PathBuf {
let email =
url::form_urlencoded::byte_serialize(email.as_str().as_bytes())
.collect::<String>();
if email.len() > 2 {
self.base_by_email.join(&email[..2]).join(&email[2..])
} else {
self.base_by_email.join(email)
}
2018-08-16 18:35:19 +00:00
}
/// Returns the Fingerprint the given path is pointing to.
fn path_to_fingerprint(&self, path: &Path) -> Option<Fingerprint> {
use std::str::FromStr;
let rest = path.file_name()?;
let prefix = path.parent()?.file_name()?;
Fingerprint::from_str(&format!("{}{}", prefix.to_str()?, rest.to_str()?))
.ok()
}
2018-08-16 18:35:19 +00:00
fn new_token<'a>(&self, base: &'a str) -> Result<(File, String)> {
use rand::distributions::Alphanumeric;
2019-02-07 19:58:31 +00:00
use rand::{thread_rng, Rng};
2018-08-16 18:35:19 +00:00
let mut rng = thread_rng();
// samples from [a-zA-Z0-9]
// 43 chars ~ 256 bit
let name: String = rng.sample_iter(&Alphanumeric).take(43).collect();
let dir = self.base.join(base);
2019-03-07 15:00:36 +00:00
let fd = File::create(dir.join(&name))?;
2018-08-16 18:35:19 +00:00
Ok((fd, name))
}
2019-02-07 19:58:31 +00:00
fn pop_token<'a>(
&self, base: &'a str, token: &'a str,
) -> Result<Box<[u8]>> {
2018-08-16 18:35:19 +00:00
let path = self.base.join(base).join(token);
let buf = {
2019-03-07 15:00:36 +00:00
let mut fd = File::open(&path)?;
2018-08-16 18:35:19 +00:00
let mut buf = Vec::default();
fd.read_to_end(&mut buf)?;
buf.into_boxed_slice()
};
remove_file(path)?;
Ok(buf)
}
}
// Like `symlink`, but instead of failing if `symlink_name` already
// exists, atomically update `symlink_name` to have `symlink_content`.
fn symlink(symlink_content: &Path, symlink_name: &Path) -> Result<()> {
use std::os::unix::fs::{symlink};
let symlink_dir = ensure_parent(symlink_name)?.parent().unwrap();
let tmp_dir = tempfile::Builder::new()
.prefix("link")
.rand_bytes(16)
.tempdir_in(symlink_dir)?;
let symlink_name_tmp = tmp_dir.path().join("link");
symlink(&symlink_content, &symlink_name_tmp)?;
rename(&symlink_name_tmp, &symlink_name)?;
Ok(())
}
2018-08-16 18:35:19 +00:00
impl Database for Filesystem {
2019-02-22 21:27:36 +00:00
fn lock(&self) -> MutexGuard<()> {
self.update_lock.lock()
}
2018-09-19 20:22:59 +00:00
fn new_verify_token(&self, payload: Verify) -> Result<String> {
2018-08-16 18:35:19 +00:00
let (mut fd, name) = self.new_token("verification_tokens")?;
fd.write_all(serde_json::to_string(&payload)?.as_bytes())?;
Ok(name)
}
2018-09-19 20:22:59 +00:00
fn new_delete_token(&self, payload: Delete) -> Result<String> {
2018-08-16 18:35:19 +00:00
let (mut fd, name) = self.new_token("deletion_tokens")?;
fd.write_all(serde_json::to_string(&payload)?.as_bytes())?;
Ok(name)
}
fn update(
2019-02-22 21:37:01 +00:00
&self, fpr: &Fingerprint, new: Option<String>,
) -> Result<()> {
let target = self.fingerprint_to_path(fpr);
2018-08-16 18:35:19 +00:00
let dir = self.base.join("scratch_pad");
match new {
Some(new) => {
let mut tmp = tempfile::Builder::new()
.prefix("key")
.rand_bytes(16)
.tempfile_in(dir)?;
2019-02-22 21:37:01 +00:00
tmp.write_all(new.as_bytes()).unwrap();
let _ = tmp.persist(ensure_parent(&target)?)?;
2019-01-04 13:20:48 +00:00
// fix permissions to 640
if cfg!(unix) {
use std::fs::{set_permissions, Permissions};
2019-02-07 19:58:31 +00:00
use std::os::unix::fs::PermissionsExt;
2019-01-04 13:20:48 +00:00
let perm = Permissions::from_mode(0o640);
set_permissions(target, perm)?;
}
2018-08-16 18:35:19 +00:00
}
None => {
remove_file(target)?;
}
}
Ok(())
2018-08-16 18:35:19 +00:00
}
fn lookup_primary_fingerprint(&self, term: &Query) -> Option<Fingerprint> {
use super::Query::*;
match term {
ByFingerprint(ref fp) => {
let path = self.fingerprint_to_path(fp);
let typ = match path.symlink_metadata() {
Ok(meta) => meta.file_type(),
Err(_) => return None,
};
if typ.is_file() {
Some(fp.clone())
} else if typ.is_symlink() {
path.read_link().ok()
.and_then(|path| self.path_to_fingerprint(&path))
} else {
// Neither file nor symlink. Freak value.
None
}
},
ByKeyID(ref keyid) => {
let path = self.keyid_to_path(keyid);
path.read_link().ok()
.and_then(|path| self.path_to_fingerprint(&path))
},
ByEmail(ref email) => {
2019-03-05 12:31:59 +00:00
let path = self.email_to_path(email);
path.read_link().ok()
.and_then(|path| self.path_to_fingerprint(&path))
},
}
}
/// Gets the path to the underlying file, if any.
fn lookup_path(&self, term: &Query) -> Option<PathBuf> {
use super::Query::*;
let path = match term {
ByFingerprint(ref fp) => self.fingerprint_to_path(fp),
ByKeyID(ref keyid) => self.keyid_to_path(keyid),
2019-03-05 12:31:59 +00:00
ByEmail(ref email) => self.email_to_path(email),
};
if path.exists() {
Some(diff_paths(&path, &self.base).expect("related paths"))
} else {
None
}
}
fn link_email(&self, email: &Email, fpr: &Fingerprint) -> Result<()> {
let link = self.email_to_path(&email);
let target = diff_paths(&self.fingerprint_to_path(fpr),
link.parent().unwrap()).unwrap();
2018-08-16 18:35:19 +00:00
if link == target {
return Ok(());
2018-08-16 18:35:19 +00:00
}
symlink(&target, ensure_parent(&link)?)
2018-08-16 18:35:19 +00:00
}
fn unlink_email(&self, email: &Email, fpr: &Fingerprint) -> Result<()> {
let link = self.email_to_path(&email);
2018-08-16 18:35:19 +00:00
2019-03-07 15:00:36 +00:00
match read_link(&link) {
2018-08-16 18:35:19 +00:00
Ok(target) => {
let expected = diff_paths(&self.fingerprint_to_path(fpr),
link.parent().unwrap()).unwrap();
2018-08-16 18:35:19 +00:00
if target == expected {
remove_file(link)?;
2018-08-16 18:35:19 +00:00
}
}
Err(_) => {}
}
Ok(())
2018-08-16 18:35:19 +00:00
}
fn link_kid(&self, kid: &KeyID, fpr: &Fingerprint) -> Result<()> {
let link = self.keyid_to_path(kid);
let target = diff_paths(&self.fingerprint_to_path(fpr),
link.parent().unwrap()).unwrap();
2019-01-04 13:07:14 +00:00
if link == target {
return Ok(());
2019-01-04 13:07:14 +00:00
}
if link.exists() {
match link.symlink_metadata() {
Ok(ref meta) if meta.file_type().is_file() => {
// If a key is a subkey and a primary key, prefer
// the primary.
return Ok(());
}
_ => {}
}
}
symlink(&target, ensure_parent(&link)?)
2019-01-04 13:07:14 +00:00
}
fn unlink_kid(&self, kid: &KeyID, fpr: &Fingerprint) -> Result<()> {
let link = self.keyid_to_path(kid);
2019-01-04 13:07:14 +00:00
2019-03-07 15:00:36 +00:00
match read_link(&link) {
2019-01-04 13:07:14 +00:00
Ok(target) => {
let expected = self.fingerprint_to_path(fpr);
2019-01-04 13:07:14 +00:00
if target == expected {
remove_file(link)?;
2019-01-04 13:07:14 +00:00
}
}
Err(_) => {}
}
Ok(())
2019-01-04 13:07:14 +00:00
}
fn link_fpr(&self, from: &Fingerprint, fpr: &Fingerprint) -> Result<()> {
if from == fpr {
return Ok(());
2019-02-07 19:58:31 +00:00
}
let link = self.fingerprint_to_path(from);
let target = diff_paths(&self.fingerprint_to_path(fpr),
link.parent().unwrap()).unwrap();
symlink(&target, ensure_parent(&link)?)
2019-01-04 13:07:14 +00:00
}
fn unlink_fpr(&self, from: &Fingerprint, fpr: &Fingerprint) -> Result<()> {
let link = self.fingerprint_to_path(from);
2019-01-04 13:07:14 +00:00
2019-03-07 15:00:36 +00:00
match read_link(&link) {
2019-01-04 13:07:14 +00:00
Ok(target) => {
let expected = self.fingerprint_to_path(fpr);
2019-01-04 13:07:14 +00:00
if target == expected {
remove_file(link)?;
2019-01-04 13:07:14 +00:00
}
}
Err(_) => {}
}
Ok(())
2019-01-04 13:07:14 +00:00
}
2018-09-19 20:22:59 +00:00
fn pop_verify_token(&self, token: &str) -> Option<Verify> {
2019-02-07 19:58:31 +00:00
self.pop_token("verification_tokens", token)
.ok()
.and_then(|raw| str::from_utf8(&raw).ok().map(|s| s.to_string()))
.and_then(|s| {
let s = serde_json::from_str(&s);
s.ok()
})
2018-08-16 18:35:19 +00:00
}
2018-09-19 20:22:59 +00:00
fn pop_delete_token(&self, token: &str) -> Option<Delete> {
2019-02-07 19:58:31 +00:00
self.pop_token("deletion_tokens", token)
.ok()
.and_then(|raw| str::from_utf8(&raw).ok().map(|s| s.to_string()))
.and_then(|s| serde_json::from_str(&s).ok())
2018-08-16 18:35:19 +00:00
}
// XXX: slow
2019-02-22 20:29:51 +00:00
fn by_fpr(&self, fpr: &Fingerprint) -> Option<String> {
let target = self.fingerprint_to_path(fpr);
2018-08-16 18:35:19 +00:00
File::open(target).ok().and_then(|mut fd| {
2019-02-22 20:29:51 +00:00
let mut buf = String::new();
if fd.read_to_string(&mut buf).is_ok() {
Some(buf)
2018-08-16 18:35:19 +00:00
} else {
None
}
})
}
// XXX: slow
2019-02-22 20:29:51 +00:00
fn by_email(&self, email: &Email) -> Option<String> {
2018-09-19 20:23:39 +00:00
use std::fs;
2018-08-16 18:35:19 +00:00
let path = self.email_to_path(&email);
2018-09-19 20:23:39 +00:00
2019-02-07 19:58:31 +00:00
fs::canonicalize(path)
.ok()
.and_then(
|p| {
if p.starts_with(&self.base) {
Some(p)
} else {
None
}
},
)
.and_then(|p| File::open(p).ok())
.and_then(|mut fd| {
2019-02-22 20:29:51 +00:00
let mut buf = String::new();
if fd.read_to_string(&mut buf).is_ok() {
Some(buf)
2018-09-19 20:23:39 +00:00
} else {
None
}
})
2018-08-16 18:35:19 +00:00
}
2019-01-04 13:07:14 +00:00
// XXX: slow
2019-02-22 20:29:51 +00:00
fn by_kid(&self, kid: &KeyID) -> Option<String> {
2019-01-04 13:07:14 +00:00
use std::fs;
let path = self.keyid_to_path(kid);
2019-02-07 19:58:31 +00:00
fs::canonicalize(path)
.ok()
.and_then(
|p| {
if p.starts_with(&self.base) {
Some(p)
} else {
None
}
},
)
.and_then(|p| File::open(p).ok())
.and_then(|mut fd| {
2019-02-22 20:29:51 +00:00
let mut buf = String::new();
if fd.read_to_string(&mut buf).is_ok() {
Some(buf)
2019-01-04 13:07:14 +00:00
} else {
None
}
})
}
2018-08-16 18:35:19 +00:00
}
#[cfg(test)]
mod tests {
use super::*;
use test;
use openpgp::tpk::TPKBuilder;
2019-02-07 19:58:31 +00:00
use tempfile::TempDir;
2018-08-16 18:35:19 +00:00
#[test]
fn init() {
let tmpdir = TempDir::new().unwrap();
let _ = Filesystem::new(tmpdir.path()).unwrap();
}
#[test]
fn new() {
let tmpdir = TempDir::new().unwrap();
2018-10-25 15:42:02 +00:00
let db = Filesystem::new(tmpdir.path()).unwrap();
2019-03-07 12:51:18 +00:00
let k1 = TPKBuilder::default().add_userid("a@invalid.example.org")
.generate().unwrap().0;
let k2 = TPKBuilder::default().add_userid("b@invalid.example.org")
.generate().unwrap().0;
let k3 = TPKBuilder::default().add_userid("c@invalid.example.org")
.generate().unwrap().0;
2018-08-16 18:35:19 +00:00
assert!(db.merge_or_publish(k1).unwrap().len() > 0);
assert!(db.merge_or_publish(k2.clone()).unwrap().len() > 0);
assert!(!db.merge_or_publish(k2).unwrap().len() > 0);
assert!(db.merge_or_publish(k3.clone()).unwrap().len() > 0);
assert!(!db.merge_or_publish(k3.clone()).unwrap().len() > 0);
assert!(!db.merge_or_publish(k3).unwrap().len() > 0);
}
#[test]
fn uid_verification() {
let tmpdir = TempDir::new().unwrap();
let mut db = Filesystem::new(tmpdir.path()).unwrap();
test::test_uid_verification(&mut db);
}
#[test]
fn uid_deletion() {
let tmpdir = TempDir::new().unwrap();
let mut db = Filesystem::new(tmpdir.path()).unwrap();
test::test_uid_deletion(&mut db);
}
2019-01-04 13:07:14 +00:00
#[test]
fn uid_deletion_request() {
let tmpdir = TempDir::new().unwrap();
let mut db = Filesystem::new(tmpdir.path()).unwrap();
test::test_uid_deletion_request(&mut db);
}
2019-01-04 13:07:14 +00:00
#[test]
fn subkey_lookup() {
let tmpdir = TempDir::new().unwrap();
let mut db = Filesystem::new(tmpdir.path()).unwrap();
test::test_subkey_lookup(&mut db);
}
#[test]
fn kid_lookup() {
let tmpdir = TempDir::new().unwrap();
let mut db = Filesystem::new(tmpdir.path()).unwrap();
test::test_kid_lookup(&mut db);
}
#[test]
fn upload_revoked_tpk() {
let tmpdir = TempDir::new().unwrap();
let mut db = Filesystem::new(tmpdir.path()).unwrap();
test::test_upload_revoked_tpk(&mut db);
}
#[test]
fn uid_revocation() {
let tmpdir = TempDir::new().unwrap();
let mut db = Filesystem::new(tmpdir.path()).unwrap();
test::test_uid_revocation(&mut db);
}
2019-02-07 20:01:59 +00:00
#[test]
fn key_reupload() {
let tmpdir = TempDir::new().unwrap();
let mut db = Filesystem::new(tmpdir.path()).unwrap();
test::test_reupload(&mut db);
}
#[test]
fn uid_replacement() {
let tmpdir = TempDir::new().unwrap();
let mut db = Filesystem::new(tmpdir.path()).unwrap();
test::test_uid_replacement(&mut db);
}
#[test]
fn uid_stealing() {
let tmpdir = TempDir::new().unwrap();
let mut db = Filesystem::new(tmpdir.path()).unwrap();
test::test_steal_uid(&mut db);
}
#[test]
fn same_email_1() {
let tmpdir = TempDir::new().unwrap();
let mut db = Filesystem::new(tmpdir.path()).unwrap();
test::test_same_email_1(&mut db);
}
#[test]
fn same_email_2() {
let tmpdir = TempDir::new().unwrap();
let mut db = Filesystem::new(tmpdir.path()).unwrap();
test::test_same_email_2(&mut db);
}
#[test]
fn reverse_fingerprint_to_path() {
let tmpdir = TempDir::new().unwrap();
let db = Filesystem::new(tmpdir.path()).unwrap();
let fp: Fingerprint =
"CBCD8F030588653EEDD7E2659B7DD433F254904A".parse().unwrap();
assert_eq!(db.path_to_fingerprint(&db.fingerprint_to_path(&fp)),
Some(fp));
}
2018-08-16 18:35:19 +00:00
}