public inbox for pdm-devel@lists.proxmox.com
 help / color / mirror / Atom feed
From: Dominik Csapak <d.csapak@proxmox.com>
To: pdm-devel@lists.proxmox.com
Subject: [pdm-devel] [PATCH datacenter-manager v5 03/10] server: api: resources: add more complex filter syntax
Date: Wed,  3 Sep 2025 15:09:19 +0200	[thread overview]
Message-ID: <20250903132351.841830-4-d.csapak@proxmox.com> (raw)
In-Reply-To: <20250903132351.841830-1-d.csapak@proxmox.com>

by using the new pdm-search crate for the resources api call.

We have to do 3 filter passes:
* one fast pass for remotes if the filter are constructed in a way that
  must filter to 'remote' (in this case we don't have to look at/return
  the resources at all, and can skip remotes that don't match)
* a pass for the resources
* a second pass for the remotes that check if they match for
  remote/non-remote mixed results

Signed-off-by: Dominik Csapak <d.csapak@proxmox.com>
---
changes from v4:
* add a MatchCategory helper enum, so we don't have the risk
  of parsing handling the same categories differently
* return an option for the resource matching method, so that we can
  differentiate between cases that we can decide or not

 server/Cargo.toml           |   1 +
 server/src/api/resources.rs | 229 ++++++++++++++++++++++++++++++++++--
 2 files changed, 217 insertions(+), 13 deletions(-)

diff --git a/server/Cargo.toml b/server/Cargo.toml
index 46bef67..9eefa0f 100644
--- a/server/Cargo.toml
+++ b/server/Cargo.toml
@@ -74,6 +74,7 @@ proxmox-acme-api = { workspace = true, features = [ "impl" ] }
 pdm-api-types.workspace = true
 pdm-buildcfg.workspace = true
 pdm-config.workspace = true
+pdm-search.workspace = true
 
 pve-api-types = { workspace = true, features = [ "client" ] }
 pbs-api-types.workspace = true
diff --git a/server/src/api/resources.rs b/server/src/api/resources.rs
index a9217b0..98c4dea 100644
--- a/server/src/api/resources.rs
+++ b/server/src/api/resources.rs
@@ -1,7 +1,7 @@
 use std::collections::HashMap;
 use std::sync::{LazyLock, RwLock};
 
-use anyhow::{format_err, Error};
+use anyhow::{bail, format_err, Error};
 use futures::future::join_all;
 use futures::FutureExt;
 
@@ -15,12 +15,13 @@ use pdm_api_types::subscription::{
     NodeSubscriptionInfo, RemoteSubscriptionState, RemoteSubscriptions, SubscriptionLevel,
 };
 use pdm_api_types::{Authid, PRIV_RESOURCE_AUDIT};
+use pdm_search::{Search, SearchTerm};
 use proxmox_access_control::CachedUserInfo;
 use proxmox_router::{
     http_bail, list_subdirs_api_method, Permission, Router, RpcEnvironment, SubdirMap,
 };
 use proxmox_rrd_api_types::RrdTimeframe;
-use proxmox_schema::api;
+use proxmox_schema::{api, parse_boolean};
 use proxmox_sortable_macro::sortable;
 use proxmox_subscription::SubscriptionStatus;
 use pve_api_types::{ClusterResource, ClusterResourceType};
@@ -46,6 +47,89 @@ const SUBDIRS: SubdirMap = &sorted!([
     ),
 ]);
 
