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
use std::time::Duration;
use crate::{
error::Error,
filter::parse_filter,
model::{SearchRequestDerefAliases, SearchRequestScope},
};
#[derive(Debug, Clone, PartialEq)]
pub struct SearchRequestBuilder {
base_dn: String,
scope: SearchRequestScope,
deref_aliases: SearchRequestDerefAliases,
size_limit: u32,
time_limit: Duration,
types_only: bool,
filter: String,
attributes: Vec<String>,
}
impl SearchRequestBuilder {
pub(crate) fn new() -> Self {
Self {
base_dn: Default::default(),
scope: SearchRequestScope::BaseObject,
deref_aliases: SearchRequestDerefAliases::NeverDerefAliases,
size_limit: 0,
time_limit: Duration::default(),
types_only: false,
filter: Default::default(),
attributes: Vec::new(),
}
}
pub fn base_dn<S: AsRef<str>>(mut self, base_dn: S) -> Self {
self.base_dn = base_dn.as_ref().to_owned();
self
}
pub fn scope(mut self, scope: SearchRequestScope) -> Self {
self.scope = scope;
self
}
pub fn deref_aliases(mut self, deref_aliases: SearchRequestDerefAliases) -> Self {
self.deref_aliases = deref_aliases;
self
}
pub fn size_limit(mut self, size_limit: u32) -> Self {
self.size_limit = size_limit;
self
}
pub fn time_limit(mut self, time_limit: Duration) -> Self {
self.time_limit = time_limit;
self
}
pub fn types_only(mut self, types_only: bool) -> Self {
self.types_only = types_only;
self
}
pub fn filter<S: AsRef<str>>(mut self, filter: S) -> Self {
self.filter = filter.as_ref().to_owned();
self
}
pub fn attributes<I, S>(mut self, attributes: I) -> Self
where
I: IntoIterator<Item = S>,
S: AsRef<str>,
{
self.attributes
.extend(attributes.into_iter().map(|a| a.as_ref().to_owned()));
self
}
pub fn attribute<S>(mut self, attribute: S) -> Self
where
S: AsRef<str>,
{
self.attributes.push(attribute.as_ref().to_owned());
self
}
pub fn build(self) -> Result<SearchRequest, Error> {
Ok(SearchRequest(rasn_ldap::SearchRequest::new(
self.base_dn.into(),
self.scope,
self.deref_aliases,
self.size_limit,
self.time_limit.as_secs() as u32,
self.types_only,
parse_filter(self.filter)?,
self.attributes.into_iter().map(Into::into).collect(),
)))
}
}
#[derive(Clone, Debug, PartialEq)]
pub struct SearchRequest(pub(crate) rasn_ldap::SearchRequest);
impl SearchRequest {
pub fn builder() -> SearchRequestBuilder {
SearchRequestBuilder::new()
}
pub fn root_dse() -> Self {
Self::builder().filter("(objectClass=*)").build().unwrap()
}
}
impl From<SearchRequest> for rasn_ldap::SearchRequest {
fn from(req: SearchRequest) -> Self {
req.0
}
}