docs_update.rs 6.5 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210
  1. //! A scheduled job to post a PR to update the documentation on rust-lang/rust.
  2. // 暂时允许unreachable code, 因为我们目前不需要这个任务,只是为了方便注释它。
  3. #![allow(unreachable_code)]
  4. use crate::github::{self, GitTreeEntry, GithubClient, Issue, Repository};
  5. use crate::jobs::Job;
  6. use anyhow::Context;
  7. use anyhow::Result;
  8. use async_trait::async_trait;
  9. use std::fmt::Write;
  10. /// This is the repository where the commits will be created.
  11. const WORK_REPO: &str = "rustbot/rust";
  12. /// This is the repository where the PR will be created.
  13. const DEST_REPO: &str = "rust-lang/rust";
  14. /// This is the branch in `WORK_REPO` to create the commits.
  15. const BRANCH_NAME: &str = "docs-update";
  16. const SUBMODULES: &[&str] = &[
  17. "src/doc/book",
  18. "src/doc/edition-guide",
  19. "src/doc/embedded-book",
  20. "src/doc/nomicon",
  21. "src/doc/reference",
  22. "src/doc/rust-by-example",
  23. "src/doc/rustc-dev-guide",
  24. ];
  25. const TITLE: &str = "Update books";
  26. /// 这个任务用于更新文档仓库的submodule,并在文档仓库创建PR
  27. pub struct DocsUpdateJob;
  28. #[async_trait]
  29. impl Job for DocsUpdateJob {
  30. fn name(&self) -> &'static str {
  31. "docs_update"
  32. }
  33. async fn run(
  34. &self,
  35. _ctx: &super::Context,
  36. _metadata: &serde_json::Value,
  37. ) -> anyhow::Result<()> {
  38. // 我们目前暂时不需要这个,因此直接返回Ok
  39. return Ok(());
  40. // Only run every other week. Doing it every week can be a bit noisy, and
  41. // (rarely) a PR can take longer than a week to merge (like if there are
  42. // CI issues). `Schedule` does not allow expressing this, so check it
  43. // manually.
  44. //
  45. // This is set to run the first week after a release, and the week just
  46. // before a release. That allows getting the latest changes in the next
  47. // release, accounting for possibly taking a few days for the PR to land.
  48. let today = chrono::Utc::today().naive_utc();
  49. let base = chrono::naive::NaiveDate::from_ymd(2015, 12, 10);
  50. let duration = today.signed_duration_since(base);
  51. let weeks = duration.num_weeks();
  52. if weeks % 2 != 0 {
  53. tracing::trace!("skipping job, this is an odd week");
  54. return Ok(());
  55. }
  56. tracing::trace!("starting docs-update");
  57. docs_update()
  58. .await
  59. .context("failed to process docs update")?;
  60. Ok(())
  61. }
  62. }
  63. pub async fn docs_update() -> Result<Option<Issue>> {
  64. let gh = GithubClient::new_from_env();
  65. let dest_repo = gh.repository(DEST_REPO).await?;
  66. let work_repo = gh.repository(WORK_REPO).await?;
  67. let updates = get_submodule_updates(&gh, &dest_repo).await?;
  68. if updates.is_empty() {
  69. tracing::trace!("no updates this week?");
  70. return Ok(None);
  71. }
  72. create_commit(&gh, &dest_repo, &work_repo, &updates).await?;
  73. Ok(Some(create_pr(&gh, &dest_repo, &updates).await?))
  74. }
  75. struct Update {
  76. path: String,
  77. new_hash: String,
  78. pr_body: String,
  79. }
  80. async fn get_submodule_updates(
  81. gh: &GithubClient,
  82. repo: &github::Repository,
  83. ) -> Result<Vec<Update>> {
  84. let mut updates = Vec::new();
  85. for submodule_path in SUBMODULES {
  86. tracing::trace!("checking submodule {submodule_path}");
  87. let submodule = repo.submodule(gh, submodule_path, None).await?;
  88. let submodule_repo = submodule.repository(gh).await?;
  89. let latest_commit = submodule_repo
  90. .get_reference(gh, &format!("heads/{}", submodule_repo.default_branch))
  91. .await?;
  92. if submodule.sha == latest_commit.object.sha {
  93. tracing::trace!(
  94. "skipping submodule {submodule_path}, no changes sha={}",
  95. submodule.sha
  96. );
  97. continue;
  98. }
  99. let current_hash = submodule.sha;
  100. let new_hash = latest_commit.object.sha;
  101. let pr_body = generate_pr_body(gh, &submodule_repo, &current_hash, &new_hash).await?;
  102. let update = Update {
  103. path: submodule.path,
  104. new_hash,
  105. pr_body,
  106. };
  107. updates.push(update);
  108. }
  109. Ok(updates)
  110. }
  111. async fn generate_pr_body(
  112. gh: &GithubClient,
  113. repo: &github::Repository,
  114. oldest: &str,
  115. newest: &str,
  116. ) -> Result<String> {
  117. let recent_commits: Vec<_> = repo
  118. .recent_commits(gh, &repo.default_branch, oldest, newest)
  119. .await?;
  120. if recent_commits.is_empty() {
  121. anyhow::bail!(
  122. "unexpected empty set of commits for {} oldest={oldest} newest={newest}",
  123. repo.full_name
  124. );
  125. }
  126. let mut body = format!(
  127. "## {}\n\
  128. \n\
  129. {} commits in {}..{}\n\
  130. {} to {}\n\
  131. \n",
  132. repo.full_name,
  133. recent_commits.len(),
  134. oldest,
  135. newest,
  136. recent_commits.first().unwrap().committed_date,
  137. recent_commits.last().unwrap().committed_date,
  138. );
  139. for commit in recent_commits {
  140. write!(body, "- {}", commit.title).unwrap();
  141. if let Some(num) = commit.pr_num {
  142. write!(body, " ({}#{})", repo.full_name, num).unwrap();
  143. }
  144. body.push('\n');
  145. }
  146. Ok(body)
  147. }
  148. async fn create_commit(
  149. gh: &GithubClient,
  150. dest_repo: &Repository,
  151. rust_repo: &Repository,
  152. updates: &[Update],
  153. ) -> Result<()> {
  154. let master_ref = dest_repo
  155. .get_reference(gh, &format!("heads/{}", dest_repo.default_branch))
  156. .await?;
  157. let master_commit = rust_repo.git_commit(gh, &master_ref.object.sha).await?;
  158. let tree_entries: Vec<_> = updates
  159. .iter()
  160. .map(|update| GitTreeEntry {
  161. path: update.path.clone(),
  162. mode: "160000".to_string(),
  163. object_type: "commit".to_string(),
  164. sha: update.new_hash.clone(),
  165. })
  166. .collect();
  167. let new_tree = rust_repo
  168. .update_tree(gh, &master_commit.tree.sha, &tree_entries)
  169. .await?;
  170. let commit = rust_repo
  171. .create_commit(gh, TITLE, &[&master_ref.object.sha], &new_tree.sha)
  172. .await?;
  173. rust_repo
  174. .update_reference(gh, &format!("heads/{BRANCH_NAME}"), &commit.sha)
  175. .await?;
  176. Ok(())
  177. }
  178. async fn create_pr(gh: &GithubClient, dest_repo: &Repository, updates: &[Update]) -> Result<Issue> {
  179. let mut body = String::new();
  180. for update in updates {
  181. write!(body, "{}\n", update.pr_body).unwrap();
  182. }
  183. let username = WORK_REPO.split('/').next().unwrap();
  184. let head = format!("{username}:{BRANCH_NAME}");
  185. let pr = dest_repo
  186. .new_pr(gh, TITLE, &head, &dest_repo.default_branch, &body)
  187. .await?;
  188. tracing::debug!("created PR {}", pr.html_url);
  189. Ok(pr)
  190. }