# HG changeset patch # User Georges Racinet <georges.racinet@octobus.net> # Date 1686767462 -7200 # Wed Jun 14 20:31:02 2023 +0200 # Branch stable # Node ID bcab70280a335c0e4132a155107aad7229486efa # Parent 29fc9a2b1b36c190de6ccecbd363249f6dd0a62e RHGitaly: reading GitLab ref files This follows the file format and conventions defined in the server side `heptapod` Python package. Since everything is async, we actually provide Streams of TypedRef objects, and the `map_lookup_typed_ref` for the numerous use cases when one is looking for a specific ref. The file format is very primitive, so all we can do at this point is to perform a full scan, but it has room (version preamble) for more advanced formats in the future (e.g, append-only persistent hash map or similar). A preliminary version of this was using Tokio's `LineStream`, but this has several drawbacks: - it is unicode-centric, yielding `String`s - we had to implement our own `Stream`, keeping the `LineStream` as a field. Hence because `poll_next()` takes `&mut Pin<Self>` we had to write a pinning accessor, which is unsafe (see the doc for `std::pin` for more details). diff --git a/rust/Cargo.lock b/rust/Cargo.lock --- a/rust/Cargo.lock +++ b/rust/Cargo.lock @@ -1255,12 +1255,16 @@ version = "0.1.0" dependencies = [ "build_const", + "bytes", "derive_more", + "futures-core", "hg-core", "prost", "prost-types", + "tempfile", "tokio", "tokio-stream", + "tokio-util", "tonic", "tonic-build", "tracing", diff --git a/rust/rhgitaly/Cargo.toml b/rust/rhgitaly/Cargo.toml --- a/rust/rhgitaly/Cargo.toml +++ b/rust/rhgitaly/Cargo.toml @@ -6,11 +6,14 @@ [dependencies] hg-core = { path = "../dependencies/hg-core" } +bytes = "*" +futures-core = "*" tonic = "0.8" prost = "0.11" prost-types = "0.11" tokio = { version = "1.0", features = ["macros", "rt-multi-thread", "fs"] } -tokio-stream = { version = "0.1", features = ["net"] } +tokio-util = { version= "*", features = ["codec"] } +tokio-stream = { version = "0.1", features = ["net", "io-util"] } tracing = "0.1.37" tracing-subscriber = "0.3.16" build_const = "0.2" @@ -18,4 +21,7 @@ [build-dependencies] tonic-build = "0.8" -build_const = "0.2" \ No newline at end of file +build_const = "0.2" + +[dev-dependencies] +tempfile = "*" \ No newline at end of file diff --git a/rust/rhgitaly/src/gitlab/mod.rs b/rust/rhgitaly/src/gitlab/mod.rs new file mode 100644 --- /dev/null +++ b/rust/rhgitaly/src/gitlab/mod.rs @@ -0,0 +1,6 @@ +// Copyright 2023 Georges Racinet <georges.racinet@octobus.net> +// +// This software may be used and distributed according to the terms of the +// GNU General Public License version 2 or any later version. +// SPDX-License-Identifier: GPL-2.0-or-later +pub mod state; diff --git a/rust/rhgitaly/src/gitlab/state.rs b/rust/rhgitaly/src/gitlab/state.rs new file mode 100644 --- /dev/null +++ b/rust/rhgitaly/src/gitlab/state.rs @@ -0,0 +1,371 @@ +// Copyright 2023 Georges Racinet <georges.racinet@octobus.net> +// +// This software may be used and distributed according to the terms of the +// GNU General Public License version 2 or any later version. +// SPDX-License-Identifier: GPL-2.0-or-later + +//! Support for GitLab primary state information +//! +//! Heptapod keeps specific data inside Mercurial repositories. +//! This data is notably updated by the server-side Python `heptapod` package on each standard +//! Mercurial write operation. +//! +//! Some of it can be reconstructed by a repository analysis similar to what happens when +//! new content is added to the repository. However, the mere fact that these values have been +//! sent to the Rails application and perhaps other components should be considered part of the +//! state, with side effects such as launching pipelines, changing status of Merge Requests etc. +//! Hence this should not be considered to be a cache. +//! +//! As of this writing, the GitLab state is made of +//! +//! - refs, believed by other components to actually be Git refs. These are kept in several +//! files, due to vastly different read/write frequencies. +//! - default branch, as ultimately defined by end users +//! +//! For a full documentation of the concepts, related file formats and atomicity properties, see the +//! Python docstring. +//! +//! Since the GitLab refs were meant from the onset to be easily understandable by the Rails +//! application, they are also the primary information for HGitaly. +//! The format is simple enough to get an ad-hoc pure async Rust implementation. +use bytes::{Bytes, BytesMut}; +use std::io; +use std::path::Path; +use tokio::fs::File; +use tokio::io::{AsyncBufRead, AsyncReadExt, BufReader}; +use tokio_stream::StreamExt; +use tokio_util::codec::{Decoder, FramedRead}; + +// Imports used in doc-comments only +#[allow(unused_imports)] +use futures_core::stream::Stream; +#[allow(unused_imports)] +use tokio::io::AsyncRead; + +use crate::util::io_error_not_found_as_none; + +/// A GitLab typed ref, as in Python `hgext3rd.heptapod.typed_ref` +/// +/// The name part is not supposed to repeat the type, typical examples being +/// - `branch/default` or `topic/default/zz` for GitLab branches +/// - the tag name for GitLab tags +/// - `merge-requests/1/head`, `pipeline/2` etc for GitLab special refs +/// +/// This means that it must be clear from context in code handling `TypedRef`s what +/// their type is suppposed to be. +#[derive(Debug, Clone, PartialEq)] +pub struct TypedRef { + pub name: Vec<u8>, + pub target_sha: Vec<u8>, +} + +#[derive(Debug, Clone, PartialEq, derive_more::From)] +/// Express that a line does not follow the expected file format +/// +/// Absence of this error does not mean that the line components are themselves valid. +/// For example, a typed ref line could be split correctly into its hash and name parts with the +/// hash part not being hexadecimal. +pub struct InvalidLine { + pub line: Vec<u8>, +} + +/// General error type for the public API of this module +#[derive(Debug, derive_more::From)] +pub enum StateFileError { + UnknownFileFormat, + #[from] + InvalidTypedRefLine(InvalidLine), + #[from] + IoError(io::Error), +} + +/// A [`Decoder`] for the typed refs file format, allowing to stream [`TypedRef`]s. +/// +/// This can be used with [`FramedRead`] to turn any [`AsyncRead`] +/// into a [`Stream`] of [`TypedRef`] +/// +/// The content of the [`AsyncRead`] is expected to follow the file format specification, +/// starting after the version preamble. Examples are available in the tests. +pub struct TypedRefDecoder { + // Next index of the given buffer to start scanning from. + // This is a common best-practice for [`Decoder`] implementations, taken + // traight from https://v0-1--tokio.netlify.app/docs/going-deeper/frames/ + next_index: usize, +} + +/// Convenience alias for actual type returned by streaming functions +pub type TypedRefsFileStream = Option<FramedRead<BufReader<File>, TypedRefDecoder>>; + +type TypedRefsFileStreamResult = Result<TypedRefsFileStream, StateFileError>; + +impl Decoder for TypedRefDecoder { + type Item = TypedRef; + type Error = StateFileError; + + fn decode(&mut self, buf: &mut BytesMut) -> Result<Option<Self::Item>, Self::Error> { + if let Some(newline_offset) = buf[self.next_index..].iter().position(|b| *b == b'\n') { + let newline_index = newline_offset + self.next_index; + let mut line = buf.split_to(newline_index + 1); + line.truncate(newline_index); + self.next_index = 0; + Ok(Some(parse_line(line.into())?)) + } else { + Ok(None) + } + } +} + +fn parse_line(mut bytes: Bytes) -> Result<TypedRef, InvalidLine> { + if bytes.len() < 42 || bytes[40] != b' ' { + return Err(bytes.to_vec().into()); + } + + let name = bytes.split_off(41); + + bytes.truncate(40); + // TODO PERF using to_vec() to limit the scope of refactoring, but it is worth asking + // whether the zero-copy approach of `Bytes` wouldn't be more efficient (for gRPC requests + // that don't need to finally copy it) at the price of dynamic dispatch etc (see doc). + let name = name.to_vec(); + let target_sha = bytes.to_vec(); + + Ok(TypedRef { + name: name.to_vec(), + target_sha: target_sha.to_vec(), + }) +} + +async fn check_version_preamble<R: AsyncBufRead + Unpin>( + buf: &mut R, +) -> Result<(), StateFileError> { + let mut version_preamble = [0; 4]; + buf.read_exact(&mut version_preamble).await?; + if &version_preamble != b"001\n" { + return Err(StateFileError::UnknownFileFormat); + } + Ok(()) +} + +async fn stream_typed_refs<R: AsyncBufRead + Unpin>( + mut buf: R, +) -> Result<FramedRead<R, TypedRefDecoder>, StateFileError> { + check_version_preamble(&mut buf).await?; + Ok(FramedRead::new(buf, TypedRefDecoder { next_index: 0 })) +} + +/// Generic function to open a state file and stream [`TypedRef`]s from it. +/// +/// It is a perfectly normal condition that the file does not exist, as this is what happens +/// when no ref of the given type has ever been recorded. In that case `None` is returned. +/// +/// The repository representation is kept to a bare minimum, as only the path to the `store` +/// subdirectory is used. +/// +/// It would look nicer to use hg::vfs::Vfs but that entails going through full repository +/// instantiation, which reads config (useless to us at this point, an order of magnitude slower +/// than what we need for the simplest Gitaly requests) and is definitely not async. +/// +/// What we need Vfs for boils down to a base path, so perhaps our own async Vfs would be +/// better when we feel like introducing it, either in RHGitaly or upstream in `hg-core`. +pub async fn stream_typed_refs_file(store_vfs: &Path, filename: &str) -> TypedRefsFileStreamResult { + Ok( + match io_error_not_found_as_none(File::open(store_vfs.join(filename)).await)? { + // not using `map()` because async closures are a pain (unstable in Rust 1.63, notably) + None => None, + Some(f) => Some(stream_typed_refs(BufReader::new(f)).await?), + }, + ) +} + +/// Specialization of [`stream_typed_refs_file`] for GitLab branches +pub async fn stream_gitlab_branches(store_vfs: &Path) -> TypedRefsFileStreamResult { + stream_typed_refs_file(store_vfs, "gitlab.branches").await +} + +/// Specialization of [`stream_typed_refs_file`] for tags. +pub async fn stream_gitlab_tags(store_vfs: &Path) -> TypedRefsFileStreamResult { + stream_typed_refs_file(store_vfs, "gitlab.tags").await +} + +/// Specialization of [`stream_typed_refs_file`] for GitLab typed refs. +pub async fn stream_gitlab_special_refs(store_vfs: &Path) -> TypedRefsFileStreamResult { + stream_typed_refs_file(store_vfs, "gitlab.special-refs").await +} + +/// Look for a typed ref with given name in a [`TypedRefsFileStream`] and apply a closure if found. +/// +/// Returns `Ok(None)` if the typed ref was not found, otherwise `Ok(f(tr))` where `tr` is +/// a [`TypedRef`] representing the successfully found item. +pub async fn map_lookup_typed_ref<F, T>( + stream_res: TypedRefsFileStream, + name: &[u8], + f: F, +) -> Result<Option<T>, StateFileError> +where + F: FnOnce(TypedRef) -> T + Copy, +{ + match stream_res { + None => Ok(None), + Some(stream) => stream + .filter_map(|res| match res { + Ok(tr) => { + if tr.name == name { + Some(Ok(Some(f(tr)))) + } else { + None + } + } + Err(e) => Some(Err(e)), + }) + .next() + .await + .unwrap_or(Ok(None)), + } +} + +#[cfg(test)] +mod tests { + use super::*; + use tempfile::tempdir; + use tokio::io::AsyncWriteExt; + use tokio_stream::StreamExt; + + async fn write_test_file( + store_vfs: &Path, + name: &str, + content: &[u8], + ) -> Result<(), io::Error> { + Ok(File::create(store_vfs.join(name)) + .await? + .write_all(content) + .await?) + } + + #[tokio::test] + async fn test_stream_typed_refs() -> Result<(), StateFileError> { + let buf: &[u8] = b"001\n\ + 437bd1bf68ac037eb6956490444e2d7f9a5655c9 branch/default\n\ + a617939803200b543730ccdade9df6c6e0952093 branch/other\n"; + let stream = stream_typed_refs(buf).await?; + let res: Vec<TypedRef> = stream.map(|r| r.unwrap()).collect().await; + assert_eq!( + res, + vec![ + TypedRef { + name: b"branch/default".to_vec(), + target_sha: b"437bd1bf68ac037eb6956490444e2d7f9a5655c9".to_vec() + }, + TypedRef { + name: b"branch/other".to_vec(), + target_sha: b"a617939803200b543730ccdade9df6c6e0952093".to_vec() + }, + ] + ); + Ok(()) + } + + #[tokio::test] + async fn test_stream_typed_refs_file() -> Result<(), StateFileError> { + let tmp_dir = tempdir().unwrap(); // not async, but it doesn't matter much in tests + let store_vfs = tmp_dir.path(); + + assert!(stream_typed_refs_file(store_vfs, "unknown.file") + .await? + .is_none()); + + write_test_file( + store_vfs, + "some.refs", + b"001\n437bd1bf68ac037eb6956490444e2d7f9a5655c9 branch/default\n", + ) + .await?; + let stream = stream_typed_refs_file(store_vfs, "some.refs") + .await? + .unwrap(); + let res: Vec<TypedRef> = stream.map(|r| r.unwrap()).collect().await; + assert_eq!( + res, + vec![TypedRef { + name: b"branch/default".to_vec(), + target_sha: b"437bd1bf68ac037eb6956490444e2d7f9a5655c9".to_vec() + }] + ); + + // Error cases + + write_test_file( + store_vfs, + "time.paradox", + b"002\n437bd1bf68ac037eb6956490444e2d7f9a5655c9 branch/default\n", + ) + .await?; + match stream_typed_refs_file(store_vfs, "time.paradox").await { + Ok(_) => { + panic!("Expected error before actual streaming"); + } + Err(StateFileError::UnknownFileFormat) => Ok(()), + Err(e) => Err(e), + }?; + + write_test_file(store_vfs, "short.hash", b"001\n437bd1bf branch/default\n").await?; + let mut stream = stream_typed_refs_file(store_vfs, "short.hash") + .await? + .unwrap(); + match stream.next().await.unwrap().unwrap_err() { + StateFileError::InvalidTypedRefLine(il) => { + assert_eq!(il.line, b"437bd1bf branch/default") + } + e => Err(e)?, + }; + + write_test_file( + store_vfs, + "wrong.sep", + b"001\n437bd1bf68ac037eb6956490444e2d7f9a5655c9_branch/default\n", + ) + .await?; + let mut stream = stream_typed_refs_file(store_vfs, "wrong.sep") + .await? + .unwrap(); + + match stream.next().await.unwrap().unwrap_err() { + StateFileError::InvalidTypedRefLine(il) => Ok(assert_eq!( + il.line, + b"437bd1bf68ac037eb6956490444e2d7f9a5655c9_branch/default" + )), + e => Err(e), + }?; + Ok(()) + } + + #[tokio::test] + async fn test_map_lookup_typed_refs() -> Result<(), StateFileError> { + let tmp_dir = tempdir().unwrap(); // not async, but it doesn't matter much in tests + let store_vfs = tmp_dir.path(); + + let empty = stream_gitlab_tags(store_vfs).await?; + + assert_eq!(map_lookup_typed_ref(empty, b"v1.2.3", |_| ()).await?, None); + + write_test_file( + store_vfs, + "gitlab.tags", + b"001\n437bd1bf68ac037eb6956490444e2d7f9a5655c9 v1.2\n", + ) + .await?; + + let tags = stream_gitlab_tags(store_vfs).await?; + assert_eq!( + map_lookup_typed_ref(tags, b"v1.2", |tr| tr).await?, + Some(TypedRef { + name: b"v1.2".to_vec(), + target_sha: b"437bd1bf68ac037eb6956490444e2d7f9a5655c9".to_vec() + }) + ); + + // The stream having been consumed, we need to recreate it + let tags = stream_gitlab_tags(store_vfs).await?; + assert_eq!(map_lookup_typed_ref(tags, b"v1.3", |tr| tr).await?, None); + Ok(()) + } +} diff --git a/rust/rhgitaly/src/lib.rs b/rust/rhgitaly/src/lib.rs --- a/rust/rhgitaly/src/lib.rs +++ b/rust/rhgitaly/src/lib.rs @@ -16,6 +16,7 @@ } pub mod config; +pub mod gitlab; pub mod message; pub mod metadata; pub mod repository;