1use {
18 rust_icu_common as common, rust_icu_sys as sys,
19 rust_icu_sys::*,
20 std::{convert::TryFrom, ffi, str},
21};
22
23#[derive(Debug)]
27pub struct Enumeration {
28 _raw: Option<common::CStringVec>,
31
32 rep: *mut sys::UEnumeration,
36}
37
38impl Enumeration {
39 pub fn repr(&mut self) -> *mut sys::UEnumeration {
41 self.rep
42 }
43
44 pub fn empty() -> Self {
46 Enumeration::try_from(&vec![][..]).unwrap()
47 }
48}
49
50impl Default for Enumeration {
51 fn default() -> Self {
52 Self::empty()
53 }
54}
55
56impl TryFrom<&[&str]> for Enumeration {
58 type Error = common::Error;
59
60 fn try_from(v: &[&str]) -> Result<Enumeration, common::Error> {
64 let raw = common::CStringVec::new(v)?;
65 let mut status = common::Error::OK_CODE;
66 let rep: *mut sys::UEnumeration = unsafe {
67 versioned_function!(uenum_openCharStringsEnumeration)(
68 raw.as_c_array(),
69 raw.len() as i32,
70 &mut status,
71 )
72 };
73 common::Error::ok_or_warning(status)?;
74 assert!(!rep.is_null());
77 Ok(Enumeration {
78 rep,
79 _raw: Some(raw),
80 })
81 }
82}
83
84impl Drop for Enumeration {
85 fn drop(&mut self) {
89 unsafe { versioned_function!(uenum_close)(self.rep) };
90 }
91}
92
93impl Iterator for Enumeration {
94 type Item = Result<String, common::Error>;
95
96 fn next(&mut self) -> Option<Self::Item> {
100 let mut len: i32 = 0;
101 let mut status = common::Error::OK_CODE;
102 assert!(!self.rep.is_null());
104 let raw = unsafe { versioned_function!(uenum_next)(self.rep, &mut len, &mut status) };
105 if raw.is_null() {
106 return None;
108 }
109 let result = common::Error::ok_or_warning(status);
110 match result {
111 Ok(()) => {
112 assert!(!raw.is_null());
113 let cstring = unsafe { ffi::CStr::from_ptr(raw) }; Some(Ok(cstring
116 .to_str()
117 .expect("could not convert to string")
118 .to_string()))
119 }
120 Err(e) => Some(Err(e)),
121 }
122 }
123}
124
125impl Enumeration {
126 #[doc(hidden)]
138 pub unsafe fn from_raw_parts(
139 _raw: Option<common::CStringVec>,
140 rep: *mut sys::UEnumeration,
141 ) -> Enumeration {
142 Enumeration { _raw, rep }
143 }
144}
145
146#[doc(hidden)]
147pub fn ucal_open_country_time_zones(country: &str) -> Result<Enumeration, common::Error> {
151 let mut status = common::Error::OK_CODE;
152 let asciiz_country = ffi::CString::new(country)?;
153 let raw_enum = unsafe {
155 assert!(common::Error::is_ok(status));
156 versioned_function!(ucal_openCountryTimeZones)(asciiz_country.as_ptr(), &mut status)
157 };
158 common::Error::ok_or_warning(status)?;
159 Ok(Enumeration {
160 _raw: None,
161 rep: raw_enum,
162 })
163}
164
165#[doc(hidden)]
166pub fn ucal_open_time_zone_id_enumeration(
170 zone_type: sys::USystemTimeZoneType,
171 region: Option<&str>,
172 raw_offset: Option<i32>,
173) -> Result<Enumeration, common::Error> {
174 let mut status = common::Error::OK_CODE;
175 let asciiz_region = match region {
176 None => None,
177 Some(region) => Some(ffi::CString::new(region)?),
178 };
179 let mut repr_raw_offset: i32 = raw_offset.unwrap_or_default();
180
181 let raw_enum = unsafe {
184 assert!(common::Error::is_ok(status));
185 versioned_function!(ucal_openTimeZoneIDEnumeration)(
186 zone_type,
187 match &asciiz_region {
190 Some(asciiz_region) => asciiz_region.as_ptr(),
191 None => std::ptr::null(),
192 },
193 match raw_offset {
194 Some(_) => &mut repr_raw_offset,
195 None => std::ptr::null_mut(),
196 },
197 &mut status,
198 )
199 };
200 common::Error::ok_or_warning(status)?;
201 Ok(Enumeration {
202 _raw: None,
203 rep: raw_enum,
204 })
205}
206
207#[doc(hidden)]
208pub fn open_time_zones() -> Result<Enumeration, common::Error> {
214 let mut status = common::Error::OK_CODE;
215 let raw_enum = unsafe {
216 assert!(common::Error::is_ok(status));
217 versioned_function!(ucal_openTimeZones)(&mut status)
218 };
219 common::Error::ok_or_warning(status)?;
220 Ok(Enumeration {
221 _raw: None,
222 rep: raw_enum,
223 })
224}
225
226#[doc(hidden)]
227#[deprecated(since="4.2.4", note="please use `ULoc::open_keywords` instead")]
229pub fn uloc_open_keywords(locale: &str) -> Result<Enumeration, common::Error> {
230 let mut status = common::Error::OK_CODE;
231 let asciiz_locale = ffi::CString::new(locale)?;
232 let raw_enum = unsafe {
233 assert!(common::Error::is_ok(status));
234 versioned_function!(uloc_openKeywords)(asciiz_locale.as_ptr(), &mut status)
235 };
236 common::Error::ok_or_warning(status)?;
237 if raw_enum.is_null() {
239 Ok(Enumeration::empty())
240 } else {
241 Ok(Enumeration {
242 _raw: None,
243 rep: raw_enum,
244 })
245 }
246}
247
248#[cfg(test)]
249mod tests {
250 use {super::*, std::convert::TryFrom};
251
252 #[test]
253 fn iter() {
254 let e = Enumeration::try_from(&vec!["hello", "world", "💖"][..]).expect("enumeration?");
255 let mut count = 0;
256 let mut results = vec![];
257 for result in e {
258 let elem = result.expect("no error");
259 count += 1;
260 results.push(elem);
261 }
262 assert_eq!(count, 3, "results: {:?}", results);
263 assert_eq!(
264 results,
265 vec!["hello", "world", "💖"],
266 "results: {:?}",
267 results
268 );
269 }
270
271 #[test]
272 fn error() {
273 let destroyed_sparkle_heart = vec![0, 159, 164, 150];
275 let invalid_utf8 = unsafe { str::from_utf8_unchecked(&destroyed_sparkle_heart) };
276 let e = Enumeration::try_from(&vec!["hello", "world", "💖", invalid_utf8][..]);
277 assert!(e.is_err(), "was: {:?}", e);
278 }
279
280 #[test]
281 fn test_uloc_open_keywords() -> Result<(), common::Error> {
282 let loc = "az-Cyrl-AZ-u-ca-hebrew-fw-sunday-nu-deva-tz-usnyc";
283 #[allow(deprecated)]
284 let keywords: Vec<String> = uloc_open_keywords(loc).unwrap().map(|result| result.unwrap()).collect();
285 assert_eq!(
286 keywords,
287 vec![
288 "calendar".to_string(),
289 "fw".to_string(),
290 "numbers".to_string(),
291 "timezone".to_string()
292 ]
293 );
294 Ok(())
295 }
296}