gix_transport/client/capabilities.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334
use bstr::{BStr, BString, ByteSlice};
#[cfg(any(feature = "blocking-client", feature = "async-client"))]
use crate::client;
use crate::Protocol;
/// The error used in [`Capabilities::from_bytes()`] and [`Capabilities::from_lines()`].
#[derive(Debug, thiserror::Error)]
#[allow(missing_docs)]
pub enum Error {
#[error("Capabilities were missing entirely as there was no 0 byte")]
MissingDelimitingNullByte,
#[error("there was not a single capability behind the delimiter")]
NoCapabilities,
#[error("a version line was expected, but none was retrieved")]
MissingVersionLine,
#[error("expected 'version X', got {0:?}")]
MalformattedVersionLine(BString),
#[error("Got unsupported version {actual:?}, expected {}", *desired as u8)]
UnsupportedVersion { desired: Protocol, actual: BString },
#[error("An IO error occurred while reading V2 lines")]
Io(#[from] std::io::Error),
}
/// A structure to represent multiple [capabilities][Capability] or features supported by the server.
///
/// ### Deviation
///
/// As a *shortcoming*, we are unable to parse `V1` as emitted from `git-upload-pack` without a `git-daemon` or server,
/// as it will not emit any capabilities for some reason. Only `V2` and `V0` work in that context.
#[derive(Debug, Clone)]
#[cfg_attr(feature = "serde", derive(serde::Serialize, serde::Deserialize))]
pub struct Capabilities {
data: BString,
value_sep: u8,
}
/// This implementation yields exactly those minimal capabilities that are required for `gix` to work, nothing more and nothing less.
///
/// This is a bit of a hack just get tests with Protocol V0 to work, which is a good way to enforce stateful transports.
/// Of course, V1 would also do that but when calling `git-upload-pack` directly, it advertises so badly that this is easier to implement.
impl Default for Capabilities {
fn default() -> Self {
Capabilities::from_lines("version 2\nmulti_ack_detailed\nside-band-64k\n".into())
.expect("valid format, known at compile time")
}
}
/// The name of a single capability.
pub struct Capability<'a>(&'a BStr);
impl<'a> Capability<'a> {
/// Returns the name of the capability.
///
/// Most capabilities only consist of a name, making them appear like a feature toggle.
pub fn name(&self) -> &'a BStr {
self.0
.splitn(2, |b| *b == b'=')
.next()
.expect("there is always a single item")
.as_bstr()
}
/// Returns the value associated with the capability.
///
/// Note that the caller must know whether a single or multiple values are expected, in which
/// case [`values()`][Capability::values()] should be called.
pub fn value(&self) -> Option<&'a BStr> {
self.0.splitn(2, |b| *b == b'=').nth(1).map(ByteSlice::as_bstr)
}
/// Returns the values of a capability if its [`value()`][Capability::value()] is space separated.
pub fn values(&self) -> Option<impl Iterator<Item = &'a BStr>> {
self.value().map(|v| v.split(|b| *b == b' ').map(ByteSlice::as_bstr))
}
/// Returns true if its space-separated [`value()`][Capability::value()] contains the given `want`ed capability.
pub fn supports(&self, want: impl Into<&'a BStr>) -> Option<bool> {
let want = want.into();
self.values().map(|mut iter| iter.any(|v| v == want))
}
}
impl Capabilities {
/// Parse capabilities from the given `bytes`.
///
/// Useful in case they are encoded within a `ref` behind a null byte.
pub fn from_bytes(bytes: &[u8]) -> Result<(Capabilities, usize), Error> {
let delimiter_pos = bytes.find_byte(0).ok_or(Error::MissingDelimitingNullByte)?;
if delimiter_pos + 1 == bytes.len() {
return Err(Error::NoCapabilities);
}
let capabilities = &bytes[delimiter_pos + 1..];
Ok((
Capabilities {
data: capabilities.as_bstr().to_owned(),
value_sep: b' ',
},
delimiter_pos,
))
}
/// Parse capabilities from the given a `lines_buf` which is expected to be all newline separated lines
/// from the server.
///
/// Useful for parsing capabilities from a data sent from a server, and to avoid having to deal with
/// blocking and async traits for as long as possible. There is no value in parsing a few bytes
/// in a non-blocking fashion.
pub fn from_lines(lines_buf: BString) -> Result<Capabilities, Error> {
let mut lines = <_ as bstr::ByteSlice>::lines(lines_buf.as_slice().trim());
let version_line = lines.next().ok_or(Error::MissingVersionLine)?;
let (name, value) = version_line.split_at(
version_line
.find(b" ")
.ok_or_else(|| Error::MalformattedVersionLine(version_line.to_owned().into()))?,
);
if name != b"version" {
return Err(Error::MalformattedVersionLine(version_line.to_owned().into()));
}
if value != b" 2" {
return Err(Error::UnsupportedVersion {
desired: Protocol::V2,
actual: value.to_owned().into(),
});
}
Ok(Capabilities {
value_sep: b'\n',
data: lines.as_bytes().into(),
})
}
/// Returns true of the given `feature` is mentioned in this list of capabilities.
pub fn contains(&self, feature: &str) -> bool {
self.capability(feature).is_some()
}
/// Returns the capability with `name`.
pub fn capability(&self, name: &str) -> Option<Capability<'_>> {
self.iter().find(|c| c.name() == name.as_bytes().as_bstr())
}
/// Returns an iterator over all capabilities.
pub fn iter(&self) -> impl Iterator<Item = Capability<'_>> {
self.data
.split(move |b| *b == self.value_sep)
.map(|c| Capability(c.as_bstr()))
}
}
/// internal use
#[cfg(any(feature = "blocking-client", feature = "async-client"))]
impl Capabilities {
fn extract_protocol(capabilities_or_version: gix_packetline::TextRef<'_>) -> Result<Protocol, client::Error> {
let line = capabilities_or_version.as_bstr();
let version = if line.starts_with_str("version ") {
if line.len() != "version X".len() {
return Err(client::Error::UnsupportedProtocolVersion(line.as_bstr().into()));
}
match line {
line if line.ends_with_str("1") => Protocol::V1,
line if line.ends_with_str("2") => Protocol::V2,
_ => return Err(client::Error::UnsupportedProtocolVersion(line.as_bstr().into())),
}
} else {
Protocol::V1
};
Ok(version)
}
}
#[cfg(feature = "blocking-client")]
///
pub mod recv {
use std::io;
use bstr::ByteVec;
use crate::{client, client::Capabilities, Protocol};
/// Success outcome of [`Capabilities::from_lines_with_version_detection`].
pub struct Outcome<'a> {
/// The [`Capabilities`] the remote advertised.
pub capabilities: Capabilities,
/// The remote refs as a [`io::BufRead`].
///
/// This is `Some` only when protocol v1 is used. The [`io::BufRead`] must be exhausted by
/// the caller.
pub refs: Option<Box<dyn crate::client::ReadlineBufRead + 'a>>,
/// The [`Protocol`] the remote advertised.
pub protocol: Protocol,
}
impl Capabilities {
/// Read the capabilities and version advertisement from the given packetline reader.
///
/// If [`Protocol::V1`] was requested, or the remote decided to downgrade, the remote refs
/// advertisement will also be included in the [`Outcome`].
pub fn from_lines_with_version_detection<T: io::Read>(
rd: &mut gix_packetline::StreamingPeekableIter<T>,
) -> Result<Outcome<'_>, client::Error> {
// NOTE that this is vitally important - it is turned on and stays on for all following requests so
// we automatically abort if the server sends an ERR line anywhere.
// We are sure this can't clash with binary data when sent due to the way the PACK
// format looks like, thus there is no binary blob that could ever look like an ERR line by accident.
rd.fail_on_err_lines(true);
Ok(match rd.peek_line() {
Some(line) => {
let line = line??.as_text().ok_or(client::Error::ExpectedLine("text"))?;
let version = Capabilities::extract_protocol(line)?;
match version {
Protocol::V0 => unreachable!("already handled in `None` case"),
Protocol::V1 => {
let (capabilities, delimiter_position) = Capabilities::from_bytes(line.0)?;
rd.peek_buffer_replace_and_truncate(delimiter_position, b'\n');
Outcome {
capabilities,
refs: Some(Box::new(rd.as_read())),
protocol: Protocol::V1,
}
}
Protocol::V2 => Outcome {
capabilities: {
let mut rd = rd.as_read();
let mut buf = Vec::new();
while let Some(line) = rd.read_data_line() {
let line = line??;
match line.as_bstr() {
Some(line) => {
buf.push_str(line);
if buf.last() != Some(&b'\n') {
buf.push(b'\n');
}
}
None => break,
}
}
Capabilities::from_lines(buf.into())?
},
refs: None,
protocol: Protocol::V2,
},
}
}
None => Outcome {
capabilities: Capabilities::default(),
refs: Some(Box::new(rd.as_read())),
protocol: Protocol::V0,
},
})
}
}
}
#[cfg(feature = "async-client")]
#[allow(missing_docs)]
///
pub mod recv {
use bstr::ByteVec;
use futures_io::AsyncRead;
use crate::{client, client::Capabilities, Protocol};
/// Success outcome of [`Capabilities::from_lines_with_version_detection`].
pub struct Outcome<'a> {
/// The [`Capabilities`] the remote advertised.
pub capabilities: Capabilities,
/// The remote refs as an [`AsyncBufRead`].
///
/// This is `Some` only when protocol v1 is used. The [`AsyncBufRead`] must be exhausted by
/// the caller.
pub refs: Option<Box<dyn crate::client::ReadlineBufRead + Unpin + 'a>>,
/// The [`Protocol`] the remote advertised.
pub protocol: Protocol,
}
impl Capabilities {
/// Read the capabilities and version advertisement from the given packetline reader.
///
/// If [`Protocol::V1`] was requested, or the remote decided to downgrade, the remote refs
/// advertisement will also be included in the [`Outcome`].
pub async fn from_lines_with_version_detection<T: AsyncRead + Unpin>(
rd: &mut gix_packetline::StreamingPeekableIter<T>,
) -> Result<Outcome<'_>, client::Error> {
// NOTE that this is vitally important - it is turned on and stays on for all following requests so
// we automatically abort if the server sends an ERR line anywhere.
// We are sure this can't clash with binary data when sent due to the way the PACK
// format looks like, thus there is no binary blob that could ever look like an ERR line by accident.
rd.fail_on_err_lines(true);
Ok(match rd.peek_line().await {
Some(line) => {
let line = line??.as_text().ok_or(client::Error::ExpectedLine("text"))?;
let version = Capabilities::extract_protocol(line)?;
match version {
Protocol::V0 => unreachable!("already handled in `None` case"),
Protocol::V1 => {
let (capabilities, delimiter_position) = Capabilities::from_bytes(line.0)?;
rd.peek_buffer_replace_and_truncate(delimiter_position, b'\n');
Outcome {
capabilities,
refs: Some(Box::new(rd.as_read())),
protocol: Protocol::V1,
}
}
Protocol::V2 => Outcome {
capabilities: {
let mut rd = rd.as_read();
let mut buf = Vec::new();
while let Some(line) = rd.read_data_line().await {
let line = line??;
match line.as_bstr() {
Some(line) => {
buf.push_str(line);
if buf.last() != Some(&b'\n') {
buf.push(b'\n');
}
}
None => break,
}
}
Capabilities::from_lines(buf.into())?
},
refs: None,
protocol: Protocol::V2,
},
}
}
None => Outcome {
capabilities: Capabilities::default(),
refs: Some(Box::new(rd.as_read())),
protocol: Protocol::V0,
},
})
}
}
}