+enum MatchCategory {
+    Type,
+    Name,
+    Id,
+    Status,
+    Template,
+    Remote,
+}
+
+impl std::str::FromStr for MatchCategory {
+    type Err = Error;
+
+    fn from_str(s: &str) -> Result<Self, Self::Err> {
+        let category = match s {
+            "type" => MatchCategory::Type,
+            "name" => MatchCategory::Name,
+            "id" => MatchCategory::Id,
+            "status" => MatchCategory::Status,
+            "template" => MatchCategory::Template,
+            "remote" => MatchCategory::Remote,
+            _ => bail!("invalid category"),
+        };
+        Ok(category)
+    }
+}
+
+impl MatchCategory {
+    fn matches(&self, value: &str, search_term: &str) -> bool {
+        match self {
+            MatchCategory::Type | MatchCategory::Status => value.starts_with(search_term),
+            MatchCategory::Name | MatchCategory::Id | MatchCategory::Remote => {
+                value.contains(search_term)
+            }
+            MatchCategory::Template => match (parse_boolean(value), parse_boolean(search_term)) {
+                (Ok(a), Ok(b)) => a == b,
+                _ => false,
+            },
+        }
+    }
+}
+
+// returns None if we can't decide if it matches, currently only for the `Remote` category`
+fn resource_matches_search_term(resource: &Resource, term: &SearchTerm) -> Option<bool> {
+    let matches = match term.category.as_deref().map(|c| c.parse::<MatchCategory>()) {
+        Some(Ok(category)) => match category {
+            MatchCategory::Type => category.matches(resource.resource_type().as_str(), &term.value),
+            MatchCategory::Name => category.matches(resource.name(), &term.value),
+            MatchCategory::Id => category.matches(&resource.id(), &term.value),
+            MatchCategory::Status => category.matches(resource.status(), &term.value),
+            MatchCategory::Template => match resource {
+                Resource::PveQemu(PveQemuResource { template, .. })
+                | Resource::PveLxc(PveLxcResource { template, .. }) => {
+                    category.matches(&template.to_string(), &term.value)
+                }
+                _ => false,
+            },
+            MatchCategory::Remote => return None, // this has to be checked beforehand
+        },
+        Some(Err(_)) => false,
+        None => resource.name().contains(&term.value) || resource.id().contains(&term.value),
+    };
+    Some(matches)
+}
+
+fn remote_matches_search_term(remote_name: &str, online: Option<bool>, term: &SearchTerm) -> bool {
+    match term.category.as_deref().map(|c| c.parse::<MatchCategory>()) {
+        Some(Ok(category)) => match category {
+            MatchCategory::Type => category.matches("remote", &term.value),
+            MatchCategory::Name | MatchCategory::Remote | MatchCategory::Id => {
+                category.matches(remote_name, &term.value)
+            }
+            MatchCategory::Status => match online {
+                Some(true) => category.matches("online", &term.value),
+                Some(false) => category.matches("offline", &term.value),
+                None => true,
+            },
+            MatchCategory::Template => todo!(),
+        },
+        Some(Err(_)) => false,
+        None => remote_name.contains(&term.value) || "remote".starts_with(&term.value),
+    }
+}
+
 #[api(
     // FIXME:: see list-like API calls in resource routers, we probably want more fine-grained
     // checks..
@@ -83,6 +167,41 @@ pub async fn get_resources(
     get_resources_impl(max_age, search, Some(rpcenv)).await
 }
 
