swh_graph/swhtype.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
// Copyright (C) 2023-2024 The Software Heritage developers
// See the AUTHORS file at the top-level directory of this distribution
// License: GNU General Public License version 3, or any later version
// See top-level LICENSE file for more information
use std::str::FromStr;
use bitvec::prelude::*;
#[repr(u8)]
#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
/// Object type of an SWHID
///
/// # Reference
/// - <https://docs.softwareheritage.org/devel/swh-model/data-model.html>
pub enum NodeType {
Content = 0,
/// a list of named directory entries, each of which pointing to other
/// artifacts, usually file contents or sub-directories. Directory entries
/// are also associated to some metadata stored as permission bits.
Directory = 1,
/// code “hosting places” as previously described are usually large
/// platforms that host several unrelated software projects. For software
/// provenance purposes it is important to be more specific than that.
///
/// Software origins are fine grained references to where source code
/// artifacts archived by Software Heritage have been retrieved from. They
/// take the form of `(type, url)` pairs, where url is a canonical URL
/// (e.g., the address at which one can `git clone` a repository or download
/// a source tarball) and `type` the kind of software origin (e.g., git,
/// svn, or dsc for Debian source packages).
Origin = 2,
///AKA “tags”
///
/// some revisions are more equals than others and get selected by
/// developers as denoting important project milestones known as “releases”.
/// Each release points to the last commit in project history corresponding
/// to the release and carries metadata: release name and version, release
/// message, cryptographic signatures, etc.
Release = 3,
/// AKA commits
///
/// Software development within a specific project is
/// essentially a time-indexed series of copies of a single “root” directory
/// that contains the entire project source code. Software evolves when a d
/// eveloper modifies the content of one or more files in that directory
/// and record their changes.
///
/// Each recorded copy of the root directory is known as a “revision”. It
/// points to a fully-determined directory and is equipped with arbitrary
/// metadata. Some of those are added manually by the developer
/// (e.g., commit message), others are automatically synthesized
/// (timestamps, preceding commit(s), etc).
Revision = 4,
/// any kind of software origin offers multiple pointers to the “current”
/// state of a development project. In the case of VCS this is reflected by
/// branches (e.g., master, development, but also so called feature branches
/// dedicated to extending the software in a specific direction); in the
/// case of package distributions by notions such as suites that correspond
/// to different maturity levels of individual packages (e.g., stable,
/// development, etc.).
///
/// A “snapshot” of a given software origin records all entry points found
/// there and where each of them was pointing at the time. For example, a
/// snapshot object might track the commit where the master branch was
/// pointing to at any given time, as well as the most recent release of a
/// given package in the stable suite of a FOSS distribution.
Snapshot = 5,
}
impl<'a> TryFrom<&'a [u8]> for NodeType {
type Error = &'a [u8];
fn try_from(value: &'a [u8]) -> Result<Self, Self::Error> {
Ok(match value {
b"cnt" => Self::Content,
b"dir" => Self::Directory,
b"ori" => Self::Origin,
b"rel" => Self::Release,
b"rev" => Self::Revision,
b"snp" => Self::Snapshot,
_ => return Err(value),
})
}
}
impl FromStr for NodeType {
type Err = String;
/// # Examples
///
/// ```
/// # use swh_graph::NodeType;
///
/// assert_eq!("dir".parse::<NodeType>(), Ok(NodeType::Directory));
/// assert!(matches!("xyz".parse::<NodeType>(), Err(_)));
/// ```
fn from_str(s: &str) -> Result<Self, Self::Err> {
Ok(match s {
"cnt" => Self::Content,
"dir" => Self::Directory,
"ori" => Self::Origin,
"rel" => Self::Release,
"rev" => Self::Revision,
"snp" => Self::Snapshot,
_ => return Err(s.to_owned()),
})
}
}
impl TryFrom<u8> for NodeType {
type Error = u8;
fn try_from(value: u8) -> Result<Self, Self::Error> {
Ok(match value {
0 => Self::Content,
1 => Self::Directory,
2 => Self::Origin,
3 => Self::Release,
4 => Self::Revision,
5 => Self::Snapshot,
_ => return Err(value),
})
}
}
impl NodeType {
/// Get the number of possible types.
///
/// To avoid having to update this when adding a new type
/// we can use the unstable function `std::mem::variant_count`
/// or the `variant_count` crate.
/// But for now we just hardcode it while we decide how to
/// deal with this.
pub const NUMBER_OF_TYPES: usize = 6;
/// The number of bits needed to store the node type as integers
/// This is `ceil(log2(NUMBER_OF_TYPES))` which can be arithmetized into
/// `floor(log2(NUMBER_OF_TYPES))` plus one if it's not a power of two.
pub const BITWIDTH: usize = Self::NUMBER_OF_TYPES.ilog2() as usize
+ (!Self::NUMBER_OF_TYPES.is_power_of_two()) as usize;
/// Convert a type to the str used in the SWHID
pub fn to_str(&self) -> &'static str {
match self {
Self::Content => "cnt",
Self::Directory => "dir",
Self::Origin => "ori",
Self::Release => "rel",
Self::Revision => "rev",
Self::Snapshot => "snp",
}
}
/// Convert a type to its enum discriminant value.
///
/// In all cases using this method is both safer and more concise than
/// `(node_type as isize).try_into().unwrap()`.
pub fn to_u8(&self) -> u8 {
match self {
Self::Content => 0,
Self::Directory => 1,
Self::Origin => 2,
Self::Release => 3,
Self::Revision => 4,
Self::Snapshot => 5,
}
}
/// Returns a vector containing all possible `NodeType` values.
// TODO make this return an HashSet instead, as the order does not matter
pub fn all() -> Vec<Self> {
vec![
NodeType::Content,
NodeType::Directory,
NodeType::Origin,
NodeType::Release,
NodeType::Revision,
NodeType::Snapshot,
]
}
}
impl core::fmt::Display for NodeType {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
f.write_str(self.to_str())
}
}
/// Compact representation of a set of [NodeType]-s, as a bit array.
type NodeTypeSet = BitArr!(for NodeType::NUMBER_OF_TYPES, in u8, Msb0);
/// Constraint on allowed node types, as a set of node types.
#[derive(Debug, PartialEq)]
pub struct NodeConstraint(pub NodeTypeSet);
impl NodeConstraint {
/// # Examples
///
/// ```
/// # use std::collections::HashSet;
/// # use swh_graph::{NodeConstraint, NodeType};
///
/// let only_dirs: NodeConstraint = "dir".parse().unwrap();
/// let history_nodes: NodeConstraint = "rel,rev".parse().unwrap();
/// let all_nodes: NodeConstraint = "*".parse().unwrap();
///
/// assert!(only_dirs.matches(NodeType::Directory));
/// assert!(!only_dirs.matches(NodeType::Content));
/// assert!(history_nodes.matches(NodeType::Release));
/// assert!(history_nodes.matches(NodeType::Revision));
/// assert!(!history_nodes.matches(NodeType::Origin));
/// for node_type in NodeType::all() {
/// assert!(all_nodes.matches(node_type));
/// }
/// ```
pub fn matches(&self, node_type: NodeType) -> bool {
*self.0.get(node_type.to_u8() as usize).unwrap()
}
pub fn to_vec(&self) -> Vec<NodeType> {
self.0
.iter_ones() // Note: this iterates on all bits of the u8
.filter_map(|type_idx| (type_idx as u8).try_into().ok())
.collect()
}
}
impl Default for NodeConstraint {
fn default() -> Self {
Self(bitarr!(u8, Msb0; 1; NodeType::NUMBER_OF_TYPES))
}
}
impl FromStr for NodeConstraint {
type Err = String;
/// # Examples
///
/// ```
/// # use std::collections::HashSet;
/// # use bitvec::prelude::*;
/// # use swh_graph::{NodeConstraint, NodeType};
///
/// assert_eq!("*".parse::<NodeConstraint>(), Ok(NodeConstraint(bitarr!(u8, Msb0; 1; 6))));
/// assert_eq!("rel".parse::<NodeConstraint>(), Ok(NodeConstraint(bitarr!(u8, Msb0; 0, 0, 0, 1, 0, 0))));
/// assert_eq!("dir,cnt".parse::<NodeConstraint>(), Ok(NodeConstraint(bitarr!(u8, Msb0; 1, 1, 0, 0, 0, 0))));
/// assert!(matches!("xyz".parse::<NodeConstraint>(), Err(_)));
/// ```
fn from_str(s: &str) -> Result<Self, Self::Err> {
if s == "*" {
Ok(NodeConstraint::default())
} else {
let mut node_types = bitarr!(u8, Msb0; 0; NodeType::NUMBER_OF_TYPES);
for s in s.split(',') {
node_types.set(s.parse::<NodeType>()?.to_u8() as usize, true);
}
Ok(NodeConstraint(node_types))
}
}
}
impl core::fmt::Display for NodeConstraint {
/// ```
/// # use std::collections::HashSet;
/// # use bitvec::prelude::*;
/// # use swh_graph::{NodeConstraint, NodeType};
///
/// assert_eq!(format!("{}", NodeConstraint::default()), "*");
/// assert_eq!(
/// format!("{}", NodeConstraint(bitarr!(u8, Msb0; 1, 1, 0, 0, 0, 0))),
/// "cnt,dir"
/// );
/// assert_eq!(
/// format!("{}", NodeConstraint(bitarr!(u8, Msb0; 0, 0, 1, 1, 1, 1))),
/// "ori,rel,rev,snp"
/// );
/// ```
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
if self.0.all() {
write!(f, "*")?;
} else {
let mut type_strings: Vec<&str> = self.to_vec().iter().map(|t| t.to_str()).collect();
type_strings.sort();
write!(f, "{}", type_strings.join(","))?;
}
Ok(())
}
}
/// Type of an arc between two nodes in the Software Heritage graph, as a pair
/// of type constraints on the source and destination arc. When one of the two
/// is None, it means "any node type accepted".
// TODO remove Options from ArcType and create a (more expressive, similar to
// NodeConstraint) type called ArcConstraint
pub struct ArcType {
pub src: Option<NodeType>,
pub dst: Option<NodeType>,
}