hoc/src/main.rs

477 lines
14 KiB
Rust
Raw Normal View History

#![type_length_limit = "2257138"]
2019-04-16 20:55:25 +02:00
#[macro_use]
2019-04-16 16:57:06 +02:00
extern crate actix_web;
2019-04-21 20:45:36 +02:00
#[macro_use]
extern crate lazy_static;
#[macro_use]
2019-04-19 16:01:47 +02:00
extern crate serde_derive;
#[macro_use]
extern crate tracing;
2019-04-19 16:01:47 +02:00
2019-04-19 22:51:58 +02:00
mod cache;
mod config;
mod count;
2019-04-19 16:01:47 +02:00
mod error;
2019-04-29 20:41:53 +02:00
mod service;
mod statics;
2019-11-25 17:27:16 +01:00
mod template;
2019-04-16 16:57:06 +02:00
2020-05-15 12:15:02 +02:00
#[cfg(test)]
mod tests;
2019-04-29 20:42:17 +02:00
use crate::{
cache::CacheState,
error::{Error, Result},
service::{Bitbucket, FormService, GitHub, Gitlab, Service},
2019-06-12 21:50:45 +02:00
statics::{CLIENT, CSS, FAVICON, OPT, REPO_COUNT, VERSION_INFO},
2019-11-25 17:27:16 +01:00
template::RepoInfo,
2019-04-29 20:42:17 +02:00
};
use actix_web::{
2020-05-15 13:15:54 +02:00
http::header::{CacheControl, CacheDirective, Expires, LOCATION},
2020-09-19 14:22:56 +02:00
middleware::{self, normalize::TrailingSlash},
web, App, HttpResponse, HttpServer, Responder,
};
2019-04-16 16:57:06 +02:00
use badge::{Badge, BadgeOptions};
use git2::{BranchType, Repository};
2020-05-01 13:18:22 +02:00
use number_prefix::NumberPrefix;
2019-04-16 16:57:06 +02:00
use std::{
borrow::Cow,
2019-07-07 18:27:50 +02:00
fs::create_dir_all,
2020-05-15 13:15:54 +02:00
io,
path::Path,
2019-04-16 16:57:06 +02:00
process::Command,
sync::atomic::Ordering,
2019-04-16 16:57:06 +02:00
sync::Arc,
time::{Duration, SystemTime},
2019-04-16 16:57:06 +02:00
};
use tracing::Instrument;
2019-04-16 16:57:06 +02:00
include!(concat!(env!("OUT_DIR"), "/templates.rs"));
#[derive(Deserialize, Serialize)]
struct GeneratorForm<'a> {
service: FormService,
user: Cow<'a, str>,
repo: Cow<'a, str>,
}
2020-05-15 12:15:02 +02:00
#[derive(Debug)]
pub(crate) struct State {
2019-04-19 22:51:58 +02:00
repos: String,
cache: String,
}
2019-04-16 16:57:06 +02:00
#[derive(Serialize)]
struct JsonResponse<'a> {
head: &'a str,
branch: &'a str,
count: u64,
commits: u64,
}
#[derive(Deserialize, Debug)]
struct BranchQuery {
branch: Option<String>,
}
fn pull(path: impl AsRef<Path>) -> Result<()> {
let repo = Repository::open_bare(path)?;
2019-04-16 16:57:06 +02:00
let mut origin = repo.find_remote("origin")?;
origin.fetch(&["refs/heads/*:refs/heads/*"], None, None)?;
Ok(())
2019-04-16 16:57:06 +02:00
}
fn hoc(repo: &str, repo_dir: &str, cache_dir: &str, branch: &str) -> Result<(u64, String, u64)> {
2019-04-19 22:51:58 +02:00
let repo_dir = format!("{}/{}", repo_dir, repo);
let cache_dir = format!("{}/{}.json", cache_dir, repo);
let cache_dir = Path::new(&cache_dir);
let repo = Repository::open_bare(&repo_dir)?;
2020-02-12 20:56:47 +01:00
// TODO: do better...
let head = repo
.find_branch(branch, BranchType::Local)
.map_err(|_| Error::BranchNotFound)?
.into_reference();
let head = format!("{}", head.target().ok_or(Error::BranchNotFound)?);
let mut arg_commit_count = vec!["rev-list".to_string(), "--count".to_string()];
2019-04-19 22:51:58 +02:00
let mut arg = vec![
"log".to_string(),
"--pretty=tformat:".to_string(),
"--numstat".to_string(),
"--ignore-space-change".to_string(),
"--ignore-all-space".to_string(),
"--ignore-submodules".to_string(),
"--no-color".to_string(),
"--find-copies-harder".to_string(),
"-M".to_string(),
"--diff-filter=ACDM".to_string(),
];
let cache = CacheState::read_from_file(&cache_dir, branch, &head)?;
2019-04-19 22:51:58 +02:00
match &cache {
CacheState::Current { count, commits, .. } => {
info!("Using cache");
return Ok((*count, head, *commits));
}
CacheState::Old { head, .. } => {
info!("Updating cache");
arg.push(format!("{}..{}", head, branch));
arg_commit_count.push(format!("{}..{}", head, branch));
2019-04-19 22:51:58 +02:00
}
CacheState::No | CacheState::NoneForBranch(..) => {
info!("Creating cache");
arg.push(branch.to_string());
arg_commit_count.push(branch.to_string());
}
2019-04-19 22:51:58 +02:00
};
arg.push("--".to_string());
arg.push(".".to_string());
2019-04-16 16:57:06 +02:00
let output = Command::new("git")
2020-09-19 14:22:56 +02:00
.args(&arg)
2019-04-19 22:51:58 +02:00
.current_dir(&repo_dir)
2019-04-16 16:57:06 +02:00
.output()?
.stdout;
let output = String::from_utf8_lossy(&output);
let output_commits = Command::new("git")
.args(&arg_commit_count)
.current_dir(&repo_dir)
.output()?
.stdout;
let output_commits = String::from_utf8_lossy(&output_commits);
let commits: u64 = output_commits.trim().parse()?;
2019-04-19 22:51:58 +02:00
let count: u64 = output
2019-04-16 16:57:06 +02:00
.lines()
.map(|s| {
s.split_whitespace()
.take(2)
.map(str::parse::<u64>)
.filter_map(std::result::Result::ok)
2019-04-16 16:57:06 +02:00
.sum::<u64>()
})
.sum();
let cache = cache.calculate_new_cache(count, commits, (&head).into(), branch);
2019-04-19 22:51:58 +02:00
cache.write_to_file(cache_dir)?;
Ok((count, head, commits))
2019-04-16 16:57:06 +02:00
}
async fn remote_exists(url: &str) -> Result<bool> {
let resp = CLIENT.head(url).send().await?;
Ok(resp.status() == reqwest::StatusCode::OK)
2019-04-21 20:45:36 +02:00
}
enum HocResult {
Hoc {
hoc: u64,
commits: u64,
hoc_pretty: String,
head: String,
url: String,
repo: String,
service_path: String,
},
NotFound,
}
2020-05-15 13:15:54 +02:00
async fn delete_repo_and_cache<T>(
state: web::Data<Arc<State>>,
data: web::Path<(String, String)>,
) -> Result<impl Responder>
where
T: Service,
{
2020-09-12 14:01:59 +02:00
let data = data.into_inner();
let span = info_span!(
"deleting repository and cache",
service = T::domain(),
user = data.0.as_str(),
repo = data.1.as_str()
2020-05-15 13:15:54 +02:00
);
let future = async {
let repo = format!(
"{}/{}/{}",
T::domain(),
data.0.to_lowercase(),
data.1.to_lowercase()
);
info!("Deleting cache and repository");
let cache_dir = format!("{}/{}.json", &state.cache, repo);
let repo_dir = format!("{}/{}", &state.repos, repo);
std::fs::remove_file(&cache_dir).or_else(|e| {
if e.kind() == io::ErrorKind::NotFound {
Ok(())
} else {
Err(e)
}
})?;
std::fs::remove_dir_all(&repo_dir).or_else(|e| {
if e.kind() == io::ErrorKind::NotFound {
Ok(())
} else {
Err(e)
}
})?;
REPO_COUNT.fetch_sub(1, Ordering::Relaxed);
Ok(HttpResponse::TemporaryRedirect()
.header(
LOCATION,
format!("/view/{}/{}/{}", T::url_path(), data.0, data.1),
)
.finish())
};
future.instrument(span).await
2020-05-15 13:15:54 +02:00
}
async fn handle_hoc_request<T, F>(
2019-04-19 22:51:58 +02:00
state: web::Data<Arc<State>>,
2019-04-16 16:57:06 +02:00
data: web::Path<(String, String)>,
branch: &str,
mapper: F,
) -> Result<HttpResponse>
where
T: Service,
F: Fn(HocResult) -> Result<HttpResponse>,
{
2020-09-12 14:01:59 +02:00
let data = data.into_inner();
let span = info_span!(
"handling hoc calculation",
service = T::domain(),
user = data.0.as_str(),
repo = data.1.as_str(),
branch
);
let future = async {
let repo = format!("{}/{}", data.0.to_lowercase(), data.1.to_lowercase());
let service_path = format!("{}/{}", T::url_path(), repo);
let service_url = format!("{}/{}", T::domain(), repo);
let path = format!("{}/{}", state.repos, service_url);
let url = format!("https://{}", service_url);
let remote_exists = remote_exists(&url).await?;
let file = Path::new(&path);
if !file.exists() {
if !remote_exists {
warn!("Repository does not exist");
return mapper(HocResult::NotFound);
}
info!("Cloning for the first time");
create_dir_all(file)?;
let repo = Repository::init_bare(file)?;
repo.remote_add_fetch("origin", "refs/heads/*:refs/heads/*")?;
repo.remote_set_url("origin", &url)?;
REPO_COUNT.fetch_add(1, Ordering::Relaxed);
}
pull(&path)?;
let (hoc, head, commits) = hoc(&service_url, &state.repos, &state.cache, branch)?;
let hoc_pretty = match NumberPrefix::decimal(hoc as f64) {
NumberPrefix::Standalone(hoc) => hoc.to_string(),
NumberPrefix::Prefixed(prefix, hoc) => format!("{:.1}{}", hoc, prefix),
};
let res = HocResult::Hoc {
hoc,
commits,
hoc_pretty,
head,
url,
repo,
service_path,
};
mapper(res)
};
future.instrument(span).await
2019-04-16 16:57:06 +02:00
}
2020-05-15 12:15:02 +02:00
pub(crate) async fn json_hoc<T: Service>(
2019-04-19 22:51:58 +02:00
state: web::Data<Arc<State>>,
2019-04-16 19:52:12 +02:00
data: web::Path<(String, String)>,
branch: web::Query<BranchQuery>,
2020-05-15 12:15:02 +02:00
) -> Result<HttpResponse> {
let branch = branch.branch.as_deref().unwrap_or("master");
2019-06-16 14:33:15 +02:00
let mapper = |r| match r {
HocResult::NotFound => p404(),
HocResult::Hoc {
hoc, head, commits, ..
} => Ok(HttpResponse::Ok().json(JsonResponse {
branch,
head: &head,
2019-06-16 14:33:15 +02:00
count: hoc,
commits,
2019-06-16 14:33:15 +02:00
})),
};
handle_hoc_request::<T, _>(state, data, branch, mapper).await
}
2019-04-16 19:52:12 +02:00
2020-05-15 12:15:02 +02:00
pub(crate) async fn calculate_hoc<T: Service>(
state: web::Data<Arc<State>>,
data: web::Path<(String, String)>,
branch: web::Query<BranchQuery>,
2020-05-15 12:15:02 +02:00
) -> Result<HttpResponse> {
let mapper = move |r| match r {
2019-06-12 21:50:45 +02:00
HocResult::NotFound => p404(),
HocResult::Hoc { hoc_pretty, .. } => {
let badge_opt = BadgeOptions {
subject: "Hits-of-Code".to_string(),
color: "#007ec6".to_string(),
status: hoc_pretty,
};
let badge = Badge::new(badge_opt)?;
// TODO: remove clone
let body = badge.to_svg().as_bytes().to_vec();
let expiration = SystemTime::now() + Duration::from_secs(30);
Ok(HttpResponse::Ok()
.content_type("image/svg+xml")
.set(Expires(expiration.into()))
.set(CacheControl(vec![
CacheDirective::MaxAge(0u32),
CacheDirective::MustRevalidate,
CacheDirective::NoCache,
CacheDirective::NoStore,
]))
.body(body))
}
};
let branch = branch.branch.as_deref().unwrap_or("master");
handle_hoc_request::<T, _>(state, data, branch, mapper).await
}
2020-05-15 12:15:02 +02:00
async fn overview<T: Service>(
state: web::Data<Arc<State>>,
data: web::Path<(String, String)>,
branch: web::Query<BranchQuery>,
2020-05-15 12:15:02 +02:00
) -> Result<HttpResponse> {
let branch = branch.branch.as_deref().unwrap_or("master");
let mapper = |r| match r {
2019-06-12 21:50:45 +02:00
HocResult::NotFound => p404(),
HocResult::Hoc {
hoc,
commits,
hoc_pretty,
url,
head,
repo,
service_path,
} => {
let mut buf = Vec::new();
2019-11-25 17:27:16 +01:00
let repo_info = RepoInfo {
2019-11-25 17:35:00 +01:00
commit_url: &T::commit_url(&repo, &head),
2019-11-25 17:27:16 +01:00
commits,
domain: &OPT.domain,
head: &head,
hoc,
hoc_pretty: &hoc_pretty,
path: &service_path,
url: &url,
branch,
2019-11-25 17:27:16 +01:00
};
templates::overview(
&mut buf,
VERSION_INFO,
2019-06-12 21:50:45 +02:00
REPO_COUNT.load(Ordering::Relaxed),
repo_info,
)?;
Ok(HttpResponse::Ok().content_type("text/html").body(buf))
}
};
handle_hoc_request::<T, _>(state, data, branch, mapper).await
}
2019-04-16 20:55:25 +02:00
#[get("/")]
async fn index() -> Result<HttpResponse> {
2019-06-12 21:50:45 +02:00
let mut buf = Vec::new();
templates::index(
&mut buf,
VERSION_INFO,
REPO_COUNT.load(Ordering::Relaxed),
&OPT.domain,
)?;
Ok(HttpResponse::Ok().content_type("text/html").body(buf))
2019-04-21 17:57:57 +02:00
}
2019-04-16 21:37:39 +02:00
#[post("/generate")]
async fn generate(params: web::Form<GeneratorForm<'_>>) -> Result<HttpResponse> {
let repo = format!("{}/{}", params.user, params.repo);
let mut buf = Vec::new();
templates::generate(
&mut buf,
VERSION_INFO,
2019-06-12 21:50:45 +02:00
REPO_COUNT.load(Ordering::Relaxed),
&OPT.domain,
params.service.url(),
params.service.service(),
&repo,
)?;
Ok(HttpResponse::Ok().content_type("text/html").body(buf))
}
2019-06-12 21:50:45 +02:00
fn p404() -> Result<HttpResponse> {
let mut buf = Vec::new();
templates::p404(&mut buf, VERSION_INFO, REPO_COUNT.load(Ordering::Relaxed))?;
Ok(HttpResponse::NotFound().content_type("text/html").body(buf))
2019-04-16 20:55:25 +02:00
}
async fn async_p404() -> Result<HttpResponse> {
p404()
}
2019-04-17 20:48:47 +02:00
fn css() -> HttpResponse {
2019-04-21 17:57:57 +02:00
HttpResponse::Ok().content_type("text/css").body(CSS)
2019-04-17 20:48:47 +02:00
}
2019-05-13 21:58:07 +02:00
fn favicon32() -> HttpResponse {
HttpResponse::Ok().content_type("image/png").body(FAVICON)
}
async fn start_server() -> std::io::Result<()> {
let interface = format!("{}:{}", OPT.host, OPT.port);
2019-04-19 22:51:58 +02:00
let state = Arc::new(State {
repos: OPT.outdir.display().to_string(),
cache: OPT.cachedir.display().to_string(),
2019-04-19 22:51:58 +02:00
});
HttpServer::new(move || {
2019-04-16 16:57:06 +02:00
App::new()
.data(state.clone())
.wrap(tracing_actix_web::TracingLogger)
2020-09-19 14:22:56 +02:00
.wrap(middleware::NormalizePath::new(TrailingSlash::Trim))
2019-04-16 20:55:25 +02:00
.service(index)
2020-09-12 14:13:19 +02:00
.service(web::resource("/tacit-css.min.css").route(web::get().to(css)))
.service(web::resource("/favicon.ico").route(web::get().to(favicon32)))
.service(generate)
.service(web::resource("/github/{user}/{repo}").to(calculate_hoc::<GitHub>))
.service(web::resource("/gitlab/{user}/{repo}").to(calculate_hoc::<Gitlab>))
.service(web::resource("/bitbucket/{user}/{repo}").to(calculate_hoc::<Bitbucket>))
2020-05-15 13:15:54 +02:00
.service(
web::resource("/github/{user}/{repo}/delete")
.route(web::post().to(delete_repo_and_cache::<GitHub>)),
)
.service(
web::resource("/gitlab/{user}/{repo}/delete")
.route(web::post().to(delete_repo_and_cache::<Gitlab>)),
)
.service(
web::resource("/bitbucket/{user}/{repo}/delete")
.route(web::post().to(delete_repo_and_cache::<Bitbucket>)),
)
.service(web::resource("/github/{user}/{repo}/json").to(json_hoc::<GitHub>))
.service(web::resource("/gitlab/{user}/{repo}/json").to(json_hoc::<Gitlab>))
.service(web::resource("/bitbucket/{user}/{repo}/json").to(json_hoc::<Bitbucket>))
.service(web::resource("/view/github/{user}/{repo}").to(overview::<GitHub>))
.service(web::resource("/view/gitlab/{user}/{repo}").to(overview::<Gitlab>))
.service(web::resource("/view/bitbucket/{user}/{repo}").to(overview::<Bitbucket>))
.default_service(web::resource("").route(web::get().to(async_p404)))
2019-04-16 16:57:06 +02:00
})
2019-05-01 16:37:51 +02:00
.workers(OPT.workers)
2019-04-16 16:57:06 +02:00
.bind(interface)?
.run()
.await
2019-04-16 16:57:06 +02:00
}
2019-07-07 14:52:42 +02:00
#[actix_rt::main]
async fn main() -> std::io::Result<()> {
config::init();
let span = info_span!("hoc", version = env!("CARGO_PKG_VERSION"));
let _ = span.enter();
start_server().instrument(span).await
2019-07-07 14:52:42 +02:00
}