+// helper to determine if the combination of search terms requires the results
+// to be remotes, so we can skip looking at resources
+fn is_remotes_only(filters: &Search) -> bool {
+    let mut is_required = false;
+    let mut optional_matches = 0;
+    let mut optional_terms = 0;
+    filters.matches(|term| {
+        if term.is_optional() {
+            optional_terms += 1;
+        }
+        match term.category.as_deref() {
+            Some("remote") => {
+                if !term.is_optional() {
+                    is_required = true;
+                } else {
+                    optional_matches += 1;
+                }
+            }
+            Some("type") if "remote".starts_with(&term.value) => {
+                if !term.is_optional() {
+                    is_required = true;
+                } else {
+                    optional_matches += 1;
+                }
+            }
+            None => {}
+            _ => {}
+        }
+        // search is short-circuited, so to iterate over all, return true on required and false on optional
+        !term.is_optional()
+    });
+
+    is_required || (optional_matches > 0 && optional_matches == optional_terms)
+}
+
 // called from resource_cache where no RPCEnvironment is initialized..
 pub(crate) async fn get_resources_impl(
     max_age: u64,
@@ -105,6 +224,10 @@ pub(crate) async fn get_resources_impl(
     let (remotes_config, _) = pdm_config::remotes::config()?;
     let mut join_handles = Vec::new();
 
+    let filters = search.map(Search::from).unwrap_or_default();
+
+    let remotes_only = is_remotes_only(&filters);
+
     for (remote_name, remote) in remotes_config {
         if let Some(ref auth_id) = opt_auth_id {
             let remote_privs = user_info.lookup_privs(auth_id, &["resource", &remote_name]);
@@ -112,12 +235,30 @@ pub(crate) async fn get_resources_impl(
                 continue;
             }
         }
+
+        if remotes_only
+            && !filters.matches(|term| remote_matches_search_term(&remote_name, None, term))
+        {
+            continue;
+        }
+        let filter = filters.clone();
         let handle = tokio::spawn(async move {
-            let (resources, error) = match get_resources_for_remote(remote, max_age).await {
+            let (mut resources, error) = match get_resources_for_remote(remote, max_age).await {
                 Ok(resources) => (resources, None),
                 Err(error) => (Vec::new(), Some(error.to_string())),
             };
 
+            if remotes_only {
+                resources.clear();
+            } else if !filter.is_empty() {
+                resources.retain(|resource| {
+                    filter.matches(|filter| {
+                        // if we get can't decide if it matches, don't filter it out
+                        resource_matches_search_term(resource, filter).unwrap_or(true)
+                    })
+                });
+            }
+
             RemoteResources {
                 remote: remote_name,
                 resources,
@@ -133,17 +274,15 @@ pub(crate) async fn get_resources_impl(
         remote_resources.push(handle.await?);
     }
 
-    if let Some(search) = search {
-        // FIXME implement more complex filter syntax
-        remote_resources.retain_mut(|res| {
-            if res.remote.contains(&search) {
-                true
-            } else {
-                res.resources
-                    .retain(|res| res.id().contains(&search) || res.name().contains(&search));
-                !res.resources.is_empty()
+    if !filters.is_empty() {
+        remote_resources.retain(|res| {
+            if !res.resources.is_empty() {
+                return true;
             }
-        });
+            filters.matches(|filter| {
+                remote_matches_search_term(&res.remote, Some(res.error.is_none()), filter)
+            })
+        })
     }
 
     Ok(remote_resources)
@@ -728,3 +867,67 @@ fn map_pbs_datastore_status(remote: &str, status: DataStoreStatusListItem) -> Re
         disk: status.used.unwrap_or_default(),
     })
 }
+
+#[cfg(test)]
+mod tests {
+    use crate::api::resources::is_remotes_only;
+    use pdm_search::{Search, SearchTerm};
+
+    #[test]
+    fn is_remote_only() {
+        let remote_term = SearchTerm::new("foo").category(Some("remote"));
+        let remote_term_optional = remote_term.clone().optional(true);
+
+        let other_term = SearchTerm::new("foo");
+        let other_term_optional = other_term.clone().optional(true);
+
+        let type_remote_term = SearchTerm::new("remote").category(Some("type"));
+        let type_remote_term_optional = type_remote_term.clone().optional(true);
+
+        let type_other_term = SearchTerm::new("foo").category(Some("type"));
+        let type_other_term_optional = type_other_term.clone().optional(true);
+
+        let cases = vec![
+            (vec![other_term.clone()], false),
+            (vec![other_term_optional.clone()], false),
+            (vec![remote_term.clone()], true),
+            (vec![remote_term_optional.clone()], true),
+            (vec![type_other_term.clone()], false),
+            (vec![type_other_term_optional.clone()], false),
+            (
+                vec![SearchTerm::new("re").optional(true).category(Some("type"))],
+                true,
+            ),
+            (vec![type_remote_term.clone()], true),
+            (vec![type_remote_term_optional.clone()], true),
+            (
+                vec![
+                    type_remote_term_optional.clone(),
+                    other_term_optional.clone(),
+                ],
+                false,
+            ),
+            (
+                vec![
+                    type_other_term_optional.clone(),
+                    other_term_optional.clone(),
+                ],
+                false,
+            ),
+            (
+                vec![
+                    type_remote_term.clone(),
+                    type_other_term_optional.clone(),
+                    other_term_optional.clone(),
+                ],
+                true,
+            ),
+            (vec![other_term.clone(), type_remote_term.clone()], true),
+        ];
+
+        for (count, (case, expected)) in cases.into_iter().enumerate() {
+            let search = Search::from_iter(case.into_iter());
+            assert_eq!(is_remotes_only(&search), expected, "case: {count}");
+        }
+    }
+}
-- 
2.47.2



_______________________________________________
pdm-devel mailing list
pdm-devel@lists.proxmox.com
https://lists.proxmox.com/cgi-bin/mailman/listinfo/pdm-devel


  parent reply	other threads:[~2025-09-03 13:24 UTC|newest]

Thread overview: 12+ messages / expand[flat|nested]  mbox.gz  Atom feed  top
2025-09-03 13:09 [pdm-devel] [PATCH datacenter-manager v5 00/10] implement more complex search syntax Dominik Csapak
2025-09-03 13:09 ` [pdm-devel] [PATCH datacenter-manager v5 01/10] pdm-api-types: resources: add helper methods for fields Dominik Csapak
2025-09-03 13:09 ` [pdm-devel] [PATCH datacenter-manager v5 02/10] lib: add pdm-search crate Dominik Csapak
2025-09-03 13:09 ` Dominik Csapak [this message]
2025-09-03 13:09 ` [pdm-devel] [PATCH datacenter-manager v5 04/10] ui: add possibility to insert into search box Dominik Csapak
2025-09-03 13:09 ` [pdm-devel] [PATCH datacenter-manager v5 05/10] ui: dashboard: remotes panel: open search on click Dominik Csapak
2025-09-03 13:09 ` [pdm-devel] [PATCH datacenter-manager v5 06/10] ui: dashboard: guest panel: search for guest states when clicking on them Dominik Csapak
2025-09-03 13:09 ` [pdm-devel] [PATCH datacenter-manager v5 07/10] ui: dashboard: search for nodes when clicking on the nodes panel Dominik Csapak
2025-09-03 13:09 ` [pdm-devel] [PATCH datacenter-manager v5 08/10] ui: search box: add clear trigger Dominik Csapak
2025-09-03 13:09 ` [pdm-devel] [PATCH datacenter-manager v5 09/10] ui: dashboard: guest panel: use `List` instead of `DataTable` Dominik Csapak
2025-09-03 13:09 ` [pdm-devel] [PATCH datacenter-manager v5 10/10] ui: dashboard: guest panel: add search icon for better discoverability Dominik Csapak
2025-09-04 17:21 ` [pdm-devel] applied-series: [PATCH datacenter-manager v5 00/10] implement more complex search syntax Thomas Lamprecht

Reply instructions:

You may reply publicly to this message via plain-text email
using any one of the following methods:

* Save the following mbox file, import it into your mail client,
  and reply-to-all from there: mbox

  Avoid top-posting and favor interleaved quoting:
  https://en.wikipedia.org/wiki/Posting_style#Interleaved_style

* Reply using the --to, --cc, and --in-reply-to
  switches of git-send-email(1):

  git send-email \
    --in-reply-to=20250903132351.841830-4-d.csapak@proxmox.com \
    --to=d.csapak@proxmox.com \
    --cc=pdm-devel@lists.proxmox.com \
    /path/to/YOUR_REPLY

  https://kernel.org/pub/software/scm/git/docs/git-send-email.html

* If your mail client supports setting the In-Reply-To header
  via mailto: links, try the mailto: link
Be sure your reply has a Subject: header at the top and a blank line before the message body.
This is a public inbox, see mirroring instructions
for how to clone and mirror all data and code used for this inbox
Service provided by Proxmox Server Solutions GmbH | Privacy | Legal