浏览代码

Add PR triage dashboard (#1223)

Takayuki Nakata 4 年之前
父节点
当前提交
cf58a0fa1d
共有 7 个文件被更改,包括 283 次插入0 次删除
  1. 9 0
      Cargo.lock
  2. 1 0
      Cargo.toml
  3. 1 0
      src/lib.rs
  4. 15 0
      src/main.rs
  5. 132 0
      src/triage.rs
  6. 32 0
      templates/triage/index.html
  7. 93 0
      templates/triage/pulls.html

+ 9 - 0
Cargo.lock

@@ -1,5 +1,7 @@
 # This file is automatically @generated by Cargo.
 # It is not intended for manual editing.
+version = 3
+
 [[package]]
 name = "addr2line"
 version = "0.14.1"
@@ -1473,6 +1475,12 @@ dependencies = [
  "winreg",
 ]
 
+[[package]]
+name = "route-recognizer"
+version = "0.3.0"
+source = "registry+https://github.com/rust-lang/crates.io-index"
+checksum = "824172f0afccf3773c3905f5550ac94572144efe0deaf49a1f22bbca188d193e"
+
 [[package]]
 name = "rust_team_data"
 version = "1.0.0"
@@ -1939,6 +1947,7 @@ dependencies = [
  "postgres-native-tls",
  "regex",
  "reqwest",
+ "route-recognizer",
  "rust_team_data",
  "serde",
  "serde_json",

+ 1 - 0
Cargo.toml

@@ -35,6 +35,7 @@ native-tls = "0.2"
 serde_path_to_error = "0.1.2"
 octocrab = "0.5"
 comrak = "0.8.2"
+route-recognizer = "0.3.0"
 
 [dependencies.serde]
 version = "1"

+ 1 - 0
src/lib.rs

@@ -21,6 +21,7 @@ pub mod notification_listing;
 pub mod payload;
 pub mod team;
 mod team_data;
+pub mod triage;
 pub mod zulip;
 
 #[derive(Debug)]

+ 15 - 0
src/main.rs

@@ -4,13 +4,28 @@ use anyhow::Context as _;
 use futures::{future::FutureExt, stream::StreamExt};
 use hyper::{header, Body, Request, Response, Server, StatusCode};
 use reqwest::Client;
+use route_recognizer::Router;
 use std::{env, net::SocketAddr, sync::Arc};
 use triagebot::{db, github, handlers::Context, logger, notification_listing, payload, EventName};
 use uuid::Uuid;
 
 async fn serve_req(req: Request<Body>, ctx: Arc<Context>) -> Result<Response<Body>, hyper::Error> {
     log::info!("request = {:?}", req);
+    let mut router = Router::new();
+    router.add("/triage", "index".to_string());
+    router.add("/triage/:owner/:repo", "pulls".to_string());
     let (req, body_stream) = req.into_parts();
+
+    if let Ok(matcher) = router.recognize(req.uri.path()) {
+        if matcher.handler().as_str() == "pulls" {
+            let params = matcher.params();
+            let owner = params.find("owner");
+            let repo = params.find("repo");
+            return triagebot::triage::pulls(ctx, owner.unwrap(), repo.unwrap()).await;
+        } else {
+            return triagebot::triage::index();
+        }
+    }
     if req.uri.path() == "/" {
         return Ok(Response::builder()
             .status(StatusCode::OK)

+ 132 - 0
src/triage.rs

@@ -0,0 +1,132 @@
+use crate::handlers::Context;
+use chrono::{Duration, Utc};
+use hyper::{Body, Response, StatusCode};
+use serde::Serialize;
+use serde_json::value::{to_value, Value};
+use std::sync::Arc;
+use url::Url;
+
+const YELLOW_DAYS: i64 = 7;
+const RED_DAYS: i64 = 14;
+
+pub fn index() -> Result<Response<Body>, hyper::Error> {
+    Ok(Response::builder()
+        .header("Content-Type", "text/html")
+        .status(StatusCode::OK)
+        .body(Body::from(include_str!("../templates/triage/index.html")))
+        .unwrap())
+}
+
+pub async fn pulls(
+    ctx: Arc<Context>,
+    owner: &str,
+    repo: &str,
+) -> Result<Response<Body>, hyper::Error> {
+    let octocrab = &ctx.octocrab;
+    let res = octocrab
+        .pulls(owner, repo)
+        .list()
+        .sort(octocrab::params::pulls::Sort::Updated)
+        .direction(octocrab::params::Direction::Ascending)
+        .per_page(100)
+        .send()
+        .await;
+    let mut page = match res {
+        Ok(page) => page,
+        Err(_) => {
+            return Ok(Response::builder()
+                .status(StatusCode::NOT_FOUND)
+                .body(Body::from("The repository is not found."))
+                .unwrap());
+        }
+    };
+    let mut base_pulls = page.take_items();
+    let mut next_page = page.next;
+    while let Some(mut page) = octocrab
+        .get_page::<octocrab::models::PullRequest>(&next_page)
+        .await
+        .unwrap()
+    {
+        base_pulls.extend(page.take_items());
+        next_page = page.next;
+    }
+
+    let mut pulls: Vec<Value> = Vec::new();
+    for base_pull in base_pulls.into_iter() {
+        let assignee = base_pull.assignee.map_or("".to_string(), |v| v.login);
+        let updated_at = base_pull
+            .updated_at
+            .map_or("".to_string(), |v| v.to_rfc2822());
+
+        let yellow_line = Utc::now() - Duration::days(YELLOW_DAYS);
+        let red_line = Utc::now() - Duration::days(RED_DAYS);
+        let need_triage = match base_pull.updated_at {
+            Some(updated_at) if updated_at <= red_line => "red".to_string(),
+            Some(updated_at) if updated_at <= yellow_line => "yellow".to_string(),
+            _ => "green".to_string(),
+        };
+        let days_from_last_updated_at = if let Some(updated_at) = base_pull.updated_at {
+            (Utc::now() - updated_at).num_days()
+        } else {
+            (Utc::now() - base_pull.created_at).num_days()
+        };
+
+        let labels = base_pull.labels.map_or("".to_string(), |labels| {
+            labels
+                .iter()
+                .map(|label| label.name.clone())
+                .collect::<Vec<_>>()
+                .join(", ")
+        });
+        let wait_for_author = labels.contains("S-waiting-on-author");
+        let wait_for_review = labels.contains("S-waiting-on-review");
+        let html_url = base_pull.html_url;
+        let number = base_pull.number;
+        let title = base_pull.title;
+        let author = base_pull.user.login;
+
+        let pull = PullRequest {
+            html_url,
+            number,
+            title,
+            assignee,
+            updated_at,
+            need_triage,
+            labels,
+            author,
+            wait_for_author,
+            wait_for_review,
+            days_from_last_updated_at,
+        };
+        pulls.push(to_value(pull).unwrap());
+    }
+
+    let mut context = tera::Context::new();
+    context.insert("pulls", &pulls);
+    context.insert("owner", &owner);
+    context.insert("repo", &repo);
+
+    let tera = tera::Tera::new("templates/triage/**/*").unwrap();
+    let body = Body::from(tera.render("pulls.html", &context).unwrap());
+
+    Ok(Response::builder()
+        .header("Content-Type", "text/html")
+        .status(StatusCode::OK)
+        .body(body)
+        .unwrap())
+}
+
+#[derive(Serialize)]
+struct PullRequest {
+    pub html_url: Url,
+    pub number: i64,
+    pub title: String,
+    pub assignee: String,
+    pub updated_at: String,
+    pub need_triage: String,
+    pub labels: String,
+    pub author: String,
+    pub wait_for_author: bool,
+    pub wait_for_review: bool,
+    pub days_from_last_updated_at: i64,
+}

+ 32 - 0
templates/triage/index.html

@@ -0,0 +1,32 @@
+<!doctype html>
+<html>
+    <head>
+        <meta charset="utf-8">
+        <title>Toiage</title>
+        <style>
+            * { font-family: sans-serif; }
+            code { font-family: monospace; }
+            h1 { font-size: 22px; }
+            h2 { font-size: 18px; }
+            h3 { font-size: 16px; }
+            h4 { font-size: 14px; }
+            p, ul { font-size: 15px; line-height: 150%; }
+            code { background-color: #efefef; }
+            div.wrapper { max-width: 60em; margin-left: auto; margin-right: auto; }
+            .repos { font-size: 18px; line-height: 180%; }
+        </style>
+    </head>
+    <body>
+        <div class="wrapper">
+
+            <h1>Triage dashboards</h1>
+
+            <h2>Repositories</h2>
+
+            <ul class="repos">
+                <li><a href="triage/rust-lang/rust-clippy">clippy</a></li>
+                <li><a href="triage/rust-lang/rust">rust</a></li>
+            </ul>
+        </div>
+    </body>
+</html>

+ 93 - 0
templates/triage/pulls.html

@@ -0,0 +1,93 @@
+<!DOCTYPE html>
+<html>
+    <head>
+        <meta charset="utf-8">
+        <style>
+            * { font-family: sans-serif; }
+            h1 { font-size: 20px; }
+            h2 { font-size: 16px; }
+            p { font-size: 15px; }
+            li { font-size: 13px; }
+
+            table { border-collapse: collapse; }
+            td, th { border-bottom: 1px solid #ddd; padding: 5px 6px; font-size: 13px; text-align: left; vertical-align: baseline; }
+            tr:nth-child(even) { background: #eee; }
+
+            .dot:before {
+                content: "";
+                display: inline-block;
+                width: 0.4em;
+                height: 0.4em;
+                border-radius: 50% 50%;
+                margin-right: 0.3em;
+                border: 1px solid transparent;
+            }
+            .need-triage-red:before {
+                background: #FF0000;
+                border-color: black;
+                border-radius:2;
+            }
+            .need-triage-yellow:before {
+                background: #FFFF00;
+                border-color: black;
+                border-radius:2;
+            }
+            .need-triage-green:before {
+                background: #90EE90;
+                border-color: black;
+                border-radius:2;
+            }
+        </style>
+    </head>
+
+    <body>
+        <h1>Toriage - <a href="https://github.com/{{ owner }}/{{ repo }}">{{ owner }}/{{ repo }}</a></h1>
+        <table>
+            <thead>
+                <tr>
+                    <th>#</th>
+                    <th>Need triage</th>
+                    <th>Wait for</th>
+                    <th>Title</th>
+                    <th>Author</th>
+                    <th>Assignee</th>
+                    <th>Labels</th>
+                    <th>Updated at</th>
+                </tr>
+            </thead>
+            <tbody>
+                {% for pull in pulls %}
+                    <tr>
+                        <td><a href="{{ pull.html_url }}">{{ pull.number }}</a></td>
+                        <td class='dot need-triage-{{ pull.need_triage }}'>{{ pull.days_from_last_updated_at }} {% if pull.days_from_last_updated_at > 1 %}days{% else %}day{% endif %}</td>
+                        <td>{% if pull.wait_for_author %}<b>{{ pull.author }}</b>{% elif pull.wait_for_review %}<b>{{ pull.assignee }}</b>{% endif %}</td>
+                        <td>{{ pull.title }}</td>
+                        <!-- Author or reviewer name become bold because we can faster spot whether `Wait for` is author or reviewer. -->
+                        <td {% if pull.wait_for_author %} style='font-weight: bold;'{% endif %}>{{ pull.author }}</td>
+                        <td {% if pull.wait_for_review %} style='font-weight: bold;'{% endif %}>{{ pull.assignee }}</td>
+                        <td>{{ pull.labels }}</td>
+                        <td>{{ pull.updated_at }}</td>
+                    </tr>
+                {% endfor %}
+            </tbody>
+        </table>
+        <div>
+            <p>From the last updated at</p>
+            <ul>
+                <li class='dot need-triage-red'>14 days or more</li>
+                <li class='dot need-triage-yellow'>7 days or more</li>
+                <li class='dot need-triage-green'>less than 7days</li>
+            </ul>
+        </div>
+        <footer>
+            <nav>
+                {% if prev %}
+                    <a href="{{ prev }}">Prev</a>
+                {% endif %}
+                {% if next %}
+                    <a href="{{ next }}">Next</a>
+                {% endif %}
+            </nav>
+        </footer>
+    </body>
+</html>