skeleton [CI SKIP]

This commit is contained in:
shimunn 2019-09-10 15:59:28 +02:00
parent acfe506f51
commit 419049068a
Signed by: shimun
GPG Key ID: E81D8382DC2F971B
7 changed files with 921 additions and 219 deletions

904
Cargo.lock generated

File diff suppressed because it is too large Load Diff

View File

@ -4,20 +4,19 @@ version = "0.1.0"
authors = ["shim_ <shimun@shimun.net>"] authors = ["shim_ <shimun@shimun.net>"]
edition = "2018" edition = "2018"
[profile.release]
opt-level = 'z'
panic = 'abort'
[dependencies] [dependencies]
snap = "0.1" snap = "0.1"
rustc-serialize = "0.3.19" rustc-serialize = "0.3.19"
iron = "0.6.0"
rand = "0.4.2" rand = "0.4.2"
byteorder = "1.3.2" byteorder = "1.3.2"
chrono = "0.4.9" chrono = "0.4.9"
sequoia-openpgp = "0.9.0" sequoia-openpgp = "0.9.0"
lazy_static = "1.4.0"
c2-chacha = "0.2.2" c2-chacha = "0.2.2"
sha2 = "0.8.0" sha2 = "0.8.0"
hex = "0.3.2" hex = "0.3.2"
tower-web = "0.3.7"
tokio = "0.1.22"

View File

