alpm_srcinfo/source_info/v1/
package.rs

1//! Handling of metadata found in a `pkgname` section of SRCINFO data.
2use std::collections::{BTreeMap, HashSet};
3
4use alpm_types::{
5    Architecture,
6    License,
7    MakepkgOption,
8    Name,
9    OptionalDependency,
10    PackageDescription,
11    PackageRelation,
12    RelativePath,
13    Url,
14};
15use serde::{Deserialize, Serialize};
16
17#[cfg(doc)]
18use crate::{MergedPackage, SourceInfoV1, source_info::v1::package_base::PackageBase};
19use crate::{
20    error::SourceInfoError,
21    lints::{
22        duplicate_architecture,
23        missing_architecture_for_property,
24        non_spdx_license,
25        reassigned_cleared_property,
26    },
27    relation::RelationOrSoname,
28    source_info::{
29        helper::ordered_optional_hashset,
30        parser::{
31            ClearableProperty,
32            PackageProperty,
33            RawPackage,
34            RelationProperty,
35            SharedMetaProperty,
36        },
37    },
38};
39
40/// A [`Package`] property that can override its respective defaults in [`PackageBase`].
41///
42/// This type is similar to [`Option`], which has special serialization behavior.
43/// However, in some file formats (e.g. JSON) it is not possible to represent data such as
44/// `Option<Option<T>>`, as serialization would flatten the structure. This type enables
45/// representation of this type of data.
46#[derive(Default, Debug, Clone, Serialize, Deserialize)]
47#[serde(tag = "override")]
48pub enum Override<T> {
49    #[default]
50    No,
51    Clear,
52    Yes {
53        value: T,
54    },
55}
56
57impl<T> Override<T> {
58    /// Applies `self` onto an `Option<T>`.
59    ///
60    /// - `Override::No` -> `other` stays untouched.
61    /// - `Override::Clear` -> `other` is set to `None`.
62    /// - `Override::Yes { value }` -> `other` is set to `Some(value)`.
63    #[inline]
64    pub fn merge_option(self, other: &mut Option<T>) {
65        match self {
66            Override::No => (),
67            Override::Clear => *other = None,
68            Override::Yes { value } => *other = Some(value),
69        }
70    }
71
72    /// If `Override::Yes`, its value will be returned.
73    /// If `self` is something else, `self` will be set to a `Override::Yes { value: default }`.
74    ///
75    /// Similar to as [Option::get_or_insert].
76    #[inline]
77    pub fn get_or_insert(&mut self, default: T) -> &mut T {
78        if let Override::Yes { value } = self {
79            return value;
80        }
81
82        *self = Override::Yes { value: default };
83
84        // This is infallible.
85        if let Override::Yes { value } = self {
86            return value;
87        }
88        unreachable!()
89    }
90}
91
92impl<T> Override<Vec<T>> {
93    /// Applies `self` onto an `Vec<T>`.
94    ///
95    /// - `Override::No` -> `other` stays untouched.
96    /// - `Override::Clear` -> `other` is set to `Vec::new()`.
97    /// - `Override::Yes { value }` -> `other` is set to `value`.
98    #[inline]
99    pub fn merge_vec(self, other: &mut Vec<T>) {
100        match self {
101            Override::No => (),
102            Override::Clear => *other = Vec::new(),
103            Override::Yes { value } => *other = value,
104        }
105    }
106}
107
108/// Package metadata based on a `pkgname` section in SRCINFO data.
109///
110/// This struct only contains package specific overrides.
111/// Only in combination with [`PackageBase`] data a full view on a package's metadata is possible.
112///
113/// All values and nested structs inside this struct, except the `name` field, are either nested
114/// [`Option`]s (e.g. `Override<Option<String>>`) or optional collections (e.g. `Option<Vec>`).
115/// This is due to the fact that all fields are overrides for the defaults set by the
116/// [`PackageBase`] struct.
117/// - If a value is `Override::No`, this indicates that the [`PackageBase`]'s value should be used.
118/// - If a value is `Override::Yes<None>`, this means that the value should be empty and the
119///   [`PackageBase`] should be ignored. The same goes for collections in the sense of
120///   `Override::Yes(Vec::new())`.
121/// - If a value is `Override::Yes(Some(value))` or `Override::Yes(vec![values])`, these values
122///   should then be used.
123///
124/// This struct merely contains the overrides that should be applied on top of the
125/// [PackageBase] to get the final definition of this package.
126//
127/// Take a look at [SourceInfoV1::packages_for_architecture] on how to get the merged representation
128/// [MergedPackage] of a package.
129#[derive(Clone, Debug, Deserialize, Serialize)]
130pub struct Package {
131    pub name: Name,
132    pub description: Override<PackageDescription>,
133    pub url: Override<Url>,
134    pub changelog: Override<RelativePath>,
135    pub licenses: Override<Vec<License>>,
136
137    // Build or package management related meta fields
138    pub install: Override<RelativePath>,
139    pub groups: Override<Vec<String>>,
140    pub options: Override<Vec<MakepkgOption>>,
141    pub backups: Override<Vec<RelativePath>>,
142
143    /// These are all override fields that may be architecture specific.
144    /// Despite being overridable, `architectures` field isn't of the `Override` type, as it
145    /// **cannot** be cleared.
146    #[serde(serialize_with = "ordered_optional_hashset")]
147    pub architectures: Option<HashSet<Architecture>>,
148    pub architecture_properties: BTreeMap<Architecture, PackageArchitecture>,
149
150    pub dependencies: Override<Vec<RelationOrSoname>>,
151    pub optional_dependencies: Override<Vec<OptionalDependency>>,
152    pub provides: Override<Vec<RelationOrSoname>>,
153    pub conflicts: Override<Vec<PackageRelation>>,
154    pub replaces: Override<Vec<PackageRelation>>,
155}
156
157/// Architecture specific package properties for use in [`Package`].
158///
159/// For each [`Architecture`] defined in [`Package::architectures`] a [`PackageArchitecture`] is
160/// present in [`Package::architecture_properties`].
161#[derive(Clone, Debug, Default, Deserialize, Serialize)]
162pub struct PackageArchitecture {
163    pub dependencies: Override<Vec<RelationOrSoname>>,
164    pub optional_dependencies: Override<Vec<OptionalDependency>>,
165    pub provides: Override<Vec<RelationOrSoname>>,
166    pub conflicts: Override<Vec<PackageRelation>>,
167    pub replaces: Override<Vec<PackageRelation>>,
168}
169
170/// Handles all potentially architecture specific, clearable entries in the [`Package::from_parsed`]
171/// function.
172///
173/// If no architecture is encountered, it simply clears the value on the [`Package`] itself.
174/// Otherwise, it's added to the respective [`PackageBase::architecture_properties`].
175///
176/// Furthermore, adds linter warnings if an architecture is encountered that doesn't exist in the
177/// [`PackageBase::architectures`] or [`Package::architectures`] if overridden.
178macro_rules! clearable_arch_vec {
179    (
180        $line:ident,
181        $errors:ident,
182        $lint_architectures:ident,
183        $architecture_properties:ident,
184        $architecture:ident,
185        $field_name:ident,
186    ) => {
187        // Check if the property is architecture specific.
188        // If so, we have to perform some checks and preparations
189        if let Some(architecture) = $architecture {
190            let properties = $architecture_properties.entry(*architecture).or_default();
191            properties.$field_name = Override::Clear;
192
193            // Throw an error for all architecture specific properties that don't have
194            // an explicit `arch` statement. This is considered bad style.
195            // Also handle the special `Any` [Architecture], which allows all architectures.
196            if !$lint_architectures.contains(&architecture)
197                && !$lint_architectures.contains(&Architecture::Any)
198            {
199                missing_architecture_for_property($errors, $line, *architecture);
200            }
201        } else {
202            $field_name = Override::Clear;
203        }
204    };
205}
206
207/// Handles all potentially architecture specific Vector entries in the [`Package::from_parsed`]
208/// function.
209///
210/// If no architecture is encountered, it simply adds the value on the [`Package`] itself.
211/// Otherwise, it clears the value on the respective [`Package::architecture_properties`] entry.
212///
213/// Furthermore, adds linter warnings if an architecture is encountered that doesn't exist in the
214/// [`PackageBase::architectures`] or [`Package::architectures`] if overridden.
215macro_rules! package_arch_prop {
216    (
217        $line:ident,
218        $errors:ident,
219        $lint_architectures:ident,
220        $architecture_properties:ident,
221        $arch_property:ident,
222        $field_name:ident,
223    ) => {
224        // Check if the property is architecture specific.
225        // If so, we have to perform some checks and preparations
226        if let Some(architecture) = $arch_property.architecture {
227            // Make sure the architecture specific properties are initialized.
228            let architecture_properties = $architecture_properties
229                .entry(architecture)
230                .or_insert(PackageArchitecture::default());
231
232            // Set the architecture specific value.
233            architecture_properties
234                .$field_name
235                .get_or_insert(Vec::new())
236                .push($arch_property.value);
237
238            // Throw an error for all architecture specific properties that don't have
239            // an explicit `arch` statement. This is considered bad style.
240            // Also handle the special `Any` [Architecture], which allows all architectures.
241            if !$lint_architectures.contains(&architecture)
242                && !$lint_architectures.contains(&Architecture::Any)
243            {
244                missing_architecture_for_property($errors, $line, architecture);
245            }
246        } else {
247            $field_name
248                .get_or_insert(Vec::new())
249                .push($arch_property.value)
250        }
251    };
252}
253
254impl Package {
255    /// Creates a new [`Package`] instance from a [`RawPackage`].
256    ///
257    /// # Parameters
258    ///
259    /// - `line_start`: The number of preceding lines, so that error/lint messages can reference the
260    ///   correct lines.
261    /// - `parsed`: The [`RawPackage`] representation of the SRCINFO data. The input guarantees that
262    ///   the keyword assignments have been parsed correctly, but not yet that they represent valid
263    ///   SRCINFO data as a whole.
264    /// - `errors`: All errors and lints encountered during the creation of the [`Package`].
265    ///
266    /// # Errors
267    ///
268    /// This function does not return a [`Result`], but instead relies on aggregating all lints,
269    /// warnings and errors in `errors`.
270    /// This allows to keep the function call recoverable, so that all errors and lints can
271    /// be returned all at once.
272    pub fn from_parsed(
273        line_start: usize,
274        package_base_architectures: &HashSet<Architecture>,
275        parsed: RawPackage,
276        errors: &mut Vec<SourceInfoError>,
277    ) -> Self {
278        let mut description = Override::No;
279        let mut url = Override::No;
280        let mut licenses = Override::No;
281        let mut changelog = Override::No;
282        let mut architectures = None;
283        let mut architecture_properties: BTreeMap<Architecture, PackageArchitecture> =
284            BTreeMap::new();
285
286        // Build or package management related meta fields
287        let mut install = Override::No;
288        let mut groups = Override::No;
289        let mut options = Override::No;
290        let mut backups = Override::No;
291
292        let mut dependencies = Override::No;
293        let mut optional_dependencies = Override::No;
294        let mut provides = Override::No;
295        let mut conflicts = Override::No;
296        let mut replaces = Override::No;
297
298        // First up, check all input for potential architecture overrides.
299        // We need this to do proper linting when doing our actual pass through the file.
300        for (index, prop) in parsed.properties.iter().enumerate() {
301            // We're only interested in architecture properties.
302            let PackageProperty::MetaProperty(SharedMetaProperty::Architecture(architecture)) =
303                prop
304            else {
305                continue;
306            };
307
308            // Calculate the actual line in the document based on any preceding lines.
309            // We have to add one, as lines aren't 0 indexed.
310            let line = index + line_start;
311
312            // Make sure to set the value of the HashSet to
313            let architectures = architectures.get_or_insert(HashSet::new());
314
315            // Lint to make sure there aren't duplicate architectures declarations.
316            if architectures.contains(architecture) {
317                duplicate_architecture(errors, line, *architecture);
318            }
319
320            // Add the architecture in case it hasn't already.
321            architectures.insert(*architecture);
322            architecture_properties.entry(*architecture).or_default();
323        }
324
325        // If there's an overrides for architectures of this package, we need to use those
326        // architectures for linting. If there isn't, we have to fall back to the PackageBase
327        // architectures, which are then used instead.
328        let architectures_for_lint = match &architectures {
329            Some(architectures) => architectures,
330            None => package_base_architectures,
331        };
332
333        // Save all ClearableProperties so that we may use them for linting lateron.
334        let mut cleared_properties = Vec::new();
335
336        // Next, check if there're any [ClearableProperty] overrides.
337        // These indicate that a value or a vector should be overridden and set to None or an empty
338        // vector, based on the property.
339        for (index, prop) in parsed.properties.iter().enumerate() {
340            // Calculate the actual line in the document based on any preceding lines.
341            // We have to add one, as lines aren't 0 indexed.
342            let line = index + line_start;
343
344            // We're only interested in clearable properties.
345            let PackageProperty::Clear(clearable_property) = prop else {
346                continue;
347            };
348
349            cleared_properties.push(clearable_property.clone());
350
351            match clearable_property {
352                ClearableProperty::Description => description = Override::Clear,
353                ClearableProperty::Url => url = Override::Clear,
354                ClearableProperty::Licenses => licenses = Override::Clear,
355                ClearableProperty::Changelog => changelog = Override::Clear,
356                ClearableProperty::Install => install = Override::Clear,
357                ClearableProperty::Groups => groups = Override::Clear,
358                ClearableProperty::Options => options = Override::Clear,
359                ClearableProperty::Backups => backups = Override::Clear,
360                ClearableProperty::Dependencies(architecture) => clearable_arch_vec!(
361                    line,
362                    errors,
363                    architectures_for_lint,
364                    architecture_properties,
365                    architecture,
366                    dependencies,
367                ),
368                ClearableProperty::OptionalDependencies(architecture) => {
369                    clearable_arch_vec!(
370                        line,
371                        errors,
372                        architectures_for_lint,
373                        architecture_properties,
374                        architecture,
375                        optional_dependencies,
376                    )
377                }
378                ClearableProperty::Provides(architecture) => clearable_arch_vec!(
379                    line,
380                    errors,
381                    architectures_for_lint,
382                    architecture_properties,
383                    architecture,
384                    provides,
385                ),
386                ClearableProperty::Conflicts(architecture) => clearable_arch_vec!(
387                    line,
388                    errors,
389                    architectures_for_lint,
390                    architecture_properties,
391                    architecture,
392                    conflicts,
393                ),
394                ClearableProperty::Replaces(architecture) => clearable_arch_vec!(
395                    line,
396                    errors,
397                    architectures_for_lint,
398                    architecture_properties,
399                    architecture,
400                    replaces,
401                ),
402            }
403        }
404
405        /// Mini helper macro that crates a filter closure to filter a specific SharedMetaProperty.
406        /// Needed in the following ClearableProperty lint check.
407        /// The function must be boxed as we mix this with closures from
408        /// `relation_property_filter`.
409        macro_rules! meta_property_filter {
410            ($pattern:pat) => {
411                Box::new(|(_, property): &(usize, &PackageProperty)| {
412                    matches!(property, PackageProperty::MetaProperty($pattern))
413                })
414            };
415        }
416
417        /// Mini helper macro that crates a filter closure to filter a specific RelationProperty.
418        /// Needed in the following ClearableProperty lint check.
419        macro_rules! relation_property_filter {
420            ($architecture:ident, $pattern:pat) => {{
421                // Clone the cleared architecture so that it may be copied into the closure
422                let cleared_architecture = $architecture.clone();
423                Box::new(move |(_, property): &(usize, &PackageProperty)| {
424                    // Make sure we have a relation
425                    let PackageProperty::RelationProperty(relation) = property else {
426                        return false;
427                    };
428                    // Make sure we match the pattern
429                    if !matches!(relation, $pattern) {
430                        return false;
431                    }
432
433                    // Check whether the architecture matches
434                    cleared_architecture == relation.architecture()
435                })
436            }};
437        }
438
439        // Ensures that cleared properties don't get overwritten again in the same scope of a
440        // package. E.g.
441        // ```txt
442        // depends =
443        // depends = vim
444        // ```
445        for clearable in cleared_properties {
446            #[allow(clippy::type_complexity)]
447            // Return a filter closure/function that's used to search all properties for a certain
448            // enum variant. In the case of architecture specific properties, the closure also
449            // looks for properties that use the same architecture as the cleared property.
450            //
451            // This needs to be boxed as we're working with closures in the context of architecture
452            // specific properties. They capture the cleared property's architecture for comparison.
453            let filter: Box<dyn Fn(&(usize, &PackageProperty)) -> bool> = match clearable {
454                ClearableProperty::Description => {
455                    meta_property_filter!(SharedMetaProperty::Description(_))
456                }
457                ClearableProperty::Url => {
458                    meta_property_filter!(SharedMetaProperty::Url(_))
459                }
460                ClearableProperty::Licenses => {
461                    meta_property_filter!(SharedMetaProperty::License(_))
462                }
463                ClearableProperty::Changelog => {
464                    meta_property_filter!(SharedMetaProperty::Changelog(_))
465                }
466                ClearableProperty::Install => {
467                    meta_property_filter!(SharedMetaProperty::Install(_))
468                }
469                ClearableProperty::Groups => {
470                    meta_property_filter!(SharedMetaProperty::Group(_))
471                }
472                ClearableProperty::Options => {
473                    meta_property_filter!(SharedMetaProperty::Option(_))
474                }
475                ClearableProperty::Backups => {
476                    meta_property_filter!(SharedMetaProperty::Backup(_))
477                }
478                ClearableProperty::Dependencies(architecture) => {
479                    relation_property_filter!(architecture, RelationProperty::Dependency(_))
480                }
481                ClearableProperty::OptionalDependencies(architecture) => {
482                    relation_property_filter!(architecture, RelationProperty::OptionalDependency(_))
483                }
484                ClearableProperty::Provides(architecture) => {
485                    relation_property_filter!(architecture, RelationProperty::Provides(_))
486                }
487                ClearableProperty::Conflicts(architecture) => {
488                    relation_property_filter!(architecture, RelationProperty::Conflicts(_))
489                }
490                ClearableProperty::Replaces(architecture) => {
491                    relation_property_filter!(architecture, RelationProperty::Replaces(_))
492                }
493            };
494
495            // Check if we found a declaration even though the field is also being cleared.
496            let Some((index, _)) = parsed.properties.iter().enumerate().find(filter) else {
497                continue;
498            };
499
500            // Calculate the actual line in the document based on any preceding lines.
501            let line = index + line_start;
502
503            // Create the lint error
504            reassigned_cleared_property(errors, line);
505        }
506
507        // Set all of the package's properties.
508        for (line, prop) in parsed.properties.into_iter().enumerate() {
509            // Calculate the actual line in the document based on any preceding lines.
510            let line = line + line_start;
511            match prop {
512                // Skip empty lines and comments
513                PackageProperty::EmptyLine | PackageProperty::Comment(_) => continue,
514                PackageProperty::MetaProperty(shared_meta_property) => {
515                    match shared_meta_property {
516                        SharedMetaProperty::Description(inner) => {
517                            description = Override::Yes { value: inner }
518                        }
519                        SharedMetaProperty::Url(inner) => url = Override::Yes { value: inner },
520                        SharedMetaProperty::License(inner) => {
521                            // Create lints for non-spdx licenses.
522                            if let License::Unknown(_) = &inner {
523                                non_spdx_license(errors, line, inner.to_string());
524                            }
525                            licenses.get_or_insert(Vec::new()).push(inner)
526                        }
527                        SharedMetaProperty::Changelog(inner) => {
528                            changelog = Override::Yes { value: inner }
529                        }
530                        SharedMetaProperty::Install(inner) => {
531                            install = Override::Yes { value: inner }
532                        }
533                        SharedMetaProperty::Group(inner) => {
534                            groups.get_or_insert(Vec::new()).push(inner)
535                        }
536                        SharedMetaProperty::Option(inner) => {
537                            options.get_or_insert(Vec::new()).push(inner)
538                        }
539                        SharedMetaProperty::Backup(inner) => {
540                            backups.get_or_insert(Vec::new()).push(inner)
541                        }
542                        // We already handled these at the start of the function in a previous pass.
543                        SharedMetaProperty::Architecture(_) => continue,
544                    }
545                }
546                PackageProperty::RelationProperty(relation_property) => match relation_property {
547                    RelationProperty::Dependency(arch_property) => package_arch_prop!(
548                        line,
549                        errors,
550                        architectures_for_lint,
551                        architecture_properties,
552                        arch_property,
553                        dependencies,
554                    ),
555                    RelationProperty::OptionalDependency(arch_property) => {
556                        package_arch_prop!(
557                            line,
558                            errors,
559                            architectures_for_lint,
560                            architecture_properties,
561                            arch_property,
562                            optional_dependencies,
563                        )
564                    }
565                    RelationProperty::Provides(arch_property) => package_arch_prop!(
566                        line,
567                        errors,
568                        architectures_for_lint,
569                        architecture_properties,
570                        arch_property,
571                        provides,
572                    ),
573                    RelationProperty::Conflicts(arch_property) => package_arch_prop!(
574                        line,
575                        errors,
576                        architectures_for_lint,
577                        architecture_properties,
578                        arch_property,
579                        conflicts,
580                    ),
581                    RelationProperty::Replaces(arch_property) => package_arch_prop!(
582                        line,
583                        errors,
584                        architectures_for_lint,
585                        architecture_properties,
586                        arch_property,
587                        replaces,
588                    ),
589                },
590                // We already handled at the start in a separate pass.
591                PackageProperty::Clear(_) => continue,
592            }
593        }
594
595        Package {
596            name: parsed.name,
597            description,
598            url,
599            changelog,
600            licenses,
601            architectures,
602            architecture_properties,
603            install,
604            groups,
605            options,
606            backups,
607            dependencies,
608            optional_dependencies,
609            provides,
610            conflicts,
611            replaces,
612        }
613    }
614}