@ -1,12 +1,11 @@
use c2_chacha::stream_cipher::{NewStreamCipher, SyncStreamCipher, SyncStreamCipherSeek}; use c2_chacha::stream_cipher::{NewStreamCipher, SyncStreamCipher};
use c2_chacha::{ChaCha12, ChaCha20}; use c2_chacha::ChaCha20;
use std::convert::TryInto;
use std::io::{Read, Result, Write}; use std::io::{Read, Result, Write};
pub struct ChaChaReader<'a>(ChaCha20, &'a mut Read); pub struct ChaChaReader<'a>(ChaCha20, &'a mut dyn Read);
impl<'a> ChaChaReader<'a> { impl<'a> ChaChaReader<'a> {
pub fn new(key: &[u8], nonce: &[u8], source: &'a mut Read) -> ChaChaReader<'a> { pub fn new(key: &[u8], nonce: &[u8], source: &'a mut dyn Read) -> ChaChaReader<'a> {
ChaChaReader(ChaCha20::new_var(key, nonce).unwrap(), source) ChaChaReader(ChaCha20::new_var(key, nonce).unwrap(), source)
} }
} }
@ -19,10 +18,10 @@ impl<'a> Read for ChaChaReader<'a> {
} }
} }
pub struct ChaChaWriter<'a>(ChaCha20, &'a mut Write); pub struct ChaChaWriter<'a>(ChaCha20, &'a mut dyn Write);
impl<'a> ChaChaWriter<'a> { impl<'a> ChaChaWriter<'a> {
pub fn new(key: &[u8], nonce: &[u8], sink: &'a mut Write) -> ChaChaWriter<'a> { pub fn new(key: &[u8], nonce: &[u8], sink: &'a mut dyn Write) -> ChaChaWriter<'a> {
ChaChaWriter(ChaCha20::new_var(key, nonce).unwrap(), sink) ChaChaWriter(ChaCha20::new_var(key, nonce).unwrap(), sink)
} }
} }

View File

@ -1,126 +1,13 @@
#[macro_use] #[macro_use]
extern crate tower_web;
#[macro_use]
extern crate lazy_static; extern crate lazy_static;
extern crate chrono;
extern crate iron;
extern crate rand;
extern crate sequoia_openpgp as openpgp; extern crate sequoia_openpgp as openpgp;
extern crate snap;
mod chacha_io; mod chacha_io;
mod pgp; mod pgp;
mod server;
mod snippet; mod snippet;
use crate::snippet::*;
use crate::pgp::KnownKeys;
use byteorder::{BigEndian, ReadBytesExt, WriteBytesExt};
use chacha_io::{ChaChaReader, ChaChaWriter};
use chrono::*;
use core::cell::RefCell;
use iron::method::Method;
use iron::modifiers::Redirect;
use iron::prelude::*;
use iron::url::Url;
use rand::Rng;
use sha2::{Digest, Sha256};
use std::borrow::BorrowMut;
use std::convert::TryInto;
use std::fs;
use std::fs::File;
use std::io;
use std::io::prelude::*;
use std::iter::Iterator;
use std::path::{Path, PathBuf};
use std::sync::Mutex;
use std::sync::Arc;
#[cfg(not(debug_assertions))]
const STORAGE_DIR: &str = "/snips";
#[cfg(debug_assertions)]
const STORAGE_DIR: &str = "/tmp";
lazy_static! {
static ref KNOWN_KEYS: Arc<Mutex<KnownKeys>> = Arc::new(Mutex::new(
KnownKeys::load_dir([STORAGE_DIR, "keys"].join("/")).expect("Failed to load pubkeys")
));
}
const VERSION: &str = env!("CARGO_PKG_VERSION");
fn handle(req: &mut Request) -> IronResult<Response> {
println!("{}", req.url);
let storage = SnippetStorage::new(&Path::new(STORAGE_DIR));
let segments: Vec<&str> = req.url.path();
match (&req.method, segments.first()) {
(Method::Get, Some(&"version")) => Ok(Response::with((iron::status::Ok, VERSION))),
(Method::Post, Some(path)) => {
if path == &"new" {
let snip = {
let pgp_text: String = {
let bytes = ((&mut req.body).bytes().take(1024 * 512).collect::<Result<
Vec<u8>,
io::Error,
>>(
))
.map_err(|err| IronError::new(err, ""))?;
String::from_utf8(bytes)
.map_err(|err| IronError::new(err, "Invalid utf8"))?
};
let b_text = KNOWN_KEYS
.lock()
.unwrap() //.map_err(|_| IronError::new(std::error::Error::from("Mutex Err"), "PGP Context unavailable"))?
.verify(pgp_text.as_bytes())
.map_err(|err| IronError::new(err, "Untrusted signature"))?;
let text = String::from_utf8(b_text).unwrap();
Snippet::random(&storage).write(&*text).map_err(|err| {
let msg = format!("Failed to save snippet: {:?}", &err);
IronError::new(err, msg)
})
};
snip.map(|snip| {
let mut snip_url: Url = req.url.clone().into();
snip_url.set_path(&*("/".to_string() + &*snip.id));
Response::with((
iron::status::TemporaryRedirect,
Redirect(iron::Url::from_generic_url(snip_url).unwrap()),
))
/*Response::with((
iron::status::Ok,
format!(
"<meta http-equiv=\"refresh\" content=\"0; url={}/\" />",
snip_url
),
))*/
})
} else {
Ok(Response::with((
iron::status::BadRequest,
"Post to /new or die",
)))
}
}
(Method::Get, Some(id)) => {
let att = storage.open(&id).map(|snip| snip.contents()).map(|res| {
Response::with(
match res.map(|text| (iron::status::Ok, text)).map_err(|err| {
let msg = format!("Failed to load snippet: {:?}", &err);
msg
}) {
Ok(res) => res,
Err(e) => (iron::status::InternalServerError, e),
},
)
});
Ok(att.unwrap_or(Response::with((iron::status::NotFound, "Not here sry"))))
}
(Method::Get, _) => Ok(Response::with((iron::status::NotFound, "Wrong path pal"))),
_ => Ok(Response::with((iron::status::BadRequest, "Give or take"))),
}
}
fn main() { fn main() {
let chain = Chain::new(handle); server::run();
println!("Starting brownpaper: {}", STORAGE_DIR);
Iron::new(chain).http("0.0.0.0:3000").unwrap();
} }

View File

@ -1,12 +1,13 @@
use crate::snippet::*;
use openpgp::parse::stream::*; use openpgp::parse::stream::*;
use openpgp::parse::Parse; use openpgp::parse::Parse;
use openpgp::*; use openpgp::*;
use std::fs; use std::fs;
use std::fs::File;
use std::io; use std::io;
use std::io::prelude::*; use std::io::prelude::*;
use std::path::Path; use std::path::Path;
#[derive(Debug, Clone)]
pub struct KnownKeys { pub struct KnownKeys {
keys: Vec<openpgp::TPK>, keys: Vec<openpgp::TPK>,
} }
@ -37,8 +38,9 @@ impl KnownKeys {
pub fn verify(&mut self, r: impl Read) -> io::Result<Vec<u8>> { pub fn verify(&mut self, r: impl Read) -> io::Result<Vec<u8>> {
let mut content = Vec::with_capacity(2048); let mut content = Vec::with_capacity(2048);
let helper = &*self; let helper = &*self;
let mut v = Verifier::<&KnownKeys>::from_reader(r, helper, None) let mut v = Verifier::<&KnownKeys>::from_reader(r, helper, None).map_err(|e| {
.map_err(|e| io::Error::new(io::ErrorKind::InvalidData, "Failed to verify signature"))?; io::Error::new(io::ErrorKind::InvalidData, "Failed to verify signature")
})?;
if v.read_to_end(&mut content).is_err() { if v.read_to_end(&mut content).is_err() {
return Err(io::Error::new( return Err(io::Error::new(
io::ErrorKind::InvalidData, io::ErrorKind::InvalidData,

53
src/server.rs Normal file
View File

@ -0,0 +1,53 @@
use crate::pgp::KnownKeys;
use crate::snippet::*;
use std::path::Path;
use std::sync::Mutex;
use tokio::prelude::*;
use tower_web::ServiceBuilder;
use tower_web::{derive_resource_impl, impl_web};
#[derive(Debug)]
struct Brownpaper {
storage: SnippetStorage,
known_keys: Mutex<KnownKeys>,
}
impl_web! {
impl Brownpaper {
#[get("/")]
async fn root(&self) -> &'static str {
"Post /new, Get /<id>"
}
#[post("/new")]
async fn new(&self) -> Result<> {}
#[get("/:id")]
async fn snipptet(&self, id: String) -> Result<> {}
#[get("/file/:file_id")]
async fn snipptet_file(&self, file_id: String) -> Result<> {}
}
}
#[cfg(not(debug_assertions))]
const STORAGE_DIR: &str = "/snips";
#[cfg(debug_assertions)]
const STORAGE_DIR: &str = "/tmp";
pub fn run() {
let addr = "0.0.0.0:3000".parse().expect("Invalid address");
println!("Listening on http://{}", addr);
ServiceBuilder::new()
.resource(Brownpaper {
storage: SnippetStorage::new(Path::new(STORAGE_DIR)),
known_keys: Mutex::new(
KnownKeys::load_dir([STORAGE_DIR, "keys"].join("/"))
.expect("Failed to load PGP Keys"),
),
})
.run(&addr)
.unwrap();
}

View File

@ -1,38 +1,31 @@
use crate::pgp::KnownKeys;
use byteorder::{BigEndian, ReadBytesExt, WriteBytesExt};
use crate::chacha_io::{ChaChaReader, ChaChaWriter}; use crate::chacha_io::{ChaChaReader, ChaChaWriter};
use byteorder::{BigEndian, ReadBytesExt, WriteBytesExt};
use chrono::*; use chrono::*;
use core::cell::RefCell;
use iron::method::Method;
use iron::modifiers::Redirect;
use iron::prelude::*;
use iron::url::Url;
use rand::Rng; use rand::Rng;
use sha2::{Digest, Sha256}; use sha2::{Digest, Sha256};
use std::borrow::BorrowMut;
use std::convert::TryInto; use std::convert::TryInto;
use std::fs;
use std::fs::File; use std::fs::File;
use std::io; use std::io;
use std::io::prelude::*; use std::io::prelude::*;
use std::iter::Iterator; use std::iter::Iterator;
use std::path::{Path, PathBuf}; use std::path::{Path, PathBuf};
use std::sync::Mutex;
use std::sync::Arc;
#[derive(Debug)]
pub struct Snippet<'a> { pub struct Snippet<'a> {
pub id: String, pub id: String,
pub storage: &'a SnippetStorage<'a>, pub storage: &'a SnippetStorage,
} }
#[allow(dead_code)] #[allow(dead_code)]
#[derive(Debug)]
pub struct SnippetMeta { pub struct SnippetMeta {
created: DateTime<Utc>, created: DateTime<Utc>,
compression: Option<String>, compression: Option<String>,
} }
pub struct SnippetStorage<'a> { #[derive(Debug)]
directory: &'a Path, pub struct SnippetStorage {
directory: PathBuf,
} }
impl<'a> Snippet<'a> { impl<'a> Snippet<'a> {
@ -135,10 +128,10 @@ impl<'a> Snippet<'a> {
} }
} }
impl<'a> SnippetStorage<'a> { impl SnippetStorage {
pub fn new(directory: &'a Path) -> SnippetStorage<'a> { pub fn new(directory: impl Into<PathBuf>) -> SnippetStorage {
SnippetStorage { SnippetStorage {
directory: directory, directory: directory.into(),
} }
} }
pub fn file_id(id: &str) -> String { pub fn file_id(id: &str) -> String {
@ -158,4 +151,3 @@ impl<'a> SnippetStorage<'a> {
} }
} }
} }