From c55839e79e0f7b2f8339aeb5d307477fe8964459 Mon Sep 17 00:00:00 2001 From: mathleur Date: Fri, 6 Mar 2026 10:12:13 +0100 Subject: [PATCH 01/26] add basic fdb reader --- qubed_meteo/bin/fdb_db_reader.rs | 50 ++++++++++++++++++++++++++++++++ 1 file changed, 50 insertions(+) create mode 100644 qubed_meteo/bin/fdb_db_reader.rs diff --git a/qubed_meteo/bin/fdb_db_reader.rs b/qubed_meteo/bin/fdb_db_reader.rs new file mode 100644 index 0000000..014c676 --- /dev/null +++ b/qubed_meteo/bin/fdb_db_reader.rs @@ -0,0 +1,50 @@ +use qubed::Qube; +use qubed_meteo::adapters::fdb::FromFDBList; +use rsfdb::{FDB, request::Request}; +use serde_json::json; +use std::env; +use std::time::Instant; +use std::fs::File; + +fn main() -> Result<(), Box> { + // Ensure FDB config is set so the internal listing can open the DB + use std::path::PathBuf; + + let config_path = PathBuf::from("xxx"); // Adjust this path to point to your local FDB config.yaml + unsafe { + std::env::set_var("FDB5_CONFIG_FILE", config_path.to_str().expect("Invalid config path")); + } + + let lib_path = PathBuf::from("xxx"); // Adjust this path to point to the directory containing FDB shared libraries + + unsafe { + std::env::set_var("DYLD_LIBRARY_PATH", lib_path.to_str().expect("Invalid path to shared libraries")); + } + + let request_map = json!({ + "class" : "d1", + "dataset": "extremes-dt", + "expver" : "0001", + "stream" : "oper", + "date": "20260303", + "time" : "0000", + "domain" : "g", + "levtype" : "sfc", + }); + let start_time = Instant::now(); + + // Build the Qube directly from the request; the adapter will open FDB and list. + let qube = Qube::from_fdb_list(&request_map).expect("Failed to build Qube from FDB list"); + + // Stop the timer + let duration = start_time.elapsed(); + + // Print the time taken + println!("Time taken to construct Qube: {:?}", duration); + + let file = File::create("extremes_eg.json")?; + serde_json::to_writer(file, &qube.to_arena_json())?; + + Ok(()) + +} \ No newline at end of file From 5f3ea7039b74bd109ed12d3685011dc0c3f6cede Mon Sep 17 00:00:00 2001 From: mathleur Date: Fri, 6 Mar 2026 10:38:50 +0100 Subject: [PATCH 02/26] float coordinates --- qubed/src/coordinates/floats.rs | 267 +++++++++++++++++++++++++++++++- 1 file changed, 264 insertions(+), 3 deletions(-) diff --git a/qubed/src/coordinates/floats.rs b/qubed/src/coordinates/floats.rs index 32785cf..3864922 100644 --- a/qubed/src/coordinates/floats.rs +++ b/qubed/src/coordinates/floats.rs @@ -1,6 +1,6 @@ use std::hash::Hash; -use crate::coordinates::Coordinates; +use crate::coordinates::{Coordinates, IntersectionResult}; use tiny_vec::TinyVec; #[derive(Debug, Clone, PartialEq)] @@ -10,10 +10,19 @@ pub enum FloatCoordinates { impl FloatCoordinates { pub(crate) fn extend(&mut self, _new_coords: &FloatCoordinates) { - todo!() + match (self, _new_coords) { + (FloatCoordinates::List(list), FloatCoordinates::List(new_list)) => { + for &v in new_list.iter() { + list.push(v); + } + } + } } + pub(crate) fn append(&mut self, _new_coord: f64) { - todo!() + match self { + FloatCoordinates::List(list) => list.push(_new_coord), + } } pub(crate) fn len(&self) -> usize { @@ -40,6 +49,59 @@ impl FloatCoordinates { } } } + + pub(crate) fn intersect( + &self, + other: &FloatCoordinates, + ) -> IntersectionResult { + match (self, other) { + (FloatCoordinates::List(list_a), FloatCoordinates::List(list_b)) => { + use std::collections::HashSet; + + let mut set_a: HashSet = HashSet::new(); + for v in list_a.iter() { + set_a.insert(v.to_bits()); + } + + let mut set_b: HashSet = HashSet::new(); + for v in list_b.iter() { + set_b.insert(v.to_bits()); + } + + let mut intersection = TinyVec::new(); + let mut only_a = TinyVec::new(); + let mut only_b = TinyVec::new(); + + // preserve order from list_a for intersection and only_a + let mut added: HashSet = HashSet::new(); + for v in list_a.iter() { + let bits = v.to_bits(); + if set_b.contains(&bits) { + if !added.contains(&bits) { + intersection.push(*v); + added.insert(bits); + } + } else { + only_a.push(*v); + } + } + + // for only_b, preserve order from list_b skipping those present in set_a + for v in list_b.iter() { + let bits = v.to_bits(); + if !set_a.contains(&bits) { + only_b.push(*v); + } + } + + IntersectionResult { + intersection: FloatCoordinates::List(intersection), + only_a: FloatCoordinates::List(only_a), + only_b: FloatCoordinates::List(only_b), + } + } + } + } } impl Default for FloatCoordinates { @@ -55,3 +117,202 @@ impl From for Coordinates { Coordinates::Floats(FloatCoordinates::List(vec)) } } + +impl From for Coordinates { + fn from(value: FloatCoordinates) -> Self { + Coordinates::Floats(value) + } +} + +impl From<&[f64]> for Coordinates { + fn from(value: &[f64]) -> Self { + let mut vec = TinyVec::new(); + for &v in value { + vec.push(v); + } + Coordinates::Floats(FloatCoordinates::List(vec)) + } +} + +#[cfg(test)] +mod tests { + use super::*; + use tiny_vec::TinyVec; + + #[test] + fn test_float_coordinates_append_and_len() { + let mut coords = FloatCoordinates::default(); + coords.append(1.0); + coords.append(2.5); + + match coords { + FloatCoordinates::List(list) => { + assert_eq!(list.len(), 2); + assert_eq!(list[0], 1.0); + assert_eq!(list[1], 2.5); + } + } + } + + #[test] + fn test_float_coordinates_extend() { + let mut a = FloatCoordinates::default(); + a.append(1.0); + a.append(2.0); + + let mut b = FloatCoordinates::default(); + b.append(3.0); + b.append(4.0); + + a.extend(&b); + + match a { + FloatCoordinates::List(list) => { + assert_eq!(list.len(), 4); + assert_eq!(list[0], 1.0); + assert_eq!(list[1], 2.0); + assert_eq!(list[2], 3.0); + assert_eq!(list[3], 4.0); + } + } + } + + #[test] + fn test_float_coordinates_to_string() { + let mut c = FloatCoordinates::default(); + c.append(1.25); + c.append(2.5); + let s = c.to_string(); + assert!(s.contains("1.25")); + assert!(s.contains("2.5")); + } + + #[test] + fn test_float_coordinates_intersect() { + let mut a = FloatCoordinates::default(); + a.append(1.0); + a.append(2.0); + a.append(3.0); + + let mut b = FloatCoordinates::default(); + b.append(2.0); + b.append(3.0); + b.append(4.0); + + let result = a.intersect(&b); + + match result.intersection { + FloatCoordinates::List(list) => { + assert_eq!(list.len(), 2); + assert_eq!(list[0], 2.0); + assert_eq!(list[1], 3.0); + } + } + + match result.only_a { + FloatCoordinates::List(list) => { + assert_eq!(list.len(), 1); + assert_eq!(list[0], 1.0); + } + } + + match result.only_b { + FloatCoordinates::List(list) => { + assert_eq!(list.len(), 1); + assert_eq!(list[0], 4.0); + } + } + } + + #[test] + fn test_from_conversions() { + // From + let c = Coordinates::from(3.14f64); + match c { + Coordinates::Floats(fc) => match fc { + FloatCoordinates::List(list) => { + assert_eq!(list.len(), 1); + assert!((list[0] - 3.14).abs() < 1e-12); + } + }, + _ => panic!("Expected Coordinates::Floats variant"), + } + + // From<&[f64]> + let slice = &[1.0f64, 2.0f64, 3.0f64][..]; + let c2 = Coordinates::from(slice); + match c2 { + Coordinates::Floats(fc) => match fc { + FloatCoordinates::List(list) => { + assert_eq!(list.len(), 3); + assert_eq!(list[0], 1.0); + assert_eq!(list[2], 3.0); + } + }, + _ => panic!("Expected Coordinates::Floats variant"), + } + + // From<&[f64; N]> + let arr: [f64; 2] = [9.0, 10.0]; + let c3 = Coordinates::from(&arr); + match c3 { + Coordinates::Floats(fc) => match fc { + FloatCoordinates::List(list) => { + assert_eq!(list.len(), 2); + assert_eq!(list[0], 9.0); + assert_eq!(list[1], 10.0); + } + }, + _ => panic!("Expected Coordinates::Floats variant"), + } + + // From + let mut fc = FloatCoordinates::default(); + fc.append(7.5); + let c4 = Coordinates::from(fc.clone()); + match c4 { + Coordinates::Floats(inner) => { + assert_eq!(inner, fc); + } + _ => panic!("Expected Coordinates::Floats variant"), + } + } +} + +impl From<&[f64; N]> for Coordinates { + fn from(value: &[f64; N]) -> Self { + let mut vec = TinyVec::new(); + for &v in value.iter() { + vec.push(v); + } + Coordinates::Floats(FloatCoordinates::List(vec)) + } +} + +impl From for Coordinates { + fn from(value: f32) -> Self { + let mut vec = TinyVec::new(); + vec.push(value as f64); + Coordinates::Floats(FloatCoordinates::List(vec)) + } +} + +impl From<&[f32]> for Coordinates { + fn from(value: &[f32]) -> Self { + let mut vec = TinyVec::new(); + for &v in value { + vec.push(v as f64); + } + Coordinates::Floats(FloatCoordinates::List(vec)) + } +} + +impl From<&[f32; N]> for Coordinates { + fn from(value: &[f32; N]) -> Self { + let mut vec = TinyVec::new(); + for &v in value.iter() { + vec.push(v as f64); + } + Coordinates::Floats(FloatCoordinates::List(vec)) + } +} From 6d4376952be0c26e2299639c04f62cfba7d47cd0 Mon Sep 17 00:00:00 2001 From: mathleur Date: Fri, 6 Mar 2026 11:01:19 +0100 Subject: [PATCH 03/26] add datetime coord --- qubed/Cargo.toml | 1 + qubed/src/coordinates/datetime.rs | 266 ++++++++++++++++++++++++++++++ qubed/src/coordinates/mod.rs | 16 ++ qubed/src/coordinates/ops.rs | 36 ++++ 4 files changed, 319 insertions(+) create mode 100644 qubed/src/coordinates/datetime.rs diff --git a/qubed/Cargo.toml b/qubed/Cargo.toml index 5186e2a..41f2d80 100644 --- a/qubed/Cargo.toml +++ b/qubed/Cargo.toml @@ -13,6 +13,7 @@ slotmap = "1.0.7" smallbitvec = "2.6.0" tiny-str = "0.10.0" tiny-vec = "0.10.0" +chrono = "0.4" rayon = "1.7" [lib] diff --git a/qubed/src/coordinates/datetime.rs b/qubed/src/coordinates/datetime.rs new file mode 100644 index 0000000..c3d11ad --- /dev/null +++ b/qubed/src/coordinates/datetime.rs @@ -0,0 +1,266 @@ +use std::hash::Hash; + +use chrono::{DateTime, NaiveDate, NaiveDateTime, NaiveTime, Utc}; +use tiny_vec::TinyVec; + +use crate::coordinates::{Coordinates, IntersectionResult}; + +#[derive(Debug, Clone, PartialEq)] +pub enum DateTimeCoordinates { + List(TinyVec), +} + +impl DateTimeCoordinates { + pub(crate) fn extend(&mut self, new_coords: &DateTimeCoordinates) { + match (self, new_coords) { + (DateTimeCoordinates::List(list), DateTimeCoordinates::List(new_list)) => { + for v in new_list.iter() { + list.push(*v); + } + } + } + } + + pub(crate) fn append(&mut self, new_coord: NaiveDateTime) { + match self { + DateTimeCoordinates::List(list) => list.push(new_coord), + } + } + + pub(crate) fn len(&self) -> usize { + match self { + DateTimeCoordinates::List(list) => list.len(), + } + } + + pub(crate) fn to_string(&self) -> String { + match self { + DateTimeCoordinates::List(list) => list + .iter() + .map(|dt| dt.format("%Y-%m-%dT%H:%M:%S").to_string()) + .collect::>() + .join("/"), + } + } + + pub(crate) fn hash(&self, hasher: &mut std::collections::hash_map::DefaultHasher) { + "datetime".hash(hasher); + match self { + DateTimeCoordinates::List(list) => { + for dt in list.iter() { + // use seconds and nanoseconds for stable hashing + dt.timestamp().hash(hasher); + dt.timestamp_subsec_nanos().hash(hasher); + } + } + } + } + + pub(crate) fn intersect( + &self, + other: &DateTimeCoordinates, + ) -> IntersectionResult { + match (self, other) { + (DateTimeCoordinates::List(list_a), DateTimeCoordinates::List(list_b)) => { + use std::collections::HashSet; + + let mut set_b: HashSet = HashSet::new(); + for v in list_b.iter() { + set_b.insert(*v); + } + + let mut intersection = TinyVec::new(); + let mut only_a = TinyVec::new(); + + let mut added: HashSet = HashSet::new(); + for v in list_a.iter() { + if set_b.contains(v) { + if !added.contains(v) { + intersection.push(*v); + added.insert(*v); + } + } else { + only_a.push(*v); + } + } + + let mut only_b = TinyVec::new(); + for v in list_b.iter() { + if !list_a.contains(v) { + only_b.push(*v); + } + } + + IntersectionResult { + intersection: DateTimeCoordinates::List(intersection), + only_a: DateTimeCoordinates::List(only_a), + only_b: DateTimeCoordinates::List(only_b), + } + } + } + } + + /// Try to parse a string into `NaiveDateTime` using common formats. + pub(crate) fn parse_from_str(s: &str) -> Option { + // Try RFC3339 / ISO 8601 + if let Ok(dt) = DateTime::parse_from_rfc3339(s) { + return Some(dt.with_timezone(&Utc).naive_utc()); + } + + // Try YYYY-MM-DD HH:MM:SS + if let Ok(ndt) = NaiveDateTime::parse_from_str(s, "%Y-%m-%d %H:%M:%S") { + return Some(ndt); + } + + // Try YYYY-MM-DD + if let Ok(d) = NaiveDate::parse_from_str(s, "%Y-%m-%d") { + return Some(NaiveDateTime::new(d, NaiveTime::from_hms(0, 0, 0))); + } + + // Try YYYYMMDD + if s.len() == 8 { + if let Ok(d) = NaiveDate::parse_from_str(s, "%Y%m%d") { + return Some(NaiveDateTime::new(d, NaiveTime::from_hms(0, 0, 0))); + } + } + + None + } +} + +impl Default for DateTimeCoordinates { + fn default() -> Self { + DateTimeCoordinates::List(TinyVec::new()) + } +} + +impl From for Coordinates { + fn from(value: NaiveDateTime) -> Self { + let mut vec = TinyVec::new(); + vec.push(value); + Coordinates::DateTimes(DateTimeCoordinates::List(vec)) + } +} + +impl From for Coordinates { + fn from(value: DateTimeCoordinates) -> Self { + Coordinates::DateTimes(value) + } +} + +impl From<&str> for DateTimeCoordinates { + fn from(value: &str) -> Self { + if let Some(ndt) = DateTimeCoordinates::parse_from_str(value) { + let mut vec = TinyVec::new(); + vec.push(ndt); + DateTimeCoordinates::List(vec) + } else { + let mut vec = TinyVec::new(); + vec.push(NaiveDateTime::from_timestamp(0, 0)); + DateTimeCoordinates::List(vec) + } + } +} + +impl From<&[NaiveDateTime]> for Coordinates { + fn from(value: &[NaiveDateTime]) -> Self { + let mut vec = TinyVec::new(); + for &v in value { + vec.push(v); + } + Coordinates::DateTimes(DateTimeCoordinates::List(vec)) + } +} + +impl From<&[NaiveDateTime; N]> for Coordinates { + fn from(value: &[NaiveDateTime; N]) -> Self { + let mut vec = TinyVec::new(); + for &v in value.iter() { + vec.push(v); + } + Coordinates::DateTimes(DateTimeCoordinates::List(vec)) + } +} + +#[cfg(test)] +mod tests { + use super::*; + + #[test] + fn test_datetime_append_and_len() { + let mut coords = DateTimeCoordinates::default(); + let d1 = NaiveDate::from_ymd(2020, 1, 1).and_hms(0, 0, 0); + let d2 = NaiveDate::from_ymd(2020, 1, 2).and_hms(12, 30, 0); + coords.append(d1); + coords.append(d2); + + match coords { + DateTimeCoordinates::List(list) => { + assert_eq!(list.len(), 2); + assert_eq!(list[0], d1); + assert_eq!(list[1], d2); + } + } + } + + #[test] + fn test_datetime_extend() { + let mut a = DateTimeCoordinates::default(); + let d1 = NaiveDate::from_ymd(2020, 1, 1).and_hms(0, 0, 0); + let d2 = NaiveDate::from_ymd(2020, 1, 2).and_hms(0, 0, 0); + a.append(d1); + + let mut b = DateTimeCoordinates::default(); + b.append(d2); + + a.extend(&b); + + match a { + DateTimeCoordinates::List(list) => { + assert_eq!(list.len(), 2); + assert_eq!(list[0], d1); + assert_eq!(list[1], d2); + } + } + } + + #[test] + fn test_datetime_to_string_and_parse() { + let d = NaiveDate::from_ymd(2021, 5, 4).and_hms(6, 7, 8); + let mut c = DateTimeCoordinates::default(); + c.append(d); + let s = c.to_string(); + assert!(s.contains("2021-05-04T06:07:08")); + + // parse from iso string + let parsed = DateTimeCoordinates::parse_from_str("2021-05-04T06:07:08Z"); + assert!(parsed.is_some()); + assert_eq!(parsed.unwrap(), d); + } + + #[test] + fn test_datetime_intersect() { + let mut a = DateTimeCoordinates::default(); + let d1 = NaiveDate::from_ymd(2020, 1, 1).and_hms(0, 0, 0); + let d2 = NaiveDate::from_ymd(2020, 1, 2).and_hms(0, 0, 0); + let d3 = NaiveDate::from_ymd(2020, 1, 3).and_hms(0, 0, 0); + a.append(d1); + a.append(d2); + a.append(d3); + + let mut b = DateTimeCoordinates::default(); + b.append(d2); + b.append(d3); + b.append(NaiveDate::from_ymd(2020, 1, 4).and_hms(0, 0, 0)); + + let res = a.intersect(&b); + + match res.intersection { + DateTimeCoordinates::List(list) => { + assert_eq!(list.len(), 2); + assert_eq!(list[0], d2); + assert_eq!(list[1], d3); + } + } + } +} diff --git a/qubed/src/coordinates/mod.rs b/qubed/src/coordinates/mod.rs index 6c9bfbe..ac488ad 100644 --- a/qubed/src/coordinates/mod.rs +++ b/qubed/src/coordinates/mod.rs @@ -1,9 +1,12 @@ +pub mod datetime; pub mod floats; pub mod integers; pub mod ops; pub mod strings; use std::hash::Hash; +use chrono::NaiveDateTime; +use datetime::DateTimeCoordinates; use floats::FloatCoordinates; use integers::IntegerCoordinates; use strings::StringCoordinates; @@ -20,6 +23,7 @@ pub enum Coordinates { Integers(IntegerCoordinates), Floats(FloatCoordinates), Strings(StringCoordinates), + DateTimes(DateTimeCoordinates), Mixed(Box), } @@ -27,6 +31,7 @@ pub enum CoordinateTypes { Integer(i32), Float(f64), String(String), + DateTime(NaiveDateTime), } #[derive(Debug, Clone, PartialEq, Default)] @@ -34,6 +39,7 @@ pub struct MixedCoordinates { integers: integers::IntegerCoordinates, floats: FloatCoordinates, strings: StringCoordinates, + datetimes: DateTimeCoordinates, } impl Coordinates { @@ -73,6 +79,7 @@ impl Coordinates { Coordinates::Empty => "".to_string(), Coordinates::Integers(ints) => ints.to_string(), Coordinates::Floats(floats) => floats.to_string(), + Coordinates::DateTimes(datetimes) => datetimes.to_string(), Coordinates::Strings(strings) => strings.to_string(), Coordinates::Mixed(_) => { todo!() @@ -86,6 +93,7 @@ impl Coordinates { Coordinates::Integers(ints) => ints.len(), Coordinates::Floats(floats) => floats.len(), Coordinates::Strings(strings) => strings.len(), + Coordinates::DateTimes(datetimes) => datetimes.len(), Coordinates::Mixed(mixed) => { mixed.integers.len() + mixed.floats.len() + mixed.strings.len() } @@ -104,6 +112,7 @@ impl Coordinates { match (self, coord_type) { (Coordinates::Empty, _) => false, (Coordinates::Integers(ints), CoordinateTypes::Integer(val)) => ints.contains(val), + (Coordinates::DateTimes(_), _) => unimplemented!(), (Coordinates::Floats(_), _) => unimplemented!(), (Coordinates::Strings(_), _) => unimplemented!(), (Coordinates::Mixed(_), _) => unimplemented!(), @@ -122,6 +131,9 @@ impl Coordinates { Coordinates::Strings(strings) => { Box::new(MixedCoordinates { strings: strings.to_owned(), ..Default::default() }) } + Coordinates::DateTimes(datetimes) => { + Box::new(MixedCoordinates { datetimes: datetimes.to_owned(), ..Default::default() }) + } Coordinates::Empty => Box::new(MixedCoordinates::default()), Coordinates::Mixed(_) => { return self; @@ -176,6 +188,9 @@ impl Coordinates { mixed.floats.hash(hasher); mixed.strings.hash(hasher); } + Coordinates::DateTimes(datetimes) => { + datetimes.hash(hasher); + } } } } @@ -333,6 +348,7 @@ impl Coordinates { Value::Object(map) } + Coordinates::DateTimes(_) => todo!(), } } diff --git a/qubed/src/coordinates/ops.rs b/qubed/src/coordinates/ops.rs index a426e53..ff61bc2 100644 --- a/qubed/src/coordinates/ops.rs +++ b/qubed/src/coordinates/ops.rs @@ -1,5 +1,6 @@ use crate::Coordinates; use crate::coordinates::CoordinateTypes; +use chrono::NaiveDateTime; impl Coordinates { pub fn extend(&mut self, new_coords: &Coordinates) { @@ -47,6 +48,20 @@ impl Coordinates { } }, Coordinates::Empty => {} + Coordinates::DateTimes(new_datetimes) => match self { + Coordinates::DateTimes(datetimes) => { + datetimes.extend(new_datetimes); + } + Coordinates::Mixed(mixed) => { + mixed.datetimes.extend(new_datetimes); + } + Coordinates::Empty => { + let _ = std::mem::replace(self, new_coords.clone()); + } + _ => { + self.convert_to_mixed().extend(new_coords); + } + }, Coordinates::Mixed(mixed) => match self { Coordinates::Mixed(self_mixed) => { self_mixed.integers.extend(&mixed.integers); @@ -84,6 +99,9 @@ impl Coordinates { CoordinateTypes::String(val) => { self.append_string(val); } + CoordinateTypes::DateTime(val) => { + self.append_datetime(val); + } } } @@ -140,6 +158,24 @@ impl Coordinates { } } } + + fn append_datetime(&mut self, value: NaiveDateTime) { + match self { + Coordinates::DateTimes(datetimes) => { + datetimes.append(value); + } + Coordinates::Mixed(mixed) => { + mixed.datetimes.append(value); + } + Coordinates::Empty => { + *self = Coordinates::from(value); + } + _ => { + self.convert_to_mixed(); + self.append_datetime(value); + } + } + } } impl FromIterator for Coordinates { From 2030ce5a97392e46e930dd55dda7ed658c0fd848 Mon Sep 17 00:00:00 2001 From: mathleur Date: Fri, 6 Mar 2026 15:32:44 +0100 Subject: [PATCH 04/26] fix fdb reader on db --- qubed_meteo/src/adapters/fdb.rs | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/qubed_meteo/src/adapters/fdb.rs b/qubed_meteo/src/adapters/fdb.rs index 4ad7b1a..d53a414 100644 --- a/qubed_meteo/src/adapters/fdb.rs +++ b/qubed_meteo/src/adapters/fdb.rs @@ -20,7 +20,7 @@ impl FromFDBList for Qube { let fdb = FDB::new(None).map_err(|e| format!("Failed to open FDB: {:?}", e))?; let list_iter = - fdb.list(&request, true, true).map_err(|e| format!("FDB list failed: {:?}", e))?; + fdb.list(&request, true, false).map_err(|e| format!("FDB list failed: {:?}", e))?; let mut qube = Qube::new(); let root = qube.root(); From a2258c0b540facad36d693c07411521188a6ec59 Mon Sep 17 00:00:00 2001 From: mathleur Date: Mon, 9 Mar 2026 10:20:40 +0100 Subject: [PATCH 05/26] add coord types to json serde --- qubed/src/serde/json.rs | 120 ++++++++++++++++++++- qubed_meteo/examples/read_from_fdb_list.rs | 4 +- 2 files changed, 118 insertions(+), 6 deletions(-) diff --git a/qubed/src/serde/json.rs b/qubed/src/serde/json.rs index d0210fe..9019494 100644 --- a/qubed/src/serde/json.rs +++ b/qubed/src/serde/json.rs @@ -78,8 +78,71 @@ impl Qube { for id in order.iter() { let nref = self.node(*id).expect("valid node"); let dim = nref.dimension().unwrap_or("root").to_string(); - // Preserve native types for coordinates using Coordinates -> JSON helpers - let coords_value = nref.coordinates().to_json_value(); + // Build coords object with explicit type tags so consumers know the + // coordinate type without guessing. Examples: + // { "ints": [1,2,3] }, { "strings": ["od"] }, { "floats": [...] }, or mixed object. + let coords_value = { + use serde_json::{Map, Value}; + let mut map = Map::new(); + + // Use the public Coordinates -> JSON helper which returns a + // native serde_json::Value (array/string/object/null). + let native = nref.coordinates().to_json_value(); + + match nref.coordinates() { + crate::Coordinates::Empty => Value::Object(map), + crate::Coordinates::Integers(_) => match native { + Value::Array(arr) => { + map.insert("ints".to_string(), Value::Array(arr)); + Value::Object(map) + } + Value::String(s) => { + // RangeSet or other textual form – preserve as string under "ints_text" + map.insert("ints_text".to_string(), Value::String(s)); + Value::Object(map) + } + other => { + map.insert("ints".to_string(), other); + Value::Object(map) + } + }, + crate::Coordinates::Floats(_) => match native { + Value::Array(arr) => { + map.insert("floats".to_string(), Value::Array(arr)); + Value::Object(map) + } + other => { + map.insert("floats".to_string(), other); + Value::Object(map) + } + }, + crate::Coordinates::Strings(_) => match native { + Value::Array(arr) => { + map.insert("strings".to_string(), Value::Array(arr)); + Value::Object(map) + } + other => { + map.insert("strings".to_string(), other); + Value::Object(map) + } + }, + crate::Coordinates::DateTimes(_) => { + // Fallback to whatever the generic serializer produces (not implemented elsewhere yet) + let v = nref.coordinates().to_json_value(); + match v { + Value::Array(arr) => { + map.insert("datetimes".to_string(), Value::Array(arr)); + Value::Object(map) + } + other => Value::Object(map), + } + } + crate::Coordinates::Mixed(_) => { + // Mixed already produces an object with keys like ints/floats/strings + nref.coordinates().to_json_value() + } + } + }; let parent_idx = nref.parent().map(|p| idx_map.get(&p).copied().unwrap()); @@ -144,9 +207,56 @@ impl Qube { }; // create child under parent - // Parse coords using Coordinates::from_json_value so native JSON types - // (numbers/strings/mixed) are preserved. - let coords_parsed = Coordinates::from_json_value(coords_value)?; + // Interpret typed coords object if present so we deserialize into + // the most specific `Coordinates` variant (Integers, Strings, + // Floats) rather than always producing a Mixed variant. If the + // coords object contains a single typed key (e.g. `ints`, + // `strings`, `floats`) we'll pass the underlying array/string to + // `from_json_value`. If it contains multiple keys we pass the + // whole object to obtain a `Mixed` coordinates value. + let coords_parsed = { + use serde_json::Value; + + // Build a Value suitable for Coordinates::from_json_value + let coords_for_parse: Value = match coords_value { + Value::Object(map) => { + // Detect typed keys + let has_ints = map.get("ints").is_some(); + let has_ints_text = map.get("ints_text").is_some(); + let has_strings = map.get("strings").is_some(); + let has_floats = map.get("floats").is_some(); + let has_datetimes = map.get("datetimes").is_some(); + + let typed_key_count = + [has_ints, has_ints_text, has_strings, has_floats, has_datetimes] + .iter() + .filter(|&&b| b) + .count(); + + if has_ints_text && typed_key_count == 1 { + // textual integer representation -> parse as string + map.get("ints_text").cloned().unwrap_or(Value::Null) + } else if has_ints && typed_key_count == 1 { + // ints as native array -> pass array so `from_json_value` + // returns `Coordinates::Integers` where possible + map.get("ints").cloned().unwrap_or(Value::Null) + } else if has_strings && typed_key_count == 1 { + map.get("strings").cloned().unwrap_or(Value::Null) + } else if has_floats && typed_key_count == 1 { + map.get("floats").cloned().unwrap_or(Value::Null) + } else if has_datetimes && typed_key_count == 1 { + map.get("datetimes").cloned().unwrap_or(Value::Null) + } else { + // Mixed or unknown: pass the whole object so + // `from_json_value` can create a MixedCoordinates + Value::Object(map.clone()) + } + } + other => other.clone(), + }; + + Coordinates::from_json_value(&coords_for_parse)? + }; let created = if i == 0 { // first entry corresponds to root; update root coords if provided // skip creating a new node; optionally set coords on root diff --git a/qubed_meteo/examples/read_from_fdb_list.rs b/qubed_meteo/examples/read_from_fdb_list.rs index c780cce..a370516 100644 --- a/qubed_meteo/examples/read_from_fdb_list.rs +++ b/qubed_meteo/examples/read_from_fdb_list.rs @@ -26,7 +26,9 @@ fn main() { // Build the Qube directly from the request; the adapter will open FDB and list. let qube = Qube::from_fdb_list(&request_map).expect("Failed to build Qube from FDB list"); - println!("Qube structure:\n{}", qube.to_ascii()); + // println!("Qube structure:\n{}", qube.to_ascii()); + + println!("Qube in arena json format:\n{}", qube.to_arena_json()); // Stop the timer let duration = start_time.elapsed(); From 6ed69ac3f1124556b6a0428b6537b4fa1acbcc28 Mon Sep 17 00:00:00 2001 From: mathleur Date: Mon, 9 Mar 2026 13:45:42 +0100 Subject: [PATCH 06/26] fix when empty child --- qubed_meteo/src/adapters/fdb.rs | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/qubed_meteo/src/adapters/fdb.rs b/qubed_meteo/src/adapters/fdb.rs index d53a414..63fdb18 100644 --- a/qubed_meteo/src/adapters/fdb.rs +++ b/qubed_meteo/src/adapters/fdb.rs @@ -72,6 +72,11 @@ impl FromFDBList for Qube { if let Some((key, val)) = part.split_once('=') { let vals: Vec<&str> = val.split('/').map(|s| s.trim()).filter(|s| !s.is_empty()).collect(); + + // If there are no value parts (e.g. "key=") skip creating an empty child + if vals.is_empty() { + continue; + } let coords = make_coords(&vals); let child = qube .get_or_create_child(key.trim(), parent, coords) From d845666c7a37816021593d7a601b80bc69efbd71 Mon Sep 17 00:00:00 2001 From: mathleur Date: Mon, 9 Mar 2026 13:54:08 +0100 Subject: [PATCH 07/26] add qube examples --- qubed_meteo/qube_examples/large_climate_eg.json | 1 + qubed_meteo/qube_examples/large_extremes_eg.json | 1 + qubed_meteo/qube_examples/medium_climate_eg.json | 1 + qubed_meteo/qube_examples/medium_extremes_eg.json | 1 + qubed_meteo/qube_examples/oper_fdb.json | 1 + qubed_meteo/qube_examples/small_climate_eg.json | 1 + qubed_meteo/qube_examples/small_extremes_eg.json | 1 + 7 files changed, 7 insertions(+) create mode 100644 qubed_meteo/qube_examples/large_climate_eg.json create mode 100644 qubed_meteo/qube_examples/large_extremes_eg.json create mode 100644 qubed_meteo/qube_examples/medium_climate_eg.json create mode 100644 qubed_meteo/qube_examples/medium_extremes_eg.json create mode 100644 qubed_meteo/qube_examples/oper_fdb.json create mode 100644 qubed_meteo/qube_examples/small_climate_eg.json create mode 100644 qubed_meteo/qube_examples/small_extremes_eg.json diff --git a/qubed_meteo/qube_examples/large_climate_eg.json b/qubed_meteo/qube_examples/large_climate_eg.json new file mode 100644 index 0000000..15ba801 --- /dev/null +++ b/qubed_meteo/qube_examples/large_climate_eg.json @@ -0,0 +1 @@ +[{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2],"coords":{"strings":["highresmip"]},"dim":"activity","parent":0},{"children":[3],"coords":{"strings":["d1"]},"dim":"class","parent":1},{"children":[4],"coords":{"strings":["climate-dt"]},"dim":"dataset","parent":2},{"children":[5],"coords":{"strings":["cont"]},"dim":"experiment","parent":3},{"children":[6],"coords":{"strings":["0001"]},"dim":"expver","parent":4},{"children":[7],"coords":{"ints":[1]},"dim":"generation","parent":5},{"children":[8],"coords":{"strings":["ifs-nemo"]},"dim":"model","parent":6},{"children":[9],"coords":{"ints":[1]},"dim":"realization","parent":7},{"children":[10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27],"coords":{"strings":["clte"]},"dim":"stream","parent":8},{"children":[28],"coords":{"ints":[1990]},"dim":"year","parent":9},{"children":[29],"coords":{"ints":[1991]},"dim":"year","parent":9},{"children":[30],"coords":{"ints":[1992]},"dim":"year","parent":9},{"children":[31],"coords":{"ints":[1993]},"dim":"year","parent":9},{"children":[32],"coords":{"ints":[1994]},"dim":"year","parent":9},{"children":[33],"coords":{"ints":[1995]},"dim":"year","parent":9},{"children":[34],"coords":{"ints":[1996]},"dim":"year","parent":9},{"children":[35],"coords":{"ints":[1997]},"dim":"year","parent":9},{"children":[36],"coords":{"ints":[1998]},"dim":"year","parent":9},{"children":[37],"coords":{"ints":[1999]},"dim":"year","parent":9},{"children":[38],"coords":{"ints":[2000]},"dim":"year","parent":9},{"children":[39],"coords":{"ints":[2001]},"dim":"year","parent":9},{"children":[40],"coords":{"ints":[2002]},"dim":"year","parent":9},{"children":[41],"coords":{"ints":[2003]},"dim":"year","parent":9},{"children":[42],"coords":{"ints":[2004]},"dim":"year","parent":9},{"children":[43],"coords":{"ints":[2005]},"dim":"year","parent":9},{"children":[44],"coords":{"ints":[2006]},"dim":"year","parent":9},{"children":[45],"coords":{"ints":[2007]},"dim":"year","parent":9},{"children":[46,47,48,49,50,51,52,53,54,55,56,57],"coords":{"strings":["sfc"]},"dim":"levtype","parent":10},{"children":[58,59,60,61,62,63,64,65,66,67,68,69],"coords":{"strings":["sfc"]},"dim":"levtype","parent":11},{"children":[70,71,72,73,74,75,76,77,78,79,80,81],"coords":{"strings":["sfc"]},"dim":"levtype","parent":12},{"children":[82,83,84,85,86,87,88,89,90,91,92,93],"coords":{"strings":["sfc"]},"dim":"levtype","parent":13},{"children":[94,95,96,97,98,99,100,101,102,103,104,105],"coords":{"strings":["sfc"]},"dim":"levtype","parent":14},{"children":[106,107,108,109,110,111,112,113,114,115,116,117],"coords":{"strings":["sfc"]},"dim":"levtype","parent":15},{"children":[118,119,120,121,122,123,124,125,126,127,128,129],"coords":{"strings":["sfc"]},"dim":"levtype","parent":16},{"children":[130,131,132,133,134,135,136,137,138,139,140,141],"coords":{"strings":["sfc"]},"dim":"levtype","parent":17},{"children":[142,143,144,145,146,147,148,149,150,151,152,153],"coords":{"strings":["sfc"]},"dim":"levtype","parent":18},{"children":[154,155,156,157,158,159,160,161,162,163,164,165],"coords":{"strings":["sfc"]},"dim":"levtype","parent":19},{"children":[166,167,168,169,170,171,172,173,174,175,176,177],"coords":{"strings":["sfc"]},"dim":"levtype","parent":20},{"children":[178,179,180,181,182,183,184,185,186,187,188,189],"coords":{"strings":["sfc"]},"dim":"levtype","parent":21},{"children":[190,191,192,193,194,195,196,197,198,199,200,201],"coords":{"strings":["sfc"]},"dim":"levtype","parent":22},{"children":[202,203,204,205,206,207,208,209,210,211,212,213],"coords":{"strings":["sfc"]},"dim":"levtype","parent":23},{"children":[214,215,216,217,218,219,220,221,222,223,224,225],"coords":{"strings":["sfc"]},"dim":"levtype","parent":24},{"children":[226,227,228,229,230,231,232,233,234,235,236,237],"coords":{"strings":["sfc"]},"dim":"levtype","parent":25},{"children":[238,239,240,241,242,243,244,245,246,247,248,249],"coords":{"strings":["sfc"]},"dim":"levtype","parent":26},{"children":[250,251,252,253],"coords":{"strings":["sfc"]},"dim":"levtype","parent":27},{"children":[254],"coords":{"ints":[9]},"dim":"month","parent":28},{"children":[255],"coords":{"ints":[8]},"dim":"month","parent":28},{"children":[256],"coords":{"ints":[7]},"dim":"month","parent":28},{"children":[257],"coords":{"ints":[6]},"dim":"month","parent":28},{"children":[258],"coords":{"ints":[5]},"dim":"month","parent":28},{"children":[259],"coords":{"ints":[4]},"dim":"month","parent":28},{"children":[260],"coords":{"ints":[3]},"dim":"month","parent":28},{"children":[261],"coords":{"ints":[2]},"dim":"month","parent":28},{"children":[262],"coords":{"ints":[12]},"dim":"month","parent":28},{"children":[263],"coords":{"ints":[11]},"dim":"month","parent":28},{"children":[264],"coords":{"ints":[10]},"dim":"month","parent":28},{"children":[265],"coords":{"ints":[1]},"dim":"month","parent":28},{"children":[266],"coords":{"ints":[9]},"dim":"month","parent":29},{"children":[267],"coords":{"ints":[8]},"dim":"month","parent":29},{"children":[268],"coords":{"ints":[7]},"dim":"month","parent":29},{"children":[269],"coords":{"ints":[6]},"dim":"month","parent":29},{"children":[270],"coords":{"ints":[5]},"dim":"month","parent":29},{"children":[271],"coords":{"ints":[4]},"dim":"month","parent":29},{"children":[272],"coords":{"ints":[3]},"dim":"month","parent":29},{"children":[273],"coords":{"ints":[2]},"dim":"month","parent":29},{"children":[274],"coords":{"ints":[12]},"dim":"month","parent":29},{"children":[275],"coords":{"ints":[11]},"dim":"month","parent":29},{"children":[276],"coords":{"ints":[10]},"dim":"month","parent":29},{"children":[277],"coords":{"ints":[1]},"dim":"month","parent":29},{"children":[278],"coords":{"ints":[9]},"dim":"month","parent":30},{"children":[279],"coords":{"ints":[8]},"dim":"month","parent":30},{"children":[280],"coords":{"ints":[7]},"dim":"month","parent":30},{"children":[281],"coords":{"ints":[6]},"dim":"month","parent":30},{"children":[282],"coords":{"ints":[5]},"dim":"month","parent":30},{"children":[283],"coords":{"ints":[4]},"dim":"month","parent":30},{"children":[284],"coords":{"ints":[3]},"dim":"month","parent":30},{"children":[285],"coords":{"ints":[2]},"dim":"month","parent":30},{"children":[286],"coords":{"ints":[12]},"dim":"month","parent":30},{"children":[287],"coords":{"ints":[11]},"dim":"month","parent":30},{"children":[288],"coords":{"ints":[10]},"dim":"month","parent":30},{"children":[289],"coords":{"ints":[1]},"dim":"month","parent":30},{"children":[290],"coords":{"ints":[9]},"dim":"month","parent":31},{"children":[291],"coords":{"ints":[8]},"dim":"month","parent":31},{"children":[292],"coords":{"ints":[7]},"dim":"month","parent":31},{"children":[293],"coords":{"ints":[6]},"dim":"month","parent":31},{"children":[294],"coords":{"ints":[5]},"dim":"month","parent":31},{"children":[295],"coords":{"ints":[4]},"dim":"month","parent":31},{"children":[296],"coords":{"ints":[3]},"dim":"month","parent":31},{"children":[297],"coords":{"ints":[2]},"dim":"month","parent":31},{"children":[298],"coords":{"ints":[12]},"dim":"month","parent":31},{"children":[299],"coords":{"ints":[11]},"dim":"month","parent":31},{"children":[300],"coords":{"ints":[10]},"dim":"month","parent":31},{"children":[301],"coords":{"ints":[1]},"dim":"month","parent":31},{"children":[302],"coords":{"ints":[9]},"dim":"month","parent":32},{"children":[303],"coords":{"ints":[8]},"dim":"month","parent":32},{"children":[304],"coords":{"ints":[7]},"dim":"month","parent":32},{"children":[305],"coords":{"ints":[6]},"dim":"month","parent":32},{"children":[306],"coords":{"ints":[5]},"dim":"month","parent":32},{"children":[307],"coords":{"ints":[4]},"dim":"month","parent":32},{"children":[308],"coords":{"ints":[3]},"dim":"month","parent":32},{"children":[309],"coords":{"ints":[2]},"dim":"month","parent":32},{"children":[310],"coords":{"ints":[12]},"dim":"month","parent":32},{"children":[311],"coords":{"ints":[11]},"dim":"month","parent":32},{"children":[312],"coords":{"ints":[10]},"dim":"month","parent":32},{"children":[313],"coords":{"ints":[1]},"dim":"month","parent":32},{"children":[314],"coords":{"ints":[9]},"dim":"month","parent":33},{"children":[315],"coords":{"ints":[8]},"dim":"month","parent":33},{"children":[316],"coords":{"ints":[7]},"dim":"month","parent":33},{"children":[317],"coords":{"ints":[6]},"dim":"month","parent":33},{"children":[318],"coords":{"ints":[5]},"dim":"month","parent":33},{"children":[319],"coords":{"ints":[4]},"dim":"month","parent":33},{"children":[320],"coords":{"ints":[3]},"dim":"month","parent":33},{"children":[321],"coords":{"ints":[2]},"dim":"month","parent":33},{"children":[322],"coords":{"ints":[12]},"dim":"month","parent":33},{"children":[323],"coords":{"ints":[11]},"dim":"month","parent":33},{"children":[324],"coords":{"ints":[10]},"dim":"month","parent":33},{"children":[325],"coords":{"ints":[1]},"dim":"month","parent":33},{"children":[326],"coords":{"ints":[9]},"dim":"month","parent":34},{"children":[327],"coords":{"ints":[8]},"dim":"month","parent":34},{"children":[328],"coords":{"ints":[7]},"dim":"month","parent":34},{"children":[329],"coords":{"ints":[6]},"dim":"month","parent":34},{"children":[330],"coords":{"ints":[5]},"dim":"month","parent":34},{"children":[331],"coords":{"ints":[4]},"dim":"month","parent":34},{"children":[332],"coords":{"ints":[3]},"dim":"month","parent":34},{"children":[333],"coords":{"ints":[2]},"dim":"month","parent":34},{"children":[334],"coords":{"ints":[12]},"dim":"month","parent":34},{"children":[335],"coords":{"ints":[11]},"dim":"month","parent":34},{"children":[336],"coords":{"ints":[10]},"dim":"month","parent":34},{"children":[337],"coords":{"ints":[1]},"dim":"month","parent":34},{"children":[338],"coords":{"ints":[9]},"dim":"month","parent":35},{"children":[339],"coords":{"ints":[8]},"dim":"month","parent":35},{"children":[340],"coords":{"ints":[7]},"dim":"month","parent":35},{"children":[341],"coords":{"ints":[6]},"dim":"month","parent":35},{"children":[342],"coords":{"ints":[5]},"dim":"month","parent":35},{"children":[343],"coords":{"ints":[4]},"dim":"month","parent":35},{"children":[344],"coords":{"ints":[3]},"dim":"month","parent":35},{"children":[345],"coords":{"ints":[2]},"dim":"month","parent":35},{"children":[346],"coords":{"ints":[12]},"dim":"month","parent":35},{"children":[347],"coords":{"ints":[11]},"dim":"month","parent":35},{"children":[348],"coords":{"ints":[10]},"dim":"month","parent":35},{"children":[349],"coords":{"ints":[1]},"dim":"month","parent":35},{"children":[350],"coords":{"ints":[9]},"dim":"month","parent":36},{"children":[351],"coords":{"ints":[8]},"dim":"month","parent":36},{"children":[352],"coords":{"ints":[7]},"dim":"month","parent":36},{"children":[353],"coords":{"ints":[6]},"dim":"month","parent":36},{"children":[354],"coords":{"ints":[5]},"dim":"month","parent":36},{"children":[355],"coords":{"ints":[4]},"dim":"month","parent":36},{"children":[356],"coords":{"ints":[3]},"dim":"month","parent":36},{"children":[357],"coords":{"ints":[2]},"dim":"month","parent":36},{"children":[358],"coords":{"ints":[12]},"dim":"month","parent":36},{"children":[359],"coords":{"ints":[11]},"dim":"month","parent":36},{"children":[360],"coords":{"ints":[10]},"dim":"month","parent":36},{"children":[361],"coords":{"ints":[1]},"dim":"month","parent":36},{"children":[362],"coords":{"ints":[9]},"dim":"month","parent":37},{"children":[363],"coords":{"ints":[8]},"dim":"month","parent":37},{"children":[364],"coords":{"ints":[7]},"dim":"month","parent":37},{"children":[365],"coords":{"ints":[6]},"dim":"month","parent":37},{"children":[366],"coords":{"ints":[5]},"dim":"month","parent":37},{"children":[367],"coords":{"ints":[4]},"dim":"month","parent":37},{"children":[368],"coords":{"ints":[3]},"dim":"month","parent":37},{"children":[369],"coords":{"ints":[2]},"dim":"month","parent":37},{"children":[370],"coords":{"ints":[12]},"dim":"month","parent":37},{"children":[371],"coords":{"ints":[11]},"dim":"month","parent":37},{"children":[372],"coords":{"ints":[10]},"dim":"month","parent":37},{"children":[373],"coords":{"ints":[1]},"dim":"month","parent":37},{"children":[374],"coords":{"ints":[9]},"dim":"month","parent":38},{"children":[375],"coords":{"ints":[8]},"dim":"month","parent":38},{"children":[376],"coords":{"ints":[7]},"dim":"month","parent":38},{"children":[377],"coords":{"ints":[6]},"dim":"month","parent":38},{"children":[378],"coords":{"ints":[5]},"dim":"month","parent":38},{"children":[379],"coords":{"ints":[4]},"dim":"month","parent":38},{"children":[380],"coords":{"ints":[3]},"dim":"month","parent":38},{"children":[381],"coords":{"ints":[2]},"dim":"month","parent":38},{"children":[382],"coords":{"ints":[12]},"dim":"month","parent":38},{"children":[383],"coords":{"ints":[11]},"dim":"month","parent":38},{"children":[384],"coords":{"ints":[10]},"dim":"month","parent":38},{"children":[385],"coords":{"ints":[1]},"dim":"month","parent":38},{"children":[386],"coords":{"ints":[9]},"dim":"month","parent":39},{"children":[387],"coords":{"ints":[8]},"dim":"month","parent":39},{"children":[388],"coords":{"ints":[7]},"dim":"month","parent":39},{"children":[389],"coords":{"ints":[6]},"dim":"month","parent":39},{"children":[390],"coords":{"ints":[5]},"dim":"month","parent":39},{"children":[391],"coords":{"ints":[4]},"dim":"month","parent":39},{"children":[392],"coords":{"ints":[3]},"dim":"month","parent":39},{"children":[393],"coords":{"ints":[2]},"dim":"month","parent":39},{"children":[394],"coords":{"ints":[12]},"dim":"month","parent":39},{"children":[395],"coords":{"ints":[11]},"dim":"month","parent":39},{"children":[396],"coords":{"ints":[10]},"dim":"month","parent":39},{"children":[397],"coords":{"ints":[1]},"dim":"month","parent":39},{"children":[398],"coords":{"ints":[9]},"dim":"month","parent":40},{"children":[399],"coords":{"ints":[8]},"dim":"month","parent":40},{"children":[400],"coords":{"ints":[7]},"dim":"month","parent":40},{"children":[401],"coords":{"ints":[6]},"dim":"month","parent":40},{"children":[402],"coords":{"ints":[5]},"dim":"month","parent":40},{"children":[403],"coords":{"ints":[4]},"dim":"month","parent":40},{"children":[404],"coords":{"ints":[3]},"dim":"month","parent":40},{"children":[405],"coords":{"ints":[2]},"dim":"month","parent":40},{"children":[406],"coords":{"ints":[12]},"dim":"month","parent":40},{"children":[407],"coords":{"ints":[11]},"dim":"month","parent":40},{"children":[408],"coords":{"ints":[10]},"dim":"month","parent":40},{"children":[409],"coords":{"ints":[1]},"dim":"month","parent":40},{"children":[410],"coords":{"ints":[9]},"dim":"month","parent":41},{"children":[411],"coords":{"ints":[8]},"dim":"month","parent":41},{"children":[412],"coords":{"ints":[7]},"dim":"month","parent":41},{"children":[413],"coords":{"ints":[6]},"dim":"month","parent":41},{"children":[414],"coords":{"ints":[5]},"dim":"month","parent":41},{"children":[415],"coords":{"ints":[4]},"dim":"month","parent":41},{"children":[416],"coords":{"ints":[3]},"dim":"month","parent":41},{"children":[417],"coords":{"ints":[2]},"dim":"month","parent":41},{"children":[418],"coords":{"ints":[12]},"dim":"month","parent":41},{"children":[419],"coords":{"ints":[11]},"dim":"month","parent":41},{"children":[420],"coords":{"ints":[10]},"dim":"month","parent":41},{"children":[421],"coords":{"ints":[1]},"dim":"month","parent":41},{"children":[422],"coords":{"ints":[9]},"dim":"month","parent":42},{"children":[423],"coords":{"ints":[8]},"dim":"month","parent":42},{"children":[424],"coords":{"ints":[7]},"dim":"month","parent":42},{"children":[425],"coords":{"ints":[6]},"dim":"month","parent":42},{"children":[426],"coords":{"ints":[5]},"dim":"month","parent":42},{"children":[427],"coords":{"ints":[4]},"dim":"month","parent":42},{"children":[428],"coords":{"ints":[3]},"dim":"month","parent":42},{"children":[429],"coords":{"ints":[2]},"dim":"month","parent":42},{"children":[430],"coords":{"ints":[12]},"dim":"month","parent":42},{"children":[431],"coords":{"ints":[11]},"dim":"month","parent":42},{"children":[432],"coords":{"ints":[10]},"dim":"month","parent":42},{"children":[433],"coords":{"ints":[1]},"dim":"month","parent":42},{"children":[434],"coords":{"ints":[9]},"dim":"month","parent":43},{"children":[435],"coords":{"ints":[8]},"dim":"month","parent":43},{"children":[436],"coords":{"ints":[7]},"dim":"month","parent":43},{"children":[437],"coords":{"ints":[6]},"dim":"month","parent":43},{"children":[438],"coords":{"ints":[5]},"dim":"month","parent":43},{"children":[439],"coords":{"ints":[4]},"dim":"month","parent":43},{"children":[440],"coords":{"ints":[3]},"dim":"month","parent":43},{"children":[441],"coords":{"ints":[2]},"dim":"month","parent":43},{"children":[442],"coords":{"ints":[12]},"dim":"month","parent":43},{"children":[443],"coords":{"ints":[11]},"dim":"month","parent":43},{"children":[444],"coords":{"ints":[10]},"dim":"month","parent":43},{"children":[445],"coords":{"ints":[1]},"dim":"month","parent":43},{"children":[446],"coords":{"ints":[9]},"dim":"month","parent":44},{"children":[447],"coords":{"ints":[8]},"dim":"month","parent":44},{"children":[448],"coords":{"ints":[7]},"dim":"month","parent":44},{"children":[449],"coords":{"ints":[6]},"dim":"month","parent":44},{"children":[450],"coords":{"ints":[5]},"dim":"month","parent":44},{"children":[451],"coords":{"ints":[4]},"dim":"month","parent":44},{"children":[452],"coords":{"ints":[3]},"dim":"month","parent":44},{"children":[453],"coords":{"ints":[2]},"dim":"month","parent":44},{"children":[454],"coords":{"ints":[12]},"dim":"month","parent":44},{"children":[455],"coords":{"ints":[11]},"dim":"month","parent":44},{"children":[456],"coords":{"ints":[10]},"dim":"month","parent":44},{"children":[457],"coords":{"ints":[1]},"dim":"month","parent":44},{"children":[458],"coords":{"ints":[4]},"dim":"month","parent":45},{"children":[459],"coords":{"ints":[3]},"dim":"month","parent":45},{"children":[460],"coords":{"ints":[2]},"dim":"month","parent":45},{"children":[461],"coords":{"ints":[1]},"dim":"month","parent":45},{"children":[462],"coords":{"strings":["high"]},"dim":"resolution","parent":46},{"children":[463],"coords":{"strings":["high"]},"dim":"resolution","parent":47},{"children":[464],"coords":{"strings":["high"]},"dim":"resolution","parent":48},{"children":[465],"coords":{"strings":["high"]},"dim":"resolution","parent":49},{"children":[466],"coords":{"strings":["high"]},"dim":"resolution","parent":50},{"children":[467],"coords":{"strings":["high"]},"dim":"resolution","parent":51},{"children":[468],"coords":{"strings":["high"]},"dim":"resolution","parent":52},{"children":[469],"coords":{"strings":["high"]},"dim":"resolution","parent":53},{"children":[470],"coords":{"strings":["high"]},"dim":"resolution","parent":54},{"children":[471],"coords":{"strings":["high"]},"dim":"resolution","parent":55},{"children":[472],"coords":{"strings":["high"]},"dim":"resolution","parent":56},{"children":[473],"coords":{"strings":["high"]},"dim":"resolution","parent":57},{"children":[474],"coords":{"strings":["high"]},"dim":"resolution","parent":58},{"children":[475],"coords":{"strings":["high"]},"dim":"resolution","parent":59},{"children":[476],"coords":{"strings":["high"]},"dim":"resolution","parent":60},{"children":[477],"coords":{"strings":["high"]},"dim":"resolution","parent":61},{"children":[478],"coords":{"strings":["high"]},"dim":"resolution","parent":62},{"children":[479],"coords":{"strings":["high"]},"dim":"resolution","parent":63},{"children":[480],"coords":{"strings":["high"]},"dim":"resolution","parent":64},{"children":[481],"coords":{"strings":["high"]},"dim":"resolution","parent":65},{"children":[482],"coords":{"strings":["high"]},"dim":"resolution","parent":66},{"children":[483],"coords":{"strings":["high"]},"dim":"resolution","parent":67},{"children":[484],"coords":{"strings":["high"]},"dim":"resolution","parent":68},{"children":[485],"coords":{"strings":["high"]},"dim":"resolution","parent":69},{"children":[486],"coords":{"strings":["high"]},"dim":"resolution","parent":70},{"children":[487],"coords":{"strings":["high"]},"dim":"resolution","parent":71},{"children":[488],"coords":{"strings":["high"]},"dim":"resolution","parent":72},{"children":[489],"coords":{"strings":["high"]},"dim":"resolution","parent":73},{"children":[490],"coords":{"strings":["high"]},"dim":"resolution","parent":74},{"children":[491],"coords":{"strings":["high"]},"dim":"resolution","parent":75},{"children":[492],"coords":{"strings":["high"]},"dim":"resolution","parent":76},{"children":[493],"coords":{"strings":["high"]},"dim":"resolution","parent":77},{"children":[494],"coords":{"strings":["high"]},"dim":"resolution","parent":78},{"children":[495],"coords":{"strings":["high"]},"dim":"resolution","parent":79},{"children":[496],"coords":{"strings":["high"]},"dim":"resolution","parent":80},{"children":[497],"coords":{"strings":["high"]},"dim":"resolution","parent":81},{"children":[498],"coords":{"strings":["high"]},"dim":"resolution","parent":82},{"children":[499],"coords":{"strings":["high"]},"dim":"resolution","parent":83},{"children":[500],"coords":{"strings":["high"]},"dim":"resolution","parent":84},{"children":[501],"coords":{"strings":["high"]},"dim":"resolution","parent":85},{"children":[502],"coords":{"strings":["high"]},"dim":"resolution","parent":86},{"children":[503],"coords":{"strings":["high"]},"dim":"resolution","parent":87},{"children":[504],"coords":{"strings":["high"]},"dim":"resolution","parent":88},{"children":[505],"coords":{"strings":["high"]},"dim":"resolution","parent":89},{"children":[506],"coords":{"strings":["high"]},"dim":"resolution","parent":90},{"children":[507],"coords":{"strings":["high"]},"dim":"resolution","parent":91},{"children":[508],"coords":{"strings":["high"]},"dim":"resolution","parent":92},{"children":[509],"coords":{"strings":["high"]},"dim":"resolution","parent":93},{"children":[510],"coords":{"strings":["high"]},"dim":"resolution","parent":94},{"children":[511],"coords":{"strings":["high"]},"dim":"resolution","parent":95},{"children":[512],"coords":{"strings":["high"]},"dim":"resolution","parent":96},{"children":[513],"coords":{"strings":["high"]},"dim":"resolution","parent":97},{"children":[514],"coords":{"strings":["high"]},"dim":"resolution","parent":98},{"children":[515],"coords":{"strings":["high"]},"dim":"resolution","parent":99},{"children":[516],"coords":{"strings":["high"]},"dim":"resolution","parent":100},{"children":[517],"coords":{"strings":["high"]},"dim":"resolution","parent":101},{"children":[518],"coords":{"strings":["high"]},"dim":"resolution","parent":102},{"children":[519],"coords":{"strings":["high"]},"dim":"resolution","parent":103},{"children":[520],"coords":{"strings":["high"]},"dim":"resolution","parent":104},{"children":[521],"coords":{"strings":["high"]},"dim":"resolution","parent":105},{"children":[522],"coords":{"strings":["high"]},"dim":"resolution","parent":106},{"children":[523],"coords":{"strings":["high"]},"dim":"resolution","parent":107},{"children":[524],"coords":{"strings":["high"]},"dim":"resolution","parent":108},{"children":[525],"coords":{"strings":["high"]},"dim":"resolution","parent":109},{"children":[526],"coords":{"strings":["high"]},"dim":"resolution","parent":110},{"children":[527],"coords":{"strings":["high"]},"dim":"resolution","parent":111},{"children":[528],"coords":{"strings":["high"]},"dim":"resolution","parent":112},{"children":[529],"coords":{"strings":["high"]},"dim":"resolution","parent":113},{"children":[530],"coords":{"strings":["high"]},"dim":"resolution","parent":114},{"children":[531],"coords":{"strings":["high"]},"dim":"resolution","parent":115},{"children":[532],"coords":{"strings":["high"]},"dim":"resolution","parent":116},{"children":[533],"coords":{"strings":["high"]},"dim":"resolution","parent":117},{"children":[534],"coords":{"strings":["high"]},"dim":"resolution","parent":118},{"children":[535],"coords":{"strings":["high"]},"dim":"resolution","parent":119},{"children":[536],"coords":{"strings":["high"]},"dim":"resolution","parent":120},{"children":[537],"coords":{"strings":["high"]},"dim":"resolution","parent":121},{"children":[538],"coords":{"strings":["high"]},"dim":"resolution","parent":122},{"children":[539],"coords":{"strings":["high"]},"dim":"resolution","parent":123},{"children":[540],"coords":{"strings":["high"]},"dim":"resolution","parent":124},{"children":[541],"coords":{"strings":["high"]},"dim":"resolution","parent":125},{"children":[542],"coords":{"strings":["high"]},"dim":"resolution","parent":126},{"children":[543],"coords":{"strings":["high"]},"dim":"resolution","parent":127},{"children":[544],"coords":{"strings":["high"]},"dim":"resolution","parent":128},{"children":[545],"coords":{"strings":["high"]},"dim":"resolution","parent":129},{"children":[546],"coords":{"strings":["high"]},"dim":"resolution","parent":130},{"children":[547],"coords":{"strings":["high"]},"dim":"resolution","parent":131},{"children":[548],"coords":{"strings":["high"]},"dim":"resolution","parent":132},{"children":[549],"coords":{"strings":["high"]},"dim":"resolution","parent":133},{"children":[550],"coords":{"strings":["high"]},"dim":"resolution","parent":134},{"children":[551],"coords":{"strings":["high"]},"dim":"resolution","parent":135},{"children":[552],"coords":{"strings":["high"]},"dim":"resolution","parent":136},{"children":[553],"coords":{"strings":["high"]},"dim":"resolution","parent":137},{"children":[554],"coords":{"strings":["high"]},"dim":"resolution","parent":138},{"children":[555],"coords":{"strings":["high"]},"dim":"resolution","parent":139},{"children":[556],"coords":{"strings":["high"]},"dim":"resolution","parent":140},{"children":[557],"coords":{"strings":["high"]},"dim":"resolution","parent":141},{"children":[558],"coords":{"strings":["high"]},"dim":"resolution","parent":142},{"children":[559],"coords":{"strings":["high"]},"dim":"resolution","parent":143},{"children":[560],"coords":{"strings":["high"]},"dim":"resolution","parent":144},{"children":[561],"coords":{"strings":["high"]},"dim":"resolution","parent":145},{"children":[562],"coords":{"strings":["high"]},"dim":"resolution","parent":146},{"children":[563],"coords":{"strings":["high"]},"dim":"resolution","parent":147},{"children":[564],"coords":{"strings":["high"]},"dim":"resolution","parent":148},{"children":[565],"coords":{"strings":["high"]},"dim":"resolution","parent":149},{"children":[566],"coords":{"strings":["high"]},"dim":"resolution","parent":150},{"children":[567],"coords":{"strings":["high"]},"dim":"resolution","parent":151},{"children":[568],"coords":{"strings":["high"]},"dim":"resolution","parent":152},{"children":[569],"coords":{"strings":["high"]},"dim":"resolution","parent":153},{"children":[570],"coords":{"strings":["high"]},"dim":"resolution","parent":154},{"children":[571],"coords":{"strings":["high"]},"dim":"resolution","parent":155},{"children":[572],"coords":{"strings":["high"]},"dim":"resolution","parent":156},{"children":[573],"coords":{"strings":["high"]},"dim":"resolution","parent":157},{"children":[574],"coords":{"strings":["high"]},"dim":"resolution","parent":158},{"children":[575],"coords":{"strings":["high"]},"dim":"resolution","parent":159},{"children":[576],"coords":{"strings":["high"]},"dim":"resolution","parent":160},{"children":[577],"coords":{"strings":["high"]},"dim":"resolution","parent":161},{"children":[578],"coords":{"strings":["high"]},"dim":"resolution","parent":162},{"children":[579],"coords":{"strings":["high"]},"dim":"resolution","parent":163},{"children":[580],"coords":{"strings":["high"]},"dim":"resolution","parent":164},{"children":[581],"coords":{"strings":["high"]},"dim":"resolution","parent":165},{"children":[582],"coords":{"strings":["high"]},"dim":"resolution","parent":166},{"children":[583],"coords":{"strings":["high"]},"dim":"resolution","parent":167},{"children":[584],"coords":{"strings":["high"]},"dim":"resolution","parent":168},{"children":[585],"coords":{"strings":["high"]},"dim":"resolution","parent":169},{"children":[586],"coords":{"strings":["high"]},"dim":"resolution","parent":170},{"children":[587],"coords":{"strings":["high"]},"dim":"resolution","parent":171},{"children":[588],"coords":{"strings":["high"]},"dim":"resolution","parent":172},{"children":[589],"coords":{"strings":["high"]},"dim":"resolution","parent":173},{"children":[590],"coords":{"strings":["high"]},"dim":"resolution","parent":174},{"children":[591],"coords":{"strings":["high"]},"dim":"resolution","parent":175},{"children":[592],"coords":{"strings":["high"]},"dim":"resolution","parent":176},{"children":[593],"coords":{"strings":["high"]},"dim":"resolution","parent":177},{"children":[594],"coords":{"strings":["high"]},"dim":"resolution","parent":178},{"children":[595],"coords":{"strings":["high"]},"dim":"resolution","parent":179},{"children":[596],"coords":{"strings":["high"]},"dim":"resolution","parent":180},{"children":[597],"coords":{"strings":["high"]},"dim":"resolution","parent":181},{"children":[598],"coords":{"strings":["high"]},"dim":"resolution","parent":182},{"children":[599],"coords":{"strings":["high"]},"dim":"resolution","parent":183},{"children":[600],"coords":{"strings":["high"]},"dim":"resolution","parent":184},{"children":[601],"coords":{"strings":["high"]},"dim":"resolution","parent":185},{"children":[602],"coords":{"strings":["high"]},"dim":"resolution","parent":186},{"children":[603],"coords":{"strings":["high"]},"dim":"resolution","parent":187},{"children":[604],"coords":{"strings":["high"]},"dim":"resolution","parent":188},{"children":[605],"coords":{"strings":["high"]},"dim":"resolution","parent":189},{"children":[606],"coords":{"strings":["high"]},"dim":"resolution","parent":190},{"children":[607],"coords":{"strings":["high"]},"dim":"resolution","parent":191},{"children":[608],"coords":{"strings":["high"]},"dim":"resolution","parent":192},{"children":[609],"coords":{"strings":["high"]},"dim":"resolution","parent":193},{"children":[610],"coords":{"strings":["high"]},"dim":"resolution","parent":194},{"children":[611],"coords":{"strings":["high"]},"dim":"resolution","parent":195},{"children":[612],"coords":{"strings":["high"]},"dim":"resolution","parent":196},{"children":[613],"coords":{"strings":["high"]},"dim":"resolution","parent":197},{"children":[614],"coords":{"strings":["high"]},"dim":"resolution","parent":198},{"children":[615],"coords":{"strings":["high"]},"dim":"resolution","parent":199},{"children":[616],"coords":{"strings":["high"]},"dim":"resolution","parent":200},{"children":[617],"coords":{"strings":["high"]},"dim":"resolution","parent":201},{"children":[618],"coords":{"strings":["high"]},"dim":"resolution","parent":202},{"children":[619],"coords":{"strings":["high"]},"dim":"resolution","parent":203},{"children":[620],"coords":{"strings":["high"]},"dim":"resolution","parent":204},{"children":[621],"coords":{"strings":["high"]},"dim":"resolution","parent":205},{"children":[622],"coords":{"strings":["high"]},"dim":"resolution","parent":206},{"children":[623],"coords":{"strings":["high"]},"dim":"resolution","parent":207},{"children":[624],"coords":{"strings":["high"]},"dim":"resolution","parent":208},{"children":[625],"coords":{"strings":["high"]},"dim":"resolution","parent":209},{"children":[626],"coords":{"strings":["high"]},"dim":"resolution","parent":210},{"children":[627],"coords":{"strings":["high"]},"dim":"resolution","parent":211},{"children":[628],"coords":{"strings":["high"]},"dim":"resolution","parent":212},{"children":[629],"coords":{"strings":["high"]},"dim":"resolution","parent":213},{"children":[630],"coords":{"strings":["high"]},"dim":"resolution","parent":214},{"children":[631],"coords":{"strings":["high"]},"dim":"resolution","parent":215},{"children":[632],"coords":{"strings":["high"]},"dim":"resolution","parent":216},{"children":[633],"coords":{"strings":["high"]},"dim":"resolution","parent":217},{"children":[634],"coords":{"strings":["high"]},"dim":"resolution","parent":218},{"children":[635],"coords":{"strings":["high"]},"dim":"resolution","parent":219},{"children":[636],"coords":{"strings":["high"]},"dim":"resolution","parent":220},{"children":[637],"coords":{"strings":["high"]},"dim":"resolution","parent":221},{"children":[638],"coords":{"strings":["high"]},"dim":"resolution","parent":222},{"children":[639],"coords":{"strings":["high"]},"dim":"resolution","parent":223},{"children":[640],"coords":{"strings":["high"]},"dim":"resolution","parent":224},{"children":[641],"coords":{"strings":["high"]},"dim":"resolution","parent":225},{"children":[642],"coords":{"strings":["high"]},"dim":"resolution","parent":226},{"children":[643],"coords":{"strings":["high"]},"dim":"resolution","parent":227},{"children":[644],"coords":{"strings":["high"]},"dim":"resolution","parent":228},{"children":[645],"coords":{"strings":["high"]},"dim":"resolution","parent":229},{"children":[646],"coords":{"strings":["high"]},"dim":"resolution","parent":230},{"children":[647],"coords":{"strings":["high"]},"dim":"resolution","parent":231},{"children":[648],"coords":{"strings":["high"]},"dim":"resolution","parent":232},{"children":[649],"coords":{"strings":["high"]},"dim":"resolution","parent":233},{"children":[650],"coords":{"strings":["high"]},"dim":"resolution","parent":234},{"children":[651],"coords":{"strings":["high"]},"dim":"resolution","parent":235},{"children":[652],"coords":{"strings":["high"]},"dim":"resolution","parent":236},{"children":[653],"coords":{"strings":["high"]},"dim":"resolution","parent":237},{"children":[654],"coords":{"strings":["high"]},"dim":"resolution","parent":238},{"children":[655],"coords":{"strings":["high"]},"dim":"resolution","parent":239},{"children":[656],"coords":{"strings":["high"]},"dim":"resolution","parent":240},{"children":[657],"coords":{"strings":["high"]},"dim":"resolution","parent":241},{"children":[658],"coords":{"strings":["high"]},"dim":"resolution","parent":242},{"children":[659],"coords":{"strings":["high"]},"dim":"resolution","parent":243},{"children":[660],"coords":{"strings":["high"]},"dim":"resolution","parent":244},{"children":[661],"coords":{"strings":["high"]},"dim":"resolution","parent":245},{"children":[662],"coords":{"strings":["high"]},"dim":"resolution","parent":246},{"children":[663],"coords":{"strings":["high"]},"dim":"resolution","parent":247},{"children":[664],"coords":{"strings":["high"]},"dim":"resolution","parent":248},{"children":[665],"coords":{"strings":["high"]},"dim":"resolution","parent":249},{"children":[666],"coords":{"strings":["high"]},"dim":"resolution","parent":250},{"children":[667],"coords":{"strings":["high"]},"dim":"resolution","parent":251},{"children":[668],"coords":{"strings":["high"]},"dim":"resolution","parent":252},{"children":[669],"coords":{"strings":["high"]},"dim":"resolution","parent":253},{"children":[670],"coords":{"strings":["fc"]},"dim":"type","parent":254},{"children":[671],"coords":{"strings":["fc"]},"dim":"type","parent":255},{"children":[672],"coords":{"strings":["fc"]},"dim":"type","parent":256},{"children":[673],"coords":{"strings":["fc"]},"dim":"type","parent":257},{"children":[674],"coords":{"strings":["fc"]},"dim":"type","parent":258},{"children":[675],"coords":{"strings":["fc"]},"dim":"type","parent":259},{"children":[676],"coords":{"strings":["fc"]},"dim":"type","parent":260},{"children":[677],"coords":{"strings":["fc"]},"dim":"type","parent":261},{"children":[678],"coords":{"strings":["fc"]},"dim":"type","parent":262},{"children":[679],"coords":{"strings":["fc"]},"dim":"type","parent":263},{"children":[680],"coords":{"strings":["fc"]},"dim":"type","parent":264},{"children":[681,682],"coords":{"strings":["fc"]},"dim":"type","parent":265},{"children":[683],"coords":{"strings":["fc"]},"dim":"type","parent":266},{"children":[684],"coords":{"strings":["fc"]},"dim":"type","parent":267},{"children":[685],"coords":{"strings":["fc"]},"dim":"type","parent":268},{"children":[686],"coords":{"strings":["fc"]},"dim":"type","parent":269},{"children":[687],"coords":{"strings":["fc"]},"dim":"type","parent":270},{"children":[688],"coords":{"strings":["fc"]},"dim":"type","parent":271},{"children":[689],"coords":{"strings":["fc"]},"dim":"type","parent":272},{"children":[690],"coords":{"strings":["fc"]},"dim":"type","parent":273},{"children":[691],"coords":{"strings":["fc"]},"dim":"type","parent":274},{"children":[692],"coords":{"strings":["fc"]},"dim":"type","parent":275},{"children":[693],"coords":{"strings":["fc"]},"dim":"type","parent":276},{"children":[694],"coords":{"strings":["fc"]},"dim":"type","parent":277},{"children":[695],"coords":{"strings":["fc"]},"dim":"type","parent":278},{"children":[696],"coords":{"strings":["fc"]},"dim":"type","parent":279},{"children":[697],"coords":{"strings":["fc"]},"dim":"type","parent":280},{"children":[698],"coords":{"strings":["fc"]},"dim":"type","parent":281},{"children":[699],"coords":{"strings":["fc"]},"dim":"type","parent":282},{"children":[700],"coords":{"strings":["fc"]},"dim":"type","parent":283},{"children":[701],"coords":{"strings":["fc"]},"dim":"type","parent":284},{"children":[702],"coords":{"strings":["fc"]},"dim":"type","parent":285},{"children":[703],"coords":{"strings":["fc"]},"dim":"type","parent":286},{"children":[704],"coords":{"strings":["fc"]},"dim":"type","parent":287},{"children":[705],"coords":{"strings":["fc"]},"dim":"type","parent":288},{"children":[706],"coords":{"strings":["fc"]},"dim":"type","parent":289},{"children":[707],"coords":{"strings":["fc"]},"dim":"type","parent":290},{"children":[708],"coords":{"strings":["fc"]},"dim":"type","parent":291},{"children":[709],"coords":{"strings":["fc"]},"dim":"type","parent":292},{"children":[710],"coords":{"strings":["fc"]},"dim":"type","parent":293},{"children":[711],"coords":{"strings":["fc"]},"dim":"type","parent":294},{"children":[712],"coords":{"strings":["fc"]},"dim":"type","parent":295},{"children":[713],"coords":{"strings":["fc"]},"dim":"type","parent":296},{"children":[714],"coords":{"strings":["fc"]},"dim":"type","parent":297},{"children":[715],"coords":{"strings":["fc"]},"dim":"type","parent":298},{"children":[716],"coords":{"strings":["fc"]},"dim":"type","parent":299},{"children":[717],"coords":{"strings":["fc"]},"dim":"type","parent":300},{"children":[718],"coords":{"strings":["fc"]},"dim":"type","parent":301},{"children":[719],"coords":{"strings":["fc"]},"dim":"type","parent":302},{"children":[720],"coords":{"strings":["fc"]},"dim":"type","parent":303},{"children":[721],"coords":{"strings":["fc"]},"dim":"type","parent":304},{"children":[722],"coords":{"strings":["fc"]},"dim":"type","parent":305},{"children":[723],"coords":{"strings":["fc"]},"dim":"type","parent":306},{"children":[724],"coords":{"strings":["fc"]},"dim":"type","parent":307},{"children":[725],"coords":{"strings":["fc"]},"dim":"type","parent":308},{"children":[726],"coords":{"strings":["fc"]},"dim":"type","parent":309},{"children":[727],"coords":{"strings":["fc"]},"dim":"type","parent":310},{"children":[728],"coords":{"strings":["fc"]},"dim":"type","parent":311},{"children":[729],"coords":{"strings":["fc"]},"dim":"type","parent":312},{"children":[730],"coords":{"strings":["fc"]},"dim":"type","parent":313},{"children":[731],"coords":{"strings":["fc"]},"dim":"type","parent":314},{"children":[732],"coords":{"strings":["fc"]},"dim":"type","parent":315},{"children":[733],"coords":{"strings":["fc"]},"dim":"type","parent":316},{"children":[734],"coords":{"strings":["fc"]},"dim":"type","parent":317},{"children":[735],"coords":{"strings":["fc"]},"dim":"type","parent":318},{"children":[736],"coords":{"strings":["fc"]},"dim":"type","parent":319},{"children":[737],"coords":{"strings":["fc"]},"dim":"type","parent":320},{"children":[738],"coords":{"strings":["fc"]},"dim":"type","parent":321},{"children":[739],"coords":{"strings":["fc"]},"dim":"type","parent":322},{"children":[740],"coords":{"strings":["fc"]},"dim":"type","parent":323},{"children":[741],"coords":{"strings":["fc"]},"dim":"type","parent":324},{"children":[742],"coords":{"strings":["fc"]},"dim":"type","parent":325},{"children":[743],"coords":{"strings":["fc"]},"dim":"type","parent":326},{"children":[744],"coords":{"strings":["fc"]},"dim":"type","parent":327},{"children":[745],"coords":{"strings":["fc"]},"dim":"type","parent":328},{"children":[746],"coords":{"strings":["fc"]},"dim":"type","parent":329},{"children":[747],"coords":{"strings":["fc"]},"dim":"type","parent":330},{"children":[748],"coords":{"strings":["fc"]},"dim":"type","parent":331},{"children":[749],"coords":{"strings":["fc"]},"dim":"type","parent":332},{"children":[750],"coords":{"strings":["fc"]},"dim":"type","parent":333},{"children":[751],"coords":{"strings":["fc"]},"dim":"type","parent":334},{"children":[752],"coords":{"strings":["fc"]},"dim":"type","parent":335},{"children":[753],"coords":{"strings":["fc"]},"dim":"type","parent":336},{"children":[754],"coords":{"strings":["fc"]},"dim":"type","parent":337},{"children":[755],"coords":{"strings":["fc"]},"dim":"type","parent":338},{"children":[756],"coords":{"strings":["fc"]},"dim":"type","parent":339},{"children":[757],"coords":{"strings":["fc"]},"dim":"type","parent":340},{"children":[758],"coords":{"strings":["fc"]},"dim":"type","parent":341},{"children":[759],"coords":{"strings":["fc"]},"dim":"type","parent":342},{"children":[760],"coords":{"strings":["fc"]},"dim":"type","parent":343},{"children":[761],"coords":{"strings":["fc"]},"dim":"type","parent":344},{"children":[762],"coords":{"strings":["fc"]},"dim":"type","parent":345},{"children":[763],"coords":{"strings":["fc"]},"dim":"type","parent":346},{"children":[764],"coords":{"strings":["fc"]},"dim":"type","parent":347},{"children":[765],"coords":{"strings":["fc"]},"dim":"type","parent":348},{"children":[766],"coords":{"strings":["fc"]},"dim":"type","parent":349},{"children":[767],"coords":{"strings":["fc"]},"dim":"type","parent":350},{"children":[768],"coords":{"strings":["fc"]},"dim":"type","parent":351},{"children":[769],"coords":{"strings":["fc"]},"dim":"type","parent":352},{"children":[770],"coords":{"strings":["fc"]},"dim":"type","parent":353},{"children":[771],"coords":{"strings":["fc"]},"dim":"type","parent":354},{"children":[772],"coords":{"strings":["fc"]},"dim":"type","parent":355},{"children":[773],"coords":{"strings":["fc"]},"dim":"type","parent":356},{"children":[774],"coords":{"strings":["fc"]},"dim":"type","parent":357},{"children":[775],"coords":{"strings":["fc"]},"dim":"type","parent":358},{"children":[776],"coords":{"strings":["fc"]},"dim":"type","parent":359},{"children":[777],"coords":{"strings":["fc"]},"dim":"type","parent":360},{"children":[778],"coords":{"strings":["fc"]},"dim":"type","parent":361},{"children":[779],"coords":{"strings":["fc"]},"dim":"type","parent":362},{"children":[780],"coords":{"strings":["fc"]},"dim":"type","parent":363},{"children":[781],"coords":{"strings":["fc"]},"dim":"type","parent":364},{"children":[782],"coords":{"strings":["fc"]},"dim":"type","parent":365},{"children":[783],"coords":{"strings":["fc"]},"dim":"type","parent":366},{"children":[784],"coords":{"strings":["fc"]},"dim":"type","parent":367},{"children":[785],"coords":{"strings":["fc"]},"dim":"type","parent":368},{"children":[786],"coords":{"strings":["fc"]},"dim":"type","parent":369},{"children":[787],"coords":{"strings":["fc"]},"dim":"type","parent":370},{"children":[788],"coords":{"strings":["fc"]},"dim":"type","parent":371},{"children":[789],"coords":{"strings":["fc"]},"dim":"type","parent":372},{"children":[790],"coords":{"strings":["fc"]},"dim":"type","parent":373},{"children":[791],"coords":{"strings":["fc"]},"dim":"type","parent":374},{"children":[792],"coords":{"strings":["fc"]},"dim":"type","parent":375},{"children":[793],"coords":{"strings":["fc"]},"dim":"type","parent":376},{"children":[794],"coords":{"strings":["fc"]},"dim":"type","parent":377},{"children":[795],"coords":{"strings":["fc"]},"dim":"type","parent":378},{"children":[796],"coords":{"strings":["fc"]},"dim":"type","parent":379},{"children":[797],"coords":{"strings":["fc"]},"dim":"type","parent":380},{"children":[798],"coords":{"strings":["fc"]},"dim":"type","parent":381},{"children":[799],"coords":{"strings":["fc"]},"dim":"type","parent":382},{"children":[800],"coords":{"strings":["fc"]},"dim":"type","parent":383},{"children":[801],"coords":{"strings":["fc"]},"dim":"type","parent":384},{"children":[802],"coords":{"strings":["fc"]},"dim":"type","parent":385},{"children":[803],"coords":{"strings":["fc"]},"dim":"type","parent":386},{"children":[804],"coords":{"strings":["fc"]},"dim":"type","parent":387},{"children":[805],"coords":{"strings":["fc"]},"dim":"type","parent":388},{"children":[806],"coords":{"strings":["fc"]},"dim":"type","parent":389},{"children":[807],"coords":{"strings":["fc"]},"dim":"type","parent":390},{"children":[808],"coords":{"strings":["fc"]},"dim":"type","parent":391},{"children":[809],"coords":{"strings":["fc"]},"dim":"type","parent":392},{"children":[810],"coords":{"strings":["fc"]},"dim":"type","parent":393},{"children":[811],"coords":{"strings":["fc"]},"dim":"type","parent":394},{"children":[812],"coords":{"strings":["fc"]},"dim":"type","parent":395},{"children":[813],"coords":{"strings":["fc"]},"dim":"type","parent":396},{"children":[814],"coords":{"strings":["fc"]},"dim":"type","parent":397},{"children":[815],"coords":{"strings":["fc"]},"dim":"type","parent":398},{"children":[816],"coords":{"strings":["fc"]},"dim":"type","parent":399},{"children":[817],"coords":{"strings":["fc"]},"dim":"type","parent":400},{"children":[818],"coords":{"strings":["fc"]},"dim":"type","parent":401},{"children":[819],"coords":{"strings":["fc"]},"dim":"type","parent":402},{"children":[820],"coords":{"strings":["fc"]},"dim":"type","parent":403},{"children":[821],"coords":{"strings":["fc"]},"dim":"type","parent":404},{"children":[822],"coords":{"strings":["fc"]},"dim":"type","parent":405},{"children":[823],"coords":{"strings":["fc"]},"dim":"type","parent":406},{"children":[824],"coords":{"strings":["fc"]},"dim":"type","parent":407},{"children":[825],"coords":{"strings":["fc"]},"dim":"type","parent":408},{"children":[826],"coords":{"strings":["fc"]},"dim":"type","parent":409},{"children":[827],"coords":{"strings":["fc"]},"dim":"type","parent":410},{"children":[828],"coords":{"strings":["fc"]},"dim":"type","parent":411},{"children":[829],"coords":{"strings":["fc"]},"dim":"type","parent":412},{"children":[830],"coords":{"strings":["fc"]},"dim":"type","parent":413},{"children":[831],"coords":{"strings":["fc"]},"dim":"type","parent":414},{"children":[832],"coords":{"strings":["fc"]},"dim":"type","parent":415},{"children":[833],"coords":{"strings":["fc"]},"dim":"type","parent":416},{"children":[834],"coords":{"strings":["fc"]},"dim":"type","parent":417},{"children":[835],"coords":{"strings":["fc"]},"dim":"type","parent":418},{"children":[836],"coords":{"strings":["fc"]},"dim":"type","parent":419},{"children":[837],"coords":{"strings":["fc"]},"dim":"type","parent":420},{"children":[838],"coords":{"strings":["fc"]},"dim":"type","parent":421},{"children":[839],"coords":{"strings":["fc"]},"dim":"type","parent":422},{"children":[840],"coords":{"strings":["fc"]},"dim":"type","parent":423},{"children":[841],"coords":{"strings":["fc"]},"dim":"type","parent":424},{"children":[842],"coords":{"strings":["fc"]},"dim":"type","parent":425},{"children":[843],"coords":{"strings":["fc"]},"dim":"type","parent":426},{"children":[844],"coords":{"strings":["fc"]},"dim":"type","parent":427},{"children":[845],"coords":{"strings":["fc"]},"dim":"type","parent":428},{"children":[846],"coords":{"strings":["fc"]},"dim":"type","parent":429},{"children":[847],"coords":{"strings":["fc"]},"dim":"type","parent":430},{"children":[848],"coords":{"strings":["fc"]},"dim":"type","parent":431},{"children":[849],"coords":{"strings":["fc"]},"dim":"type","parent":432},{"children":[850],"coords":{"strings":["fc"]},"dim":"type","parent":433},{"children":[851],"coords":{"strings":["fc"]},"dim":"type","parent":434},{"children":[852],"coords":{"strings":["fc"]},"dim":"type","parent":435},{"children":[853],"coords":{"strings":["fc"]},"dim":"type","parent":436},{"children":[854],"coords":{"strings":["fc"]},"dim":"type","parent":437},{"children":[855],"coords":{"strings":["fc"]},"dim":"type","parent":438},{"children":[856],"coords":{"strings":["fc"]},"dim":"type","parent":439},{"children":[857],"coords":{"strings":["fc"]},"dim":"type","parent":440},{"children":[858],"coords":{"strings":["fc"]},"dim":"type","parent":441},{"children":[859],"coords":{"strings":["fc"]},"dim":"type","parent":442},{"children":[860],"coords":{"strings":["fc"]},"dim":"type","parent":443},{"children":[861],"coords":{"strings":["fc"]},"dim":"type","parent":444},{"children":[862],"coords":{"strings":["fc"]},"dim":"type","parent":445},{"children":[863],"coords":{"strings":["fc"]},"dim":"type","parent":446},{"children":[864],"coords":{"strings":["fc"]},"dim":"type","parent":447},{"children":[865],"coords":{"strings":["fc"]},"dim":"type","parent":448},{"children":[866],"coords":{"strings":["fc"]},"dim":"type","parent":449},{"children":[867],"coords":{"strings":["fc"]},"dim":"type","parent":450},{"children":[868],"coords":{"strings":["fc"]},"dim":"type","parent":451},{"children":[869],"coords":{"strings":["fc"]},"dim":"type","parent":452},{"children":[870],"coords":{"strings":["fc"]},"dim":"type","parent":453},{"children":[871],"coords":{"strings":["fc"]},"dim":"type","parent":454},{"children":[872],"coords":{"strings":["fc"]},"dim":"type","parent":455},{"children":[873],"coords":{"strings":["fc"]},"dim":"type","parent":456},{"children":[874],"coords":{"strings":["fc"]},"dim":"type","parent":457},{"children":[875],"coords":{"strings":["fc"]},"dim":"type","parent":458},{"children":[876],"coords":{"strings":["fc"]},"dim":"type","parent":459},{"children":[877],"coords":{"strings":["fc"]},"dim":"type","parent":460},{"children":[878],"coords":{"strings":["fc"]},"dim":"type","parent":461},{"children":[879,880],"coords":{"ints":[19900901,19900902,19900903,19900904,19900905,19900906,19900907,19900908,19900909,19900910,19900911,19900912,19900913,19900914,19900915,19900916,19900917,19900918,19900919,19900920,19900921,19900922,19900923,19900924,19900925,19900926,19900927,19900928,19900929,19900930]},"dim":"date","parent":462},{"children":[881,882],"coords":{"ints":[19900801,19900802,19900803,19900804,19900805,19900806,19900807,19900808,19900809,19900810,19900811,19900812,19900813,19900814,19900815,19900816,19900817,19900818,19900819,19900820,19900821,19900822,19900823,19900824,19900825,19900826,19900827,19900828,19900829,19900830,19900831]},"dim":"date","parent":463},{"children":[883,884],"coords":{"ints":[19900701,19900702,19900703,19900704,19900705,19900706,19900707,19900708,19900709,19900710,19900711,19900712,19900713,19900714,19900715,19900716,19900717,19900718,19900719,19900720,19900721,19900722,19900723,19900724,19900725,19900726,19900727,19900728,19900729,19900730,19900731]},"dim":"date","parent":464},{"children":[885,886],"coords":{"ints":[19900601,19900602,19900603,19900604,19900605,19900606,19900607,19900608,19900609,19900610,19900611,19900612,19900613,19900614,19900615,19900616,19900617,19900618,19900619,19900620,19900621,19900622,19900623,19900624,19900625,19900626,19900627,19900628,19900629,19900630]},"dim":"date","parent":465},{"children":[887,888],"coords":{"ints":[19900501,19900502,19900503,19900504,19900505,19900506,19900507,19900508,19900509,19900510,19900511,19900512,19900513,19900514,19900515,19900516,19900517,19900518,19900519,19900520,19900521,19900522,19900523,19900524,19900525,19900526,19900527,19900528,19900529,19900530,19900531]},"dim":"date","parent":466},{"children":[889,890],"coords":{"ints":[19900401,19900402,19900403,19900404,19900405,19900406,19900407,19900408,19900409,19900410,19900411,19900412,19900413,19900414,19900415,19900416,19900417,19900418,19900419,19900420,19900421,19900422,19900423,19900424,19900425,19900426,19900427,19900428,19900429,19900430]},"dim":"date","parent":467},{"children":[891,892],"coords":{"ints":[19900301,19900302,19900303,19900304,19900305,19900306,19900307,19900308,19900309,19900310,19900311,19900312,19900313,19900314,19900315,19900316,19900317,19900318,19900319,19900320,19900321,19900322,19900323,19900324,19900325,19900326,19900327,19900328,19900329,19900330,19900331]},"dim":"date","parent":468},{"children":[893,894],"coords":{"ints":[19900201,19900202,19900203,19900204,19900205,19900206,19900207,19900208,19900209,19900210,19900211,19900212,19900213,19900214,19900215,19900216,19900217,19900218,19900219,19900220,19900221,19900222,19900223,19900224,19900225,19900226,19900227,19900228]},"dim":"date","parent":469},{"children":[895,896],"coords":{"ints":[19901201,19901202,19901203,19901204,19901205,19901206,19901207,19901208,19901209,19901210,19901211,19901212,19901213,19901214,19901215,19901216,19901217,19901218,19901219,19901220,19901221,19901222,19901223,19901224,19901225,19901226,19901227,19901228,19901229,19901230,19901231]},"dim":"date","parent":470},{"children":[897,898],"coords":{"ints":[19901101,19901102,19901103,19901104,19901105,19901106,19901107,19901108,19901109,19901110,19901111,19901112,19901113,19901114,19901115,19901116,19901117,19901118,19901119,19901120,19901121,19901122,19901123,19901124,19901125,19901126,19901127,19901128,19901129,19901130]},"dim":"date","parent":471},{"children":[899,900],"coords":{"ints":[19901001,19901002,19901003,19901004,19901005,19901006,19901007,19901008,19901009,19901010,19901011,19901012,19901013,19901014,19901015,19901016,19901017,19901018,19901019,19901020,19901021,19901022,19901023,19901024,19901025,19901026,19901027,19901028,19901029,19901030,19901031]},"dim":"date","parent":472},{"children":[901],"coords":{"ints":[19900101]},"dim":"date","parent":473},{"children":[902,903],"coords":{"ints":[19900102,19900103,19900104,19900105,19900106,19900107,19900108,19900109,19900110,19900111,19900112,19900113,19900114,19900115,19900116,19900117,19900118,19900119,19900120,19900121,19900122,19900123,19900124,19900125,19900126,19900127,19900128,19900129,19900130,19900131]},"dim":"date","parent":473},{"children":[904,905],"coords":{"ints":[19910901,19910902,19910903,19910904,19910905,19910906,19910907,19910908,19910909,19910910,19910911,19910912,19910913,19910914,19910915,19910916,19910917,19910918,19910919,19910920,19910921,19910922,19910923,19910924,19910925,19910926,19910927,19910928,19910929,19910930]},"dim":"date","parent":474},{"children":[906,907],"coords":{"ints":[19910801,19910802,19910803,19910804,19910805,19910806,19910807,19910808,19910809,19910810,19910811,19910812,19910813,19910814,19910815,19910816,19910817,19910818,19910819,19910820,19910821,19910822,19910823,19910824,19910825,19910826,19910827,19910828,19910829,19910830,19910831]},"dim":"date","parent":475},{"children":[908,909],"coords":{"ints":[19910701,19910702,19910703,19910704,19910705,19910706,19910707,19910708,19910709,19910710,19910711,19910712,19910713,19910714,19910715,19910716,19910717,19910718,19910719,19910720,19910721,19910722,19910723,19910724,19910725,19910726,19910727,19910728,19910729,19910730,19910731]},"dim":"date","parent":476},{"children":[910,911],"coords":{"ints":[19910601,19910602,19910603,19910604,19910605,19910606,19910607,19910608,19910609,19910610,19910611,19910612,19910613,19910614,19910615,19910616,19910617,19910618,19910619,19910620,19910621,19910622,19910623,19910624,19910625,19910626,19910627,19910628,19910629,19910630]},"dim":"date","parent":477},{"children":[912,913],"coords":{"ints":[19910501,19910502,19910503,19910504,19910505,19910506,19910507,19910508,19910509,19910510,19910511,19910512,19910513,19910514,19910515,19910516,19910517,19910518,19910519,19910520,19910521,19910522,19910523,19910524,19910525,19910526,19910527,19910528,19910529,19910530,19910531]},"dim":"date","parent":478},{"children":[914,915],"coords":{"ints":[19910401,19910402,19910403,19910404,19910405,19910406,19910407,19910408,19910409,19910410,19910411,19910412,19910413,19910414,19910415,19910416,19910417,19910418,19910419,19910420,19910421,19910422,19910423,19910424,19910425,19910426,19910427,19910428,19910429,19910430]},"dim":"date","parent":479},{"children":[916,917],"coords":{"ints":[19910301,19910302,19910303,19910304,19910305,19910306,19910307,19910308,19910309,19910310,19910311,19910312,19910313,19910314,19910315,19910316,19910317,19910318,19910319,19910320,19910321,19910322,19910323,19910324,19910325,19910326,19910327,19910328,19910329,19910330,19910331]},"dim":"date","parent":480},{"children":[918,919],"coords":{"ints":[19910201,19910202,19910203,19910204,19910205,19910206,19910207,19910208,19910209,19910210,19910211,19910212,19910213,19910214,19910215,19910216,19910217,19910218,19910219,19910220,19910221,19910222,19910223,19910224,19910225,19910226,19910227,19910228]},"dim":"date","parent":481},{"children":[920,921],"coords":{"ints":[19911201,19911202,19911203,19911204,19911205,19911206,19911207,19911208,19911209,19911210,19911211,19911212,19911213,19911214,19911215,19911216,19911217,19911218,19911219,19911220,19911221,19911222,19911223,19911224,19911225,19911226,19911227,19911228,19911229,19911230,19911231]},"dim":"date","parent":482},{"children":[922,923],"coords":{"ints":[19911101,19911102,19911103,19911104,19911105,19911106,19911107,19911108,19911109,19911110,19911111,19911112,19911113,19911114,19911115,19911116,19911117,19911118,19911119,19911120,19911121,19911122,19911123,19911124,19911125,19911126,19911127,19911128,19911129,19911130]},"dim":"date","parent":483},{"children":[924,925],"coords":{"ints":[19911001,19911002,19911003,19911004,19911005,19911006,19911007,19911008,19911009,19911010,19911011,19911012,19911013,19911014,19911015,19911016,19911017,19911018,19911019,19911020,19911021,19911022,19911023,19911024,19911025,19911026,19911027,19911028,19911029,19911030,19911031]},"dim":"date","parent":484},{"children":[926,927],"coords":{"ints":[19910101,19910102,19910103,19910104,19910105,19910106,19910107,19910108,19910109,19910110,19910111,19910112,19910113,19910114,19910115,19910116,19910117,19910118,19910119,19910120,19910121,19910122,19910123,19910124,19910125,19910126,19910127,19910128,19910129,19910130,19910131]},"dim":"date","parent":485},{"children":[928,929],"coords":{"ints":[19920901,19920902,19920903,19920904,19920905,19920906,19920907,19920908,19920909,19920910,19920911,19920912,19920913,19920914,19920915,19920916,19920917,19920918,19920919,19920920,19920921,19920922,19920923,19920924,19920925,19920926,19920927,19920928,19920929,19920930]},"dim":"date","parent":486},{"children":[930,931],"coords":{"ints":[19920801,19920802,19920803,19920804,19920805,19920806,19920807,19920808,19920809,19920810,19920811,19920812,19920813,19920814,19920815,19920816,19920817,19920818,19920819,19920820,19920821,19920822,19920823,19920824,19920825,19920826,19920827,19920828,19920829,19920830,19920831]},"dim":"date","parent":487},{"children":[932,933],"coords":{"ints":[19920701,19920702,19920703,19920704,19920705,19920706,19920707,19920708,19920709,19920710,19920711,19920712,19920713,19920714,19920715,19920716,19920717,19920718,19920719,19920720,19920721,19920722,19920723,19920724,19920725,19920726,19920727,19920728,19920729,19920730,19920731]},"dim":"date","parent":488},{"children":[934,935],"coords":{"ints":[19920601,19920602,19920603,19920604,19920605,19920606,19920607,19920608,19920609,19920610,19920611,19920612,19920613,19920614,19920615,19920616,19920617,19920618,19920619,19920620,19920621,19920622,19920623,19920624,19920625,19920626,19920627,19920628,19920629,19920630]},"dim":"date","parent":489},{"children":[936,937],"coords":{"ints":[19920501,19920502,19920503,19920504,19920505,19920506,19920507,19920508,19920509,19920510,19920511,19920512,19920513,19920514,19920515,19920516,19920517,19920518,19920519,19920520,19920521,19920522,19920523,19920524,19920525,19920526,19920527,19920528,19920529,19920530,19920531]},"dim":"date","parent":490},{"children":[938,939],"coords":{"ints":[19920401,19920402,19920403,19920404,19920405,19920406,19920407,19920408,19920409,19920410,19920411,19920412,19920413,19920414,19920415,19920416,19920417,19920418,19920419,19920420,19920421,19920422,19920423,19920424,19920425,19920426,19920427,19920428,19920429,19920430]},"dim":"date","parent":491},{"children":[940,941],"coords":{"ints":[19920301,19920302,19920303,19920304,19920305,19920306,19920307,19920308,19920309,19920310,19920311,19920312,19920313,19920314,19920315,19920316,19920317,19920318,19920319,19920320,19920321,19920322,19920323,19920324,19920325,19920326,19920327,19920328,19920329,19920330,19920331]},"dim":"date","parent":492},{"children":[942,943],"coords":{"ints":[19920201,19920202,19920203,19920204,19920205,19920206,19920207,19920208,19920209,19920210,19920211,19920212,19920213,19920214,19920215,19920216,19920217,19920218,19920219,19920220,19920221,19920222,19920223,19920224,19920225,19920226,19920227,19920228,19920229]},"dim":"date","parent":493},{"children":[944,945],"coords":{"ints":[19921201,19921202,19921203,19921204,19921205,19921206,19921207,19921208,19921209,19921210,19921211,19921212,19921213,19921214,19921215,19921216,19921217,19921218,19921219,19921220,19921221,19921222,19921223,19921224,19921225,19921226,19921227,19921228,19921229,19921230,19921231]},"dim":"date","parent":494},{"children":[946,947],"coords":{"ints":[19921101,19921102,19921103,19921104,19921105,19921106,19921107,19921108,19921109,19921110,19921111,19921112,19921113,19921114,19921115,19921116,19921117,19921118,19921119,19921120,19921121,19921122,19921123,19921124,19921125,19921126,19921127,19921128,19921129,19921130]},"dim":"date","parent":495},{"children":[948,949],"coords":{"ints":[19921001,19921002,19921003,19921004,19921005,19921006,19921007,19921008,19921009,19921010,19921011,19921012,19921013,19921014,19921015,19921016,19921017,19921018,19921019,19921020,19921021,19921022,19921023,19921024,19921025,19921026,19921027,19921028,19921029,19921030,19921031]},"dim":"date","parent":496},{"children":[950,951],"coords":{"ints":[19920101,19920102,19920103,19920104,19920105,19920106,19920107,19920108,19920109,19920110,19920111,19920112,19920113,19920114,19920115,19920116,19920117,19920118,19920119,19920120,19920121,19920122,19920123,19920124,19920125,19920126,19920127,19920128,19920129,19920130,19920131]},"dim":"date","parent":497},{"children":[952,953],"coords":{"ints":[19930901,19930902,19930903,19930904,19930905,19930906,19930907,19930908,19930909,19930910,19930911,19930912,19930913,19930914,19930915,19930916,19930917,19930918,19930919,19930920,19930921,19930922,19930923,19930924,19930925,19930926,19930927,19930928,19930929,19930930]},"dim":"date","parent":498},{"children":[954,955],"coords":{"ints":[19930801,19930802,19930803,19930804,19930805,19930806,19930807,19930808,19930809,19930810,19930811,19930812,19930813,19930814,19930815,19930816,19930817,19930818,19930819,19930820,19930821,19930822,19930823,19930824,19930825,19930826,19930827,19930828,19930829,19930830,19930831]},"dim":"date","parent":499},{"children":[956,957],"coords":{"ints":[19930701,19930702,19930703,19930704,19930705,19930706,19930707,19930708,19930709,19930710,19930711,19930712,19930713,19930714,19930715,19930716,19930717,19930718,19930719,19930720,19930721,19930722,19930723,19930724,19930725,19930726,19930727,19930728,19930729,19930730,19930731]},"dim":"date","parent":500},{"children":[958,959],"coords":{"ints":[19930601,19930602,19930603,19930604,19930605,19930606,19930607,19930608,19930609,19930610,19930611,19930612,19930613,19930614,19930615,19930616,19930617,19930618,19930619,19930620,19930621,19930622,19930623,19930624,19930625,19930626,19930627,19930628,19930629,19930630]},"dim":"date","parent":501},{"children":[960,961],"coords":{"ints":[19930501,19930502,19930503,19930504,19930505,19930506,19930507,19930508,19930509,19930510,19930511,19930512,19930513,19930514,19930515,19930516,19930517,19930518,19930519,19930520,19930521,19930522,19930523,19930524,19930525,19930526,19930527,19930528,19930529,19930530,19930531]},"dim":"date","parent":502},{"children":[962,963],"coords":{"ints":[19930401,19930402,19930403,19930404,19930405,19930406,19930407,19930408,19930409,19930410,19930411,19930412,19930413,19930414,19930415,19930416,19930417,19930418,19930419,19930420,19930421,19930422,19930423,19930424,19930425,19930426,19930427,19930428,19930429,19930430]},"dim":"date","parent":503},{"children":[964,965],"coords":{"ints":[19930301,19930302,19930303,19930304,19930305,19930306,19930307,19930308,19930309,19930310,19930311,19930312,19930313,19930314,19930315,19930316,19930317,19930318,19930319,19930320,19930321,19930322,19930323,19930324,19930325,19930326,19930327,19930328,19930329,19930330,19930331]},"dim":"date","parent":504},{"children":[966,967],"coords":{"ints":[19930201,19930202,19930203,19930204,19930205,19930206,19930207,19930208,19930209,19930210,19930211,19930212,19930213,19930214,19930215,19930216,19930217,19930218,19930219,19930220,19930221,19930222,19930223,19930224,19930225,19930226,19930227,19930228]},"dim":"date","parent":505},{"children":[968,969],"coords":{"ints":[19931201,19931202,19931203,19931204,19931205,19931206,19931207,19931208,19931209,19931210,19931211,19931212,19931213,19931214,19931215,19931216,19931217,19931218,19931219,19931220,19931221,19931222,19931223,19931224,19931225,19931226,19931227,19931228,19931229,19931230,19931231]},"dim":"date","parent":506},{"children":[970,971],"coords":{"ints":[19931101,19931102,19931103,19931104,19931105,19931106,19931107,19931108,19931109,19931110,19931111,19931112,19931113,19931114,19931115,19931116,19931117,19931118,19931119,19931120,19931121,19931122,19931123,19931124,19931125,19931126,19931127,19931128,19931129,19931130]},"dim":"date","parent":507},{"children":[972,973],"coords":{"ints":[19931001,19931002,19931003,19931004,19931005,19931006,19931007,19931008,19931009,19931010,19931011,19931012,19931013,19931014,19931015,19931016,19931017,19931018,19931019,19931020,19931021,19931022,19931023,19931024,19931025,19931026,19931027,19931028,19931029,19931030,19931031]},"dim":"date","parent":508},{"children":[974,975],"coords":{"ints":[19930101,19930102,19930103,19930104,19930105,19930106,19930107,19930108,19930109,19930110,19930111,19930112,19930113,19930114,19930115,19930116,19930117,19930118,19930119,19930120,19930121,19930122,19930123,19930124,19930125,19930126,19930127,19930128,19930129,19930130,19930131]},"dim":"date","parent":509},{"children":[976,977],"coords":{"ints":[19940901,19940902,19940903,19940904,19940905,19940906,19940907,19940908,19940909,19940910,19940911,19940912,19940913,19940914,19940915,19940916,19940917,19940918,19940919,19940920,19940921,19940922,19940923,19940924,19940925,19940926,19940927,19940928,19940929,19940930]},"dim":"date","parent":510},{"children":[978,979],"coords":{"ints":[19940801,19940802,19940803,19940804,19940805,19940806,19940807,19940808,19940809,19940810,19940811,19940812,19940813,19940814,19940815,19940816,19940817,19940818,19940819,19940820,19940821,19940822,19940823,19940824,19940825,19940826,19940827,19940828,19940829,19940830,19940831]},"dim":"date","parent":511},{"children":[980,981],"coords":{"ints":[19940701,19940702,19940703,19940704,19940705,19940706,19940707,19940708,19940709,19940710,19940711,19940712,19940713,19940714,19940715,19940716,19940717,19940718,19940719,19940720,19940721,19940722,19940723,19940724,19940725,19940726,19940727,19940728,19940729,19940730,19940731]},"dim":"date","parent":512},{"children":[982,983],"coords":{"ints":[19940601,19940602,19940603,19940604,19940605,19940606,19940607,19940608,19940609,19940610,19940611,19940612,19940613,19940614,19940615,19940616,19940617,19940618,19940619,19940620,19940621,19940622,19940623,19940624,19940625,19940626,19940627,19940628,19940629,19940630]},"dim":"date","parent":513},{"children":[984,985],"coords":{"ints":[19940501,19940502,19940503,19940504,19940505,19940506,19940507,19940508,19940509,19940510,19940511,19940512,19940513,19940514,19940515,19940516,19940517,19940518,19940519,19940520,19940521,19940522,19940523,19940524,19940525,19940526,19940527,19940528,19940529,19940530,19940531]},"dim":"date","parent":514},{"children":[986,987],"coords":{"ints":[19940401,19940402,19940403,19940404,19940405,19940406,19940407,19940408,19940409,19940410,19940411,19940412,19940413,19940414,19940415,19940416,19940417,19940418,19940419,19940420,19940421,19940422,19940423,19940424,19940425,19940426,19940427,19940428,19940429,19940430]},"dim":"date","parent":515},{"children":[988,989],"coords":{"ints":[19940301,19940302,19940303,19940304,19940305,19940306,19940307,19940308,19940309,19940310,19940311,19940312,19940313,19940314,19940315,19940316,19940317,19940318,19940319,19940320,19940321,19940322,19940323,19940324,19940325,19940326,19940327,19940328,19940329,19940330,19940331]},"dim":"date","parent":516},{"children":[990,991],"coords":{"ints":[19940201,19940202,19940203,19940204,19940205,19940206,19940207,19940208,19940209,19940210,19940211,19940212,19940213,19940214,19940215,19940216,19940217,19940218,19940219,19940220,19940221,19940222,19940223,19940224,19940225,19940226,19940227,19940228]},"dim":"date","parent":517},{"children":[992,993],"coords":{"ints":[19941201,19941202,19941203,19941204,19941205,19941206,19941207,19941208,19941209,19941210,19941211,19941212,19941213,19941214,19941215,19941216,19941217,19941218,19941219,19941220,19941221,19941222,19941223,19941224,19941225,19941226,19941227,19941228,19941229,19941230,19941231]},"dim":"date","parent":518},{"children":[994,995],"coords":{"ints":[19941101,19941102,19941103,19941104,19941105,19941106,19941107,19941108,19941109,19941110,19941111,19941112,19941113,19941114,19941115,19941116,19941117,19941118,19941119,19941120,19941121,19941122,19941123,19941124,19941125,19941126,19941127,19941128,19941129,19941130]},"dim":"date","parent":519},{"children":[996,997],"coords":{"ints":[19941001,19941002,19941003,19941004,19941005,19941006,19941007,19941008,19941009,19941010,19941011,19941012,19941013,19941014,19941015,19941016,19941017,19941018,19941019,19941020,19941021,19941022,19941023,19941024,19941025,19941026,19941027,19941028,19941029,19941030,19941031]},"dim":"date","parent":520},{"children":[998,999],"coords":{"ints":[19940101,19940102,19940103,19940104,19940105,19940106,19940107,19940108,19940109,19940110,19940111,19940112,19940113,19940114,19940115,19940116,19940117,19940118,19940119,19940120,19940121,19940122,19940123,19940124,19940125,19940126,19940127,19940128,19940129,19940130,19940131]},"dim":"date","parent":521},{"children":[1000,1001],"coords":{"ints":[19950901,19950902,19950903,19950904,19950905,19950906,19950907,19950908,19950909,19950910,19950911,19950912,19950913,19950914,19950915,19950916,19950917,19950918,19950919,19950920,19950921,19950922,19950923,19950924,19950925,19950926,19950927,19950928,19950929,19950930]},"dim":"date","parent":522},{"children":[1002,1003],"coords":{"ints":[19950801,19950802,19950803,19950804,19950805,19950806,19950807,19950808,19950809,19950810,19950811,19950812,19950813,19950814,19950815,19950816,19950817,19950818,19950819,19950820,19950821,19950822,19950823,19950824,19950825,19950826,19950827,19950828,19950829,19950830,19950831]},"dim":"date","parent":523},{"children":[1004,1005],"coords":{"ints":[19950701,19950702,19950703,19950704,19950705,19950706,19950707,19950708,19950709,19950710,19950711,19950712,19950713,19950714,19950715,19950716,19950717,19950718,19950719,19950720,19950721,19950722,19950723,19950724,19950725,19950726,19950727,19950728,19950729,19950730,19950731]},"dim":"date","parent":524},{"children":[1006,1007],"coords":{"ints":[19950601,19950602,19950603,19950604,19950605,19950606,19950607,19950608,19950609,19950610,19950611,19950612,19950613,19950614,19950615,19950616,19950617,19950618,19950619,19950620,19950621,19950622,19950623,19950624,19950625,19950626,19950627,19950628,19950629,19950630]},"dim":"date","parent":525},{"children":[1008,1009],"coords":{"ints":[19950501,19950502,19950503,19950504,19950505,19950506,19950507,19950508,19950509,19950510,19950511,19950512,19950513,19950514,19950515,19950516,19950517,19950518,19950519,19950520,19950521,19950522,19950523,19950524,19950525,19950526,19950527,19950528,19950529,19950530,19950531]},"dim":"date","parent":526},{"children":[1010,1011],"coords":{"ints":[19950401,19950402,19950403,19950404,19950405,19950406,19950407,19950408,19950409,19950410,19950411,19950412,19950413,19950414,19950415,19950416,19950417,19950418,19950419,19950420,19950421,19950422,19950423,19950424,19950425,19950426,19950427,19950428,19950429,19950430]},"dim":"date","parent":527},{"children":[1012,1013],"coords":{"ints":[19950301,19950302,19950303,19950304,19950305,19950306,19950307,19950308,19950309,19950310,19950311,19950312,19950313,19950314,19950315,19950316,19950317,19950318,19950319,19950320,19950321,19950322,19950323,19950324,19950325,19950326,19950327,19950328,19950329,19950330,19950331]},"dim":"date","parent":528},{"children":[1014,1015],"coords":{"ints":[19950201,19950202,19950203,19950204,19950205,19950206,19950207,19950208,19950209,19950210,19950211,19950212,19950213,19950214,19950215,19950216,19950217,19950218,19950219,19950220,19950221,19950222,19950223,19950224,19950225,19950226,19950227,19950228]},"dim":"date","parent":529},{"children":[1016,1017],"coords":{"ints":[19951201,19951202,19951203,19951204,19951205,19951206,19951207,19951208,19951209,19951210,19951211,19951212,19951213,19951214,19951215,19951216,19951217,19951218,19951219,19951220,19951221,19951222,19951223,19951224,19951225,19951226,19951227,19951228,19951229,19951230,19951231]},"dim":"date","parent":530},{"children":[1018,1019],"coords":{"ints":[19951101,19951102,19951103,19951104,19951105,19951106,19951107,19951108,19951109,19951110,19951111,19951112,19951113,19951114,19951115,19951116,19951117,19951118,19951119,19951120,19951121,19951122,19951123,19951124,19951125,19951126,19951127,19951128,19951129,19951130]},"dim":"date","parent":531},{"children":[1020,1021],"coords":{"ints":[19951001,19951002,19951003,19951004,19951005,19951006,19951007,19951008,19951009,19951010,19951011,19951012,19951013,19951014,19951015,19951016,19951017,19951018,19951019,19951020,19951021,19951022,19951023,19951024,19951025,19951026,19951027,19951028,19951029,19951030,19951031]},"dim":"date","parent":532},{"children":[1022,1023],"coords":{"ints":[19950101,19950102,19950103,19950104,19950105,19950106,19950107,19950108,19950109,19950110,19950111,19950112,19950113,19950114,19950115,19950116,19950117,19950118,19950119,19950120,19950121,19950122,19950123,19950124,19950125,19950126,19950127,19950128,19950129,19950130,19950131]},"dim":"date","parent":533},{"children":[1024,1025],"coords":{"ints":[19960901,19960902,19960903,19960904,19960905,19960906,19960907,19960908,19960909,19960910,19960911,19960912,19960913,19960914,19960915,19960916,19960917,19960918,19960919,19960920,19960921,19960922,19960923,19960924,19960925,19960926,19960927,19960928,19960929,19960930]},"dim":"date","parent":534},{"children":[1026,1027],"coords":{"ints":[19960801,19960802,19960803,19960804,19960805,19960806,19960807,19960808,19960809,19960810,19960811,19960812,19960813,19960814,19960815,19960816,19960817,19960818,19960819,19960820,19960821,19960822,19960823,19960824,19960825,19960826,19960827,19960828,19960829,19960830,19960831]},"dim":"date","parent":535},{"children":[1028,1029],"coords":{"ints":[19960701,19960702,19960703,19960704,19960705,19960706,19960707,19960708,19960709,19960710,19960711,19960712,19960713,19960714,19960715,19960716,19960717,19960718,19960719,19960720,19960721,19960722,19960723,19960724,19960725,19960726,19960727,19960728,19960729,19960730,19960731]},"dim":"date","parent":536},{"children":[1030,1031],"coords":{"ints":[19960601,19960602,19960603,19960604,19960605,19960606,19960607,19960608,19960609,19960610,19960611,19960612,19960613,19960614,19960615,19960616,19960617,19960618,19960619,19960620,19960621,19960622,19960623,19960624,19960625,19960626,19960627,19960628,19960629,19960630]},"dim":"date","parent":537},{"children":[1032,1033],"coords":{"ints":[19960501,19960502,19960503,19960504,19960505,19960506,19960507,19960508,19960509,19960510,19960511,19960512,19960513,19960514,19960515,19960516,19960517,19960518,19960519,19960520,19960521,19960522,19960523,19960524,19960525,19960526,19960527,19960528,19960529,19960530,19960531]},"dim":"date","parent":538},{"children":[1034,1035],"coords":{"ints":[19960401,19960402,19960403,19960404,19960405,19960406,19960407,19960408,19960409,19960410,19960411,19960412,19960413,19960414,19960415,19960416,19960417,19960418,19960419,19960420,19960421,19960422,19960423,19960424,19960425,19960426,19960427,19960428,19960429,19960430]},"dim":"date","parent":539},{"children":[1036,1037],"coords":{"ints":[19960301,19960302,19960303,19960304,19960305,19960306,19960307,19960308,19960309,19960310,19960311,19960312,19960313,19960314,19960315,19960316,19960317,19960318,19960319,19960320,19960321,19960322,19960323,19960324,19960325,19960326,19960327,19960328,19960329,19960330,19960331]},"dim":"date","parent":540},{"children":[1038,1039],"coords":{"ints":[19960201,19960202,19960203,19960204,19960205,19960206,19960207,19960208,19960209,19960210,19960211,19960212,19960213,19960214,19960215,19960216,19960217,19960218,19960219,19960220,19960221,19960222,19960223,19960224,19960225,19960226,19960227,19960228,19960229]},"dim":"date","parent":541},{"children":[1040,1041],"coords":{"ints":[19961201,19961202,19961203,19961204,19961205,19961206,19961207,19961208,19961209,19961210,19961211,19961212,19961213,19961214,19961215,19961216,19961217,19961218,19961219,19961220,19961221,19961222,19961223,19961224,19961225,19961226,19961227,19961228,19961229,19961230,19961231]},"dim":"date","parent":542},{"children":[1042,1043],"coords":{"ints":[19961101,19961102,19961103,19961104,19961105,19961106,19961107,19961108,19961109,19961110,19961111,19961112,19961113,19961114,19961115,19961116,19961117,19961118,19961119,19961120,19961121,19961122,19961123,19961124,19961125,19961126,19961127,19961128,19961129,19961130]},"dim":"date","parent":543},{"children":[1044,1045],"coords":{"ints":[19961001,19961002,19961003,19961004,19961005,19961006,19961007,19961008,19961009,19961010,19961011,19961012,19961013,19961014,19961015,19961016,19961017,19961018,19961019,19961020,19961021,19961022,19961023,19961024,19961025,19961026,19961027,19961028,19961029,19961030,19961031]},"dim":"date","parent":544},{"children":[1046,1047],"coords":{"ints":[19960101,19960102,19960103,19960104,19960105,19960106,19960107,19960108,19960109,19960110,19960111,19960112,19960113,19960114,19960115,19960116,19960117,19960118,19960119,19960120,19960121,19960122,19960123,19960124,19960125,19960126,19960127,19960128,19960129,19960130,19960131]},"dim":"date","parent":545},{"children":[1048,1049],"coords":{"ints":[19970901,19970902,19970903,19970904,19970905,19970906,19970907,19970908,19970909,19970910,19970911,19970912,19970913,19970914,19970915,19970916,19970917,19970918,19970919,19970920,19970921,19970922,19970923,19970924,19970925,19970926,19970927,19970928,19970929,19970930]},"dim":"date","parent":546},{"children":[1050,1051],"coords":{"ints":[19970801,19970802,19970803,19970804,19970805,19970806,19970807,19970808,19970809,19970810,19970811,19970812,19970813,19970814,19970815,19970816,19970817,19970818,19970819,19970820,19970821,19970822,19970823,19970824,19970825,19970826,19970827,19970828,19970829,19970830,19970831]},"dim":"date","parent":547},{"children":[1052,1053],"coords":{"ints":[19970701,19970702,19970703,19970704,19970705,19970706,19970707,19970708,19970709,19970710,19970711,19970712,19970713,19970714,19970715,19970716,19970717,19970718,19970719,19970720,19970721,19970722,19970723,19970724,19970725,19970726,19970727,19970728,19970729,19970730,19970731]},"dim":"date","parent":548},{"children":[1054,1055],"coords":{"ints":[19970601,19970602,19970603,19970604,19970605,19970606,19970607,19970608,19970609,19970610,19970611,19970612,19970613,19970614,19970615,19970616,19970617,19970618,19970619,19970620,19970621,19970622,19970623,19970624,19970625,19970626,19970627,19970628,19970629,19970630]},"dim":"date","parent":549},{"children":[1056,1057],"coords":{"ints":[19970501,19970502,19970503,19970504,19970505,19970506,19970507,19970508,19970509,19970510,19970511,19970512,19970513,19970514,19970515,19970516,19970517,19970518,19970519,19970520,19970521,19970522,19970523,19970524,19970525,19970526,19970527,19970528,19970529,19970530,19970531]},"dim":"date","parent":550},{"children":[1058,1059],"coords":{"ints":[19970401,19970402,19970403,19970404,19970405,19970406,19970407,19970408,19970409,19970410,19970411,19970412,19970413,19970414,19970415,19970416,19970417,19970418,19970419,19970420,19970421,19970422,19970423,19970424,19970425,19970426,19970427,19970428,19970429,19970430]},"dim":"date","parent":551},{"children":[1060,1061],"coords":{"ints":[19970301,19970302,19970303,19970304,19970305,19970306,19970307,19970308,19970309,19970310,19970311,19970312,19970313,19970314,19970315,19970316,19970317,19970318,19970319,19970320,19970321,19970322,19970323,19970324,19970325,19970326,19970327,19970328,19970329,19970330,19970331]},"dim":"date","parent":552},{"children":[1062,1063],"coords":{"ints":[19970201,19970202,19970203,19970204,19970205,19970206,19970207,19970208,19970209,19970210,19970211,19970212,19970213,19970214,19970215,19970216,19970217,19970218,19970219,19970220,19970221,19970222,19970223,19970224,19970225,19970226,19970227,19970228]},"dim":"date","parent":553},{"children":[1064,1065],"coords":{"ints":[19971201,19971202,19971203,19971204,19971205,19971206,19971207,19971208,19971209,19971210,19971211,19971212,19971213,19971214,19971215,19971216,19971217,19971218,19971219,19971220,19971221,19971222,19971223,19971224,19971225,19971226,19971227,19971228,19971229,19971230,19971231]},"dim":"date","parent":554},{"children":[1066,1067],"coords":{"ints":[19971101,19971102,19971103,19971104,19971105,19971106,19971107,19971108,19971109,19971110,19971111,19971112,19971113,19971114,19971115,19971116,19971117,19971118,19971119,19971120,19971121,19971122,19971123,19971124,19971125,19971126,19971127,19971128,19971129,19971130]},"dim":"date","parent":555},{"children":[1068,1069],"coords":{"ints":[19971001,19971002,19971003,19971004,19971005,19971006,19971007,19971008,19971009,19971010,19971011,19971012,19971013,19971014,19971015,19971016,19971017,19971018,19971019,19971020,19971021,19971022,19971023,19971024,19971025,19971026,19971027,19971028,19971029,19971030,19971031]},"dim":"date","parent":556},{"children":[1070,1071],"coords":{"ints":[19970101,19970102,19970103,19970104,19970105,19970106,19970107,19970108,19970109,19970110,19970111,19970112,19970113,19970114,19970115,19970116,19970117,19970118,19970119,19970120,19970121,19970122,19970123,19970124,19970125,19970126,19970127,19970128,19970129,19970130,19970131]},"dim":"date","parent":557},{"children":[1072,1073],"coords":{"ints":[19980901,19980902,19980903,19980904,19980905,19980906,19980907,19980908,19980909,19980910,19980911,19980912,19980913,19980914,19980915,19980916,19980917,19980918,19980919,19980920,19980921,19980922,19980923,19980924,19980925,19980926,19980927,19980928,19980929,19980930]},"dim":"date","parent":558},{"children":[1074,1075],"coords":{"ints":[19980801,19980802,19980803,19980804,19980805,19980806,19980807,19980808,19980809,19980810,19980811,19980812,19980813,19980814,19980815,19980816,19980817,19980818,19980819,19980820,19980821,19980822,19980823,19980824,19980825,19980826,19980827,19980828,19980829,19980830,19980831]},"dim":"date","parent":559},{"children":[1076,1077],"coords":{"ints":[19980701,19980702,19980703,19980704,19980705,19980706,19980707,19980708,19980709,19980710,19980711,19980712,19980713,19980714,19980715,19980716,19980717,19980718,19980719,19980720,19980721,19980722,19980723,19980724,19980725,19980726,19980727,19980728,19980729,19980730,19980731]},"dim":"date","parent":560},{"children":[1078,1079],"coords":{"ints":[19980601,19980602,19980603,19980604,19980605,19980606,19980607,19980608,19980609,19980610,19980611,19980612,19980613,19980614,19980615,19980616,19980617,19980618,19980619,19980620,19980621,19980622,19980623,19980624,19980625,19980626,19980627,19980628,19980629,19980630]},"dim":"date","parent":561},{"children":[1080,1081],"coords":{"ints":[19980501,19980502,19980503,19980504,19980505,19980506,19980507,19980508,19980509,19980510,19980511,19980512,19980513,19980514,19980515,19980516,19980517,19980518,19980519,19980520,19980521,19980522,19980523,19980524,19980525,19980526,19980527,19980528,19980529,19980530,19980531]},"dim":"date","parent":562},{"children":[1082,1083],"coords":{"ints":[19980401,19980402,19980403,19980404,19980405,19980406,19980407,19980408,19980409,19980410,19980411,19980412,19980413,19980414,19980415,19980416,19980417,19980418,19980419,19980420,19980421,19980422,19980423,19980424,19980425,19980426,19980427,19980428,19980429,19980430]},"dim":"date","parent":563},{"children":[1084,1085],"coords":{"ints":[19980301,19980302,19980303,19980304,19980305,19980306,19980307,19980308,19980309,19980310,19980311,19980312,19980313,19980314,19980315,19980316,19980317,19980318,19980319,19980320,19980321,19980322,19980323,19980324,19980325,19980326,19980327,19980328,19980329,19980330,19980331]},"dim":"date","parent":564},{"children":[1086,1087],"coords":{"ints":[19980201,19980202,19980203,19980204,19980205,19980206,19980207,19980208,19980209,19980210,19980211,19980212,19980213,19980214,19980215,19980216,19980217,19980218,19980219,19980220,19980221,19980222,19980223,19980224,19980225,19980226,19980227,19980228]},"dim":"date","parent":565},{"children":[1088,1089],"coords":{"ints":[19981201,19981202,19981203,19981204,19981205,19981206,19981207,19981208,19981209,19981210,19981211,19981212,19981213,19981214,19981215,19981216,19981217,19981218,19981219,19981220,19981221,19981222,19981223,19981224,19981225,19981226,19981227,19981228,19981229,19981230,19981231]},"dim":"date","parent":566},{"children":[1090,1091],"coords":{"ints":[19981101,19981102,19981103,19981104,19981105,19981106,19981107,19981108,19981109,19981110,19981111,19981112,19981113,19981114,19981115,19981116,19981117,19981118,19981119,19981120,19981121,19981122,19981123,19981124,19981125,19981126,19981127,19981128,19981129,19981130]},"dim":"date","parent":567},{"children":[1092,1093],"coords":{"ints":[19981001,19981002,19981003,19981004,19981005,19981006,19981007,19981008,19981009,19981010,19981011,19981012,19981013,19981014,19981015,19981016,19981017,19981018,19981019,19981020,19981021,19981022,19981023,19981024,19981025,19981026,19981027,19981028,19981029,19981030,19981031]},"dim":"date","parent":568},{"children":[1094,1095],"coords":{"ints":[19980101,19980102,19980103,19980104,19980105,19980106,19980107,19980108,19980109,19980110,19980111,19980112,19980113,19980114,19980115,19980116,19980117,19980118,19980119,19980120,19980121,19980122,19980123,19980124,19980125,19980126,19980127,19980128,19980129,19980130,19980131]},"dim":"date","parent":569},{"children":[1096,1097],"coords":{"ints":[19990901,19990902,19990903,19990904,19990905,19990906,19990907,19990908,19990909,19990910,19990911,19990912,19990913,19990914,19990915,19990916,19990917,19990918,19990919,19990920,19990921,19990922,19990923,19990924,19990925,19990926,19990927,19990928,19990929,19990930]},"dim":"date","parent":570},{"children":[1098,1099],"coords":{"ints":[19990801,19990802,19990803,19990804,19990805,19990806,19990807,19990808,19990809,19990810,19990811,19990812,19990813,19990814,19990815,19990816,19990817,19990818,19990819,19990820,19990821,19990822,19990823,19990824,19990825,19990826,19990827,19990828,19990829,19990830,19990831]},"dim":"date","parent":571},{"children":[1100,1101],"coords":{"ints":[19990701,19990702,19990703,19990704,19990705,19990706,19990707,19990708,19990709,19990710,19990711,19990712,19990713,19990714,19990715,19990716,19990717,19990718,19990719,19990720,19990721,19990722,19990723,19990724,19990725,19990726,19990727,19990728,19990729,19990730,19990731]},"dim":"date","parent":572},{"children":[1102,1103],"coords":{"ints":[19990601,19990602,19990603,19990604,19990605,19990606,19990607,19990608,19990609,19990610,19990611,19990612,19990613,19990614,19990615,19990616,19990617,19990618,19990619,19990620,19990621,19990622,19990623,19990624,19990625,19990626,19990627,19990628,19990629,19990630]},"dim":"date","parent":573},{"children":[1104,1105],"coords":{"ints":[19990501,19990502,19990503,19990504,19990505,19990506,19990507,19990508,19990509,19990510,19990511,19990512,19990513,19990514,19990515,19990516,19990517,19990518,19990519,19990520,19990521,19990522,19990523,19990524,19990525,19990526,19990527,19990528,19990529,19990530,19990531]},"dim":"date","parent":574},{"children":[1106,1107],"coords":{"ints":[19990401,19990402,19990403,19990404,19990405,19990406,19990407,19990408,19990409,19990410,19990411,19990412,19990413,19990414,19990415,19990416,19990417,19990418,19990419,19990420,19990421,19990422,19990423,19990424,19990425,19990426,19990427,19990428,19990429,19990430]},"dim":"date","parent":575},{"children":[1108,1109],"coords":{"ints":[19990301,19990302,19990303,19990304,19990305,19990306,19990307,19990308,19990309,19990310,19990311,19990312,19990313,19990314,19990315,19990316,19990317,19990318,19990319,19990320,19990321,19990322,19990323,19990324,19990325,19990326,19990327,19990328,19990329,19990330,19990331]},"dim":"date","parent":576},{"children":[1110,1111],"coords":{"ints":[19990201,19990202,19990203,19990204,19990205,19990206,19990207,19990208,19990209,19990210,19990211,19990212,19990213,19990214,19990215,19990216,19990217,19990218,19990219,19990220,19990221,19990222,19990223,19990224,19990225,19990226,19990227,19990228]},"dim":"date","parent":577},{"children":[1112,1113],"coords":{"ints":[19991201,19991202,19991203,19991204,19991205,19991206,19991207,19991208,19991209,19991210,19991211,19991212,19991213,19991214,19991215,19991216,19991217,19991218,19991219,19991220,19991221,19991222,19991223,19991224,19991225,19991226,19991227,19991228,19991229,19991230,19991231]},"dim":"date","parent":578},{"children":[1114,1115],"coords":{"ints":[19991101,19991102,19991103,19991104,19991105,19991106,19991107,19991108,19991109,19991110,19991111,19991112,19991113,19991114,19991115,19991116,19991117,19991118,19991119,19991120,19991121,19991122,19991123,19991124,19991125,19991126,19991127,19991128,19991129,19991130]},"dim":"date","parent":579},{"children":[1116,1117],"coords":{"ints":[19991001,19991002,19991003,19991004,19991005,19991006,19991007,19991008,19991009,19991010,19991011,19991012,19991013,19991014,19991015,19991016,19991017,19991018,19991019,19991020,19991021,19991022,19991023,19991024,19991025,19991026,19991027,19991028,19991029,19991030,19991031]},"dim":"date","parent":580},{"children":[1118,1119],"coords":{"ints":[19990101,19990102,19990103,19990104,19990105,19990106,19990107,19990108,19990109,19990110,19990111,19990112,19990113,19990114,19990115,19990116,19990117,19990118,19990119,19990120,19990121,19990122,19990123,19990124,19990125,19990126,19990127,19990128,19990129,19990130,19990131]},"dim":"date","parent":581},{"children":[1120,1121],"coords":{"ints":[20000901,20000902,20000903,20000904,20000905,20000906,20000907,20000908,20000909,20000910,20000911,20000912,20000913,20000914,20000915,20000916,20000917,20000918,20000919,20000920,20000921,20000922,20000923,20000924,20000925,20000926,20000927,20000928,20000929,20000930]},"dim":"date","parent":582},{"children":[1122,1123],"coords":{"ints":[20000801,20000802,20000803,20000804,20000805,20000806,20000807,20000808,20000809,20000810,20000811,20000812,20000813,20000814,20000815,20000816,20000817,20000818,20000819,20000820,20000821,20000822,20000823,20000824,20000825,20000826,20000827,20000828,20000829,20000830,20000831]},"dim":"date","parent":583},{"children":[1124,1125],"coords":{"ints":[20000701,20000702,20000703,20000704,20000705,20000706,20000707,20000708,20000709,20000710,20000711,20000712,20000713,20000714,20000715,20000716,20000717,20000718,20000719,20000720,20000721,20000722,20000723,20000724,20000725,20000726,20000727,20000728,20000729,20000730,20000731]},"dim":"date","parent":584},{"children":[1126,1127],"coords":{"ints":[20000601,20000602,20000603,20000604,20000605,20000606,20000607,20000608,20000609,20000610,20000611,20000612,20000613,20000614,20000615,20000616,20000617,20000618,20000619,20000620,20000621,20000622,20000623,20000624,20000625,20000626,20000627,20000628,20000629,20000630]},"dim":"date","parent":585},{"children":[1128,1129],"coords":{"ints":[20000501,20000502,20000503,20000504,20000505,20000506,20000507,20000508,20000509,20000510,20000511,20000512,20000513,20000514,20000515,20000516,20000517,20000518,20000519,20000520,20000521,20000522,20000523,20000524,20000525,20000526,20000527,20000528,20000529,20000530,20000531]},"dim":"date","parent":586},{"children":[1130,1131],"coords":{"ints":[20000401,20000402,20000403,20000404,20000405,20000406,20000407,20000408,20000409,20000410,20000411,20000412,20000413,20000414,20000415,20000416,20000417,20000418,20000419,20000420,20000421,20000422,20000423,20000424,20000425,20000426,20000427,20000428,20000429,20000430]},"dim":"date","parent":587},{"children":[1132,1133],"coords":{"ints":[20000301,20000302,20000303,20000304,20000305,20000306,20000307,20000308,20000309,20000310,20000311,20000312,20000313,20000314,20000315,20000316,20000317,20000318,20000319,20000320,20000321,20000322,20000323,20000324,20000325,20000326,20000327,20000328,20000329,20000330,20000331]},"dim":"date","parent":588},{"children":[1134,1135],"coords":{"ints":[20000201,20000202,20000203,20000204,20000205,20000206,20000207,20000208,20000209,20000210,20000211,20000212,20000213,20000214,20000215,20000216,20000217,20000218,20000219,20000220,20000221,20000222,20000223,20000224,20000225,20000226,20000227,20000228,20000229]},"dim":"date","parent":589},{"children":[1136,1137],"coords":{"ints":[20001201,20001202,20001203,20001204,20001205,20001206,20001207,20001208,20001209,20001210,20001211,20001212,20001213,20001214,20001215,20001216,20001217,20001218,20001219,20001220,20001221,20001222,20001223,20001224,20001225,20001226,20001227,20001228,20001229,20001230,20001231]},"dim":"date","parent":590},{"children":[1138,1139],"coords":{"ints":[20001101,20001102,20001103,20001104,20001105,20001106,20001107,20001108,20001109,20001110,20001111,20001112,20001113,20001114,20001115,20001116,20001117,20001118,20001119,20001120,20001121,20001122,20001123,20001124,20001125,20001126,20001127,20001128,20001129,20001130]},"dim":"date","parent":591},{"children":[1140,1141],"coords":{"ints":[20001001,20001002,20001003,20001004,20001005,20001006,20001007,20001008,20001009,20001010,20001011,20001012,20001013,20001014,20001015,20001016,20001017,20001018,20001019,20001020,20001021,20001022,20001023,20001024,20001025,20001026,20001027,20001028,20001029,20001030,20001031]},"dim":"date","parent":592},{"children":[1142,1143],"coords":{"ints":[20000101,20000102,20000103,20000104,20000105,20000106,20000107,20000108,20000109,20000110,20000111,20000112,20000113,20000114,20000115,20000116,20000117,20000118,20000119,20000120,20000121,20000122,20000123,20000124,20000125,20000126,20000127,20000128,20000129,20000130,20000131]},"dim":"date","parent":593},{"children":[1144,1145],"coords":{"ints":[20010901,20010902,20010903,20010904,20010905,20010906,20010907,20010908,20010909,20010910,20010911,20010912,20010913,20010914,20010915,20010916,20010917,20010918,20010919,20010920,20010921,20010922,20010923,20010924,20010925,20010926,20010927,20010928,20010929,20010930]},"dim":"date","parent":594},{"children":[1146,1147],"coords":{"ints":[20010801,20010802,20010803,20010804,20010805,20010806,20010807,20010808,20010809,20010810,20010811,20010812,20010813,20010814,20010815,20010816,20010817,20010818,20010819,20010820,20010821,20010822,20010823,20010824,20010825,20010826,20010827,20010828,20010829,20010830,20010831]},"dim":"date","parent":595},{"children":[1148,1149],"coords":{"ints":[20010701,20010702,20010703,20010704,20010705,20010706,20010707,20010708,20010709,20010710,20010711,20010712,20010713,20010714,20010715,20010716,20010717,20010718,20010719,20010720,20010721,20010722,20010723,20010724,20010725,20010726,20010727,20010728,20010729,20010730,20010731]},"dim":"date","parent":596},{"children":[1150,1151],"coords":{"ints":[20010601,20010602,20010603,20010604,20010605,20010606,20010607,20010608,20010609,20010610,20010611,20010612,20010613,20010614,20010615,20010616,20010617,20010618,20010619,20010620,20010621,20010622,20010623,20010624,20010625,20010626,20010627,20010628,20010629,20010630]},"dim":"date","parent":597},{"children":[1152,1153],"coords":{"ints":[20010501,20010502,20010503,20010504,20010505,20010506,20010507,20010508,20010509,20010510,20010511,20010512,20010513,20010514,20010515,20010516,20010517,20010518,20010519,20010520,20010521,20010522,20010523,20010524,20010525,20010526,20010527,20010528,20010529,20010530,20010531]},"dim":"date","parent":598},{"children":[1154,1155],"coords":{"ints":[20010401,20010402,20010403,20010404,20010405,20010406,20010407,20010408,20010409,20010410,20010411,20010412,20010413,20010414,20010415,20010416,20010417,20010418,20010419,20010420,20010421,20010422,20010423,20010424,20010425,20010426,20010427,20010428,20010429,20010430]},"dim":"date","parent":599},{"children":[1156,1157],"coords":{"ints":[20010301,20010302,20010303,20010304,20010305,20010306,20010307,20010308,20010309,20010310,20010311,20010312,20010313,20010314,20010315,20010316,20010317,20010318,20010319,20010320,20010321,20010322,20010323,20010324,20010325,20010326,20010327,20010328,20010329,20010330,20010331]},"dim":"date","parent":600},{"children":[1158,1159],"coords":{"ints":[20010201,20010202,20010203,20010204,20010205,20010206,20010207,20010208,20010209,20010210,20010211,20010212,20010213,20010214,20010215,20010216,20010217,20010218,20010219,20010220,20010221,20010222,20010223,20010224,20010225,20010226,20010227,20010228]},"dim":"date","parent":601},{"children":[1160,1161],"coords":{"ints":[20011201,20011202,20011203,20011204,20011205,20011206,20011207,20011208,20011209,20011210,20011211,20011212,20011213,20011214,20011215,20011216,20011217,20011218,20011219,20011220,20011221,20011222,20011223,20011224,20011225,20011226,20011227,20011228,20011229,20011230,20011231]},"dim":"date","parent":602},{"children":[1162,1163],"coords":{"ints":[20011101,20011102,20011103,20011104,20011105,20011106,20011107,20011108,20011109,20011110,20011111,20011112,20011113,20011114,20011115,20011116,20011117,20011118,20011119,20011120,20011121,20011122,20011123,20011124,20011125,20011126,20011127,20011128,20011129,20011130]},"dim":"date","parent":603},{"children":[1164,1165],"coords":{"ints":[20011001,20011002,20011003,20011004,20011005,20011006,20011007,20011008,20011009,20011010,20011011,20011012,20011013,20011014,20011015,20011016,20011017,20011018,20011019,20011020,20011021,20011022,20011023,20011024,20011025,20011026,20011027,20011028,20011029,20011030,20011031]},"dim":"date","parent":604},{"children":[1166,1167],"coords":{"ints":[20010101,20010102,20010103,20010104,20010105,20010106,20010107,20010108,20010109,20010110,20010111,20010112,20010113,20010114,20010115,20010116,20010117,20010118,20010119,20010120,20010121,20010122,20010123,20010124,20010125,20010126,20010127,20010128,20010129,20010130,20010131]},"dim":"date","parent":605},{"children":[1168,1169],"coords":{"ints":[20020901,20020902,20020903,20020904,20020905,20020906,20020907,20020908,20020909,20020910,20020911,20020912,20020913,20020914,20020915,20020916,20020917,20020918,20020919,20020920,20020921,20020922,20020923,20020924,20020925,20020926,20020927,20020928,20020929,20020930]},"dim":"date","parent":606},{"children":[1170,1171],"coords":{"ints":[20020801,20020802,20020803,20020804,20020805,20020806,20020807,20020808,20020809,20020810,20020811,20020812,20020813,20020814,20020815,20020816,20020817,20020818,20020819,20020820,20020821,20020822,20020823,20020824,20020825,20020826,20020827,20020828,20020829,20020830,20020831]},"dim":"date","parent":607},{"children":[1172,1173],"coords":{"ints":[20020701,20020702,20020703,20020704,20020705,20020706,20020707,20020708,20020709,20020710,20020711,20020712,20020713,20020714,20020715,20020716,20020717,20020718,20020719,20020720,20020721,20020722,20020723,20020724,20020725,20020726,20020727,20020728,20020729,20020730,20020731]},"dim":"date","parent":608},{"children":[1174,1175],"coords":{"ints":[20020601,20020602,20020603,20020604,20020605,20020606,20020607,20020608,20020609,20020610,20020611,20020612,20020613,20020614,20020615,20020616,20020617,20020618,20020619,20020620,20020621,20020622,20020623,20020624,20020625,20020626,20020627,20020628,20020629,20020630]},"dim":"date","parent":609},{"children":[1176,1177],"coords":{"ints":[20020501,20020502,20020503,20020504,20020505,20020506,20020507,20020508,20020509,20020510,20020511,20020512,20020513,20020514,20020515,20020516,20020517,20020518,20020519,20020520,20020521,20020522,20020523,20020524,20020525,20020526,20020527,20020528,20020529,20020530,20020531]},"dim":"date","parent":610},{"children":[1178,1179],"coords":{"ints":[20020401,20020402,20020403,20020404,20020405,20020406,20020407,20020408,20020409,20020410,20020411,20020412,20020413,20020414,20020415,20020416,20020417,20020418,20020419,20020420,20020421,20020422,20020423,20020424,20020425,20020426,20020427,20020428,20020429,20020430]},"dim":"date","parent":611},{"children":[1180,1181],"coords":{"ints":[20020301,20020302,20020303,20020304,20020305,20020306,20020307,20020308,20020309,20020310,20020311,20020312,20020313,20020314,20020315,20020316,20020317,20020318,20020319,20020320,20020321,20020322,20020323,20020324,20020325,20020326,20020327,20020328,20020329,20020330,20020331]},"dim":"date","parent":612},{"children":[1182,1183],"coords":{"ints":[20020201,20020202,20020203,20020204,20020205,20020206,20020207,20020208,20020209,20020210,20020211,20020212,20020213,20020214,20020215,20020216,20020217,20020218,20020219,20020220,20020221,20020222,20020223,20020224,20020225,20020226,20020227,20020228]},"dim":"date","parent":613},{"children":[1184,1185],"coords":{"ints":[20021201,20021202,20021203,20021204,20021205,20021206,20021207,20021208,20021209,20021210,20021211,20021212,20021213,20021214,20021215,20021216,20021217,20021218,20021219,20021220,20021221,20021222,20021223,20021224,20021225,20021226,20021227,20021228,20021229,20021230,20021231]},"dim":"date","parent":614},{"children":[1186,1187],"coords":{"ints":[20021101,20021102,20021103,20021104,20021105,20021106,20021107,20021108,20021109,20021110,20021111,20021112,20021113,20021114,20021115,20021116,20021117,20021118,20021119,20021120,20021121,20021122,20021123,20021124,20021125,20021126,20021127,20021128,20021129,20021130]},"dim":"date","parent":615},{"children":[1188,1189],"coords":{"ints":[20021001,20021002,20021003,20021004,20021005,20021006,20021007,20021008,20021009,20021010,20021011,20021012,20021013,20021014,20021015,20021016,20021017,20021018,20021019,20021020,20021021,20021022,20021023,20021024,20021025,20021026,20021027,20021028,20021029,20021030,20021031]},"dim":"date","parent":616},{"children":[1190,1191],"coords":{"ints":[20020101,20020102,20020103,20020104,20020105,20020106,20020107,20020108,20020109,20020110,20020111,20020112,20020113,20020114,20020115,20020116,20020117,20020118,20020119,20020120,20020121,20020122,20020123,20020124,20020125,20020126,20020127,20020128,20020129,20020130,20020131]},"dim":"date","parent":617},{"children":[1192,1193],"coords":{"ints":[20030901,20030902,20030903,20030904,20030905,20030906,20030907,20030908,20030909,20030910,20030911,20030912,20030913,20030914,20030915,20030916,20030917,20030918,20030919,20030920,20030921,20030922,20030923,20030924,20030925,20030926,20030927,20030928,20030929,20030930]},"dim":"date","parent":618},{"children":[1194,1195],"coords":{"ints":[20030801,20030802,20030803,20030804,20030805,20030806,20030807,20030808,20030809,20030810,20030811,20030812,20030813,20030814,20030815,20030816,20030817,20030818,20030819,20030820,20030821,20030822,20030823,20030824,20030825,20030826,20030827,20030828,20030829,20030830,20030831]},"dim":"date","parent":619},{"children":[1196,1197],"coords":{"ints":[20030701,20030702,20030703,20030704,20030705,20030706,20030707,20030708,20030709,20030710,20030711,20030712,20030713,20030714,20030715,20030716,20030717,20030718,20030719,20030720,20030721,20030722,20030723,20030724,20030725,20030726,20030727,20030728,20030729,20030730,20030731]},"dim":"date","parent":620},{"children":[1198,1199],"coords":{"ints":[20030601,20030602,20030603,20030604,20030605,20030606,20030607,20030608,20030609,20030610,20030611,20030612,20030613,20030614,20030615,20030616,20030617,20030618,20030619,20030620,20030621,20030622,20030623,20030624,20030625,20030626,20030627,20030628,20030629,20030630]},"dim":"date","parent":621},{"children":[1200,1201],"coords":{"ints":[20030501,20030502,20030503,20030504,20030505,20030506,20030507,20030508,20030509,20030510,20030511,20030512,20030513,20030514,20030515,20030516,20030517,20030518,20030519,20030520,20030521,20030522,20030523,20030524,20030525,20030526,20030527,20030528,20030529,20030530,20030531]},"dim":"date","parent":622},{"children":[1202,1203],"coords":{"ints":[20030401,20030402,20030403,20030404,20030405,20030406,20030407,20030408,20030409,20030410,20030411,20030412,20030413,20030414,20030415,20030416,20030417,20030418,20030419,20030420,20030421,20030422,20030423,20030424,20030425,20030426,20030427,20030428,20030429,20030430]},"dim":"date","parent":623},{"children":[1204,1205],"coords":{"ints":[20030301,20030302,20030303,20030304,20030305,20030306,20030307,20030308,20030309,20030310,20030311,20030312,20030313,20030314,20030315,20030316,20030317,20030318,20030319,20030320,20030321,20030322,20030323,20030324,20030325,20030326,20030327,20030328,20030329,20030330,20030331]},"dim":"date","parent":624},{"children":[1206,1207],"coords":{"ints":[20030201,20030202,20030203,20030204,20030205,20030206,20030207,20030208,20030209,20030210,20030211,20030212,20030213,20030214,20030215,20030216,20030217,20030218,20030219,20030220,20030221,20030222,20030223,20030224,20030225,20030226,20030227,20030228]},"dim":"date","parent":625},{"children":[1208,1209],"coords":{"ints":[20031201,20031202,20031203,20031204,20031205,20031206,20031207,20031208,20031209,20031210,20031211,20031212,20031213,20031214,20031215,20031216,20031217,20031218,20031219,20031220,20031221,20031222,20031223,20031224,20031225,20031226,20031227,20031228,20031229,20031230,20031231]},"dim":"date","parent":626},{"children":[1210,1211],"coords":{"ints":[20031101,20031102,20031103,20031104,20031105,20031106,20031107,20031108,20031109,20031110,20031111,20031112,20031113,20031114,20031115,20031116,20031117,20031118,20031119,20031120,20031121,20031122,20031123,20031124,20031125,20031126,20031127,20031128,20031129,20031130]},"dim":"date","parent":627},{"children":[1212,1213],"coords":{"ints":[20031001,20031002,20031003,20031004,20031005,20031006,20031007,20031008,20031009,20031010,20031011,20031012,20031013,20031014,20031015,20031016,20031017,20031018,20031019,20031020,20031021,20031022,20031023,20031024,20031025,20031026,20031027,20031028,20031029,20031030,20031031]},"dim":"date","parent":628},{"children":[1214,1215],"coords":{"ints":[20030101,20030102,20030103,20030104,20030105,20030106,20030107,20030108,20030109,20030110,20030111,20030112,20030113,20030114,20030115,20030116,20030117,20030118,20030119,20030120,20030121,20030122,20030123,20030124,20030125,20030126,20030127,20030128,20030129,20030130,20030131]},"dim":"date","parent":629},{"children":[1216,1217],"coords":{"ints":[20040901,20040902,20040903,20040904,20040905,20040906,20040907,20040908,20040909,20040910,20040911,20040912,20040913,20040914,20040915,20040916,20040917,20040918,20040919,20040920,20040921,20040922,20040923,20040924,20040925,20040926,20040927,20040928,20040929,20040930]},"dim":"date","parent":630},{"children":[1218,1219],"coords":{"ints":[20040801,20040802,20040803,20040804,20040805,20040806,20040807,20040808,20040809,20040810,20040811,20040812,20040813,20040814,20040815,20040816,20040817,20040818,20040819,20040820,20040821,20040822,20040823,20040824,20040825,20040826,20040827,20040828,20040829,20040830,20040831]},"dim":"date","parent":631},{"children":[1220,1221],"coords":{"ints":[20040701,20040702,20040703,20040704,20040705,20040706,20040707,20040708,20040709,20040710,20040711,20040712,20040713,20040714,20040715,20040716,20040717,20040718,20040719,20040720,20040721,20040722,20040723,20040724,20040725,20040726,20040727,20040728,20040729,20040730,20040731]},"dim":"date","parent":632},{"children":[1222,1223],"coords":{"ints":[20040601,20040602,20040603,20040604,20040605,20040606,20040607,20040608,20040609,20040610,20040611,20040612,20040613,20040614,20040615,20040616,20040617,20040618,20040619,20040620,20040621,20040622,20040623,20040624,20040625,20040626,20040627,20040628,20040629,20040630]},"dim":"date","parent":633},{"children":[1224,1225],"coords":{"ints":[20040501,20040502,20040503,20040504,20040505,20040506,20040507,20040508,20040509,20040510,20040511,20040512,20040513,20040514,20040515,20040516,20040517,20040518,20040519,20040520,20040521,20040522,20040523,20040524,20040525,20040526,20040527,20040528,20040529,20040530,20040531]},"dim":"date","parent":634},{"children":[1226,1227],"coords":{"ints":[20040401,20040402,20040403,20040404,20040405,20040406,20040407,20040408,20040409,20040410,20040411,20040412,20040413,20040414,20040415,20040416,20040417,20040418,20040419,20040420,20040421,20040422,20040423,20040424,20040425,20040426,20040427,20040428,20040429,20040430]},"dim":"date","parent":635},{"children":[1228,1229],"coords":{"ints":[20040301,20040302,20040303,20040304,20040305,20040306,20040307,20040308,20040309,20040310,20040311,20040312,20040313,20040314,20040315,20040316,20040317,20040318,20040319,20040320,20040321,20040322,20040323,20040324,20040325,20040326,20040327,20040328,20040329,20040330,20040331]},"dim":"date","parent":636},{"children":[1230,1231],"coords":{"ints":[20040201,20040202,20040203,20040204,20040205,20040206,20040207,20040208,20040209,20040210,20040211,20040212,20040213,20040214,20040215,20040216,20040217,20040218,20040219,20040220,20040221,20040222,20040223,20040224,20040225,20040226,20040227,20040228,20040229]},"dim":"date","parent":637},{"children":[1232,1233],"coords":{"ints":[20041201,20041202,20041203,20041204,20041205,20041206,20041207,20041208,20041209,20041210,20041211,20041212,20041213,20041214,20041215,20041216,20041217,20041218,20041219,20041220,20041221,20041222,20041223,20041224,20041225,20041226,20041227,20041228,20041229,20041230,20041231]},"dim":"date","parent":638},{"children":[1234,1235],"coords":{"ints":[20041101,20041102,20041103,20041104,20041105,20041106,20041107,20041108,20041109,20041110,20041111,20041112,20041113,20041114,20041115,20041116,20041117,20041118,20041119,20041120,20041121,20041122,20041123,20041124,20041125,20041126,20041127,20041128,20041129,20041130]},"dim":"date","parent":639},{"children":[1236,1237],"coords":{"ints":[20041001,20041002,20041003,20041004,20041005,20041006,20041007,20041008,20041009,20041010,20041011,20041012,20041013,20041014,20041015,20041016,20041017,20041018,20041019,20041020,20041021,20041022,20041023,20041024,20041025,20041026,20041027,20041028,20041029,20041030,20041031]},"dim":"date","parent":640},{"children":[1238,1239],"coords":{"ints":[20040101,20040102,20040103,20040104,20040105,20040106,20040107,20040108,20040109,20040110,20040111,20040112,20040113,20040114,20040115,20040116,20040117,20040118,20040119,20040120,20040121,20040122,20040123,20040124,20040125,20040126,20040127,20040128,20040129,20040130,20040131]},"dim":"date","parent":641},{"children":[1240,1241],"coords":{"ints":[20050901,20050902,20050903,20050904,20050905,20050906,20050907,20050908,20050909,20050910,20050911,20050912,20050913,20050914,20050915,20050916,20050917,20050918,20050919,20050920,20050921,20050922,20050923,20050924,20050925,20050926,20050927,20050928,20050929,20050930]},"dim":"date","parent":642},{"children":[1242,1243],"coords":{"ints":[20050801,20050802,20050803,20050804,20050805,20050806,20050807,20050808,20050809,20050810,20050811,20050812,20050813,20050814,20050815,20050816,20050817,20050818,20050819,20050820,20050821,20050822,20050823,20050824,20050825,20050826,20050827,20050828,20050829,20050830,20050831]},"dim":"date","parent":643},{"children":[1244,1245],"coords":{"ints":[20050701,20050702,20050703,20050704,20050705,20050706,20050707,20050708,20050709,20050710,20050711,20050712,20050713,20050714,20050715,20050716,20050717,20050718,20050719,20050720,20050721,20050722,20050723,20050724,20050725,20050726,20050727,20050728,20050729,20050730,20050731]},"dim":"date","parent":644},{"children":[1246,1247],"coords":{"ints":[20050601,20050602,20050603,20050604,20050605,20050606,20050607,20050608,20050609,20050610,20050611,20050612,20050613,20050614,20050615,20050616,20050617,20050618,20050619,20050620,20050621,20050622,20050623,20050624,20050625,20050626,20050627,20050628,20050629,20050630]},"dim":"date","parent":645},{"children":[1248,1249],"coords":{"ints":[20050501,20050502,20050503,20050504,20050505,20050506,20050507,20050508,20050509,20050510,20050511,20050512,20050513,20050514,20050515,20050516,20050517,20050518,20050519,20050520,20050521,20050522,20050523,20050524,20050525,20050526,20050527,20050528,20050529,20050530,20050531]},"dim":"date","parent":646},{"children":[1250,1251],"coords":{"ints":[20050401,20050402,20050403,20050404,20050405,20050406,20050407,20050408,20050409,20050410,20050411,20050412,20050413,20050414,20050415,20050416,20050417,20050418,20050419,20050420,20050421,20050422,20050423,20050424,20050425,20050426,20050427,20050428,20050429,20050430]},"dim":"date","parent":647},{"children":[1252,1253],"coords":{"ints":[20050301,20050302,20050303,20050304,20050305,20050306,20050307,20050308,20050309,20050310,20050311,20050312,20050313,20050314,20050315,20050316,20050317,20050318,20050319,20050320,20050321,20050322,20050323,20050324,20050325,20050326,20050327,20050328,20050329,20050330,20050331]},"dim":"date","parent":648},{"children":[1254,1255],"coords":{"ints":[20050201,20050202,20050203,20050204,20050205,20050206,20050207,20050208,20050209,20050210,20050211,20050212,20050213,20050214,20050215,20050216,20050217,20050218,20050219,20050220,20050221,20050222,20050223,20050224,20050225,20050226,20050227,20050228]},"dim":"date","parent":649},{"children":[1256,1257],"coords":{"ints":[20051201,20051202,20051203,20051204,20051205,20051206,20051207,20051208,20051209,20051210,20051211,20051212,20051213,20051214,20051215,20051216,20051217,20051218,20051219,20051220,20051221,20051222,20051223,20051224,20051225,20051226,20051227,20051228,20051229,20051230,20051231]},"dim":"date","parent":650},{"children":[1258,1259],"coords":{"ints":[20051101,20051102,20051103,20051104,20051105,20051106,20051107,20051108,20051109,20051110,20051111,20051112,20051113,20051114,20051115,20051116,20051117,20051118,20051119,20051120,20051121,20051122,20051123,20051124,20051125,20051126,20051127,20051128,20051129,20051130]},"dim":"date","parent":651},{"children":[1260,1261],"coords":{"ints":[20051001,20051002,20051003,20051004,20051005,20051006,20051007,20051008,20051009,20051010,20051011,20051012,20051013,20051014,20051015,20051016,20051017,20051018,20051019,20051020,20051021,20051022,20051023,20051024,20051025,20051026,20051027,20051028,20051029,20051030,20051031]},"dim":"date","parent":652},{"children":[1262,1263],"coords":{"ints":[20050101,20050102,20050103,20050104,20050105,20050106,20050107,20050108,20050109,20050110,20050111,20050112,20050113,20050114,20050115,20050116,20050117,20050118,20050119,20050120,20050121,20050122,20050123,20050124,20050125,20050126,20050127,20050128,20050129,20050130,20050131]},"dim":"date","parent":653},{"children":[1264,1265],"coords":{"ints":[20060901,20060902,20060903,20060904,20060905,20060906,20060907,20060908,20060909,20060910,20060911,20060912,20060913,20060914,20060915,20060916,20060917,20060918,20060919,20060920,20060921,20060922,20060923,20060924,20060925,20060926,20060927,20060928,20060929,20060930]},"dim":"date","parent":654},{"children":[1266,1267],"coords":{"ints":[20060801,20060802,20060803,20060804,20060805,20060806,20060807,20060808,20060809,20060810,20060811,20060812,20060813,20060814,20060815,20060816,20060817,20060818,20060819,20060820,20060821,20060822,20060823,20060824,20060825,20060826,20060827,20060828,20060829,20060830,20060831]},"dim":"date","parent":655},{"children":[1268,1269],"coords":{"ints":[20060701,20060702,20060703,20060704,20060705,20060706,20060707,20060708,20060709,20060710,20060711,20060712,20060713,20060714,20060715,20060716,20060717,20060718,20060719,20060720,20060721,20060722,20060723,20060724,20060725,20060726,20060727,20060728,20060729,20060730,20060731]},"dim":"date","parent":656},{"children":[1270,1271],"coords":{"ints":[20060601,20060602,20060603,20060604,20060605,20060606,20060607,20060608,20060609,20060610,20060611,20060612,20060613,20060614,20060615,20060616,20060617,20060618,20060619,20060620,20060621,20060622,20060623,20060624,20060625,20060626,20060627,20060628,20060629,20060630]},"dim":"date","parent":657},{"children":[1272,1273],"coords":{"ints":[20060501,20060502,20060503,20060504,20060505,20060506,20060507,20060508,20060509,20060510,20060511,20060512,20060513,20060514,20060515,20060516,20060517,20060518,20060519,20060520,20060521,20060522,20060523,20060524,20060525,20060526,20060527,20060528,20060529,20060530,20060531]},"dim":"date","parent":658},{"children":[1274,1275],"coords":{"ints":[20060401,20060402,20060403,20060404,20060405,20060406,20060407,20060408,20060409,20060410,20060411,20060412,20060413,20060414,20060415,20060416,20060417,20060418,20060419,20060420,20060421,20060422,20060423,20060424,20060425,20060426,20060427,20060428,20060429,20060430]},"dim":"date","parent":659},{"children":[1276,1277],"coords":{"ints":[20060301,20060302,20060303,20060304,20060305,20060306,20060307,20060308,20060309,20060310,20060311,20060312,20060313,20060314,20060315,20060316,20060317,20060318,20060319,20060320,20060321,20060322,20060323,20060324,20060325,20060326,20060327,20060328,20060329,20060330,20060331]},"dim":"date","parent":660},{"children":[1278,1279],"coords":{"ints":[20060201,20060202,20060203,20060204,20060205,20060206,20060207,20060208,20060209,20060210,20060211,20060212,20060213,20060214,20060215,20060216,20060217,20060218,20060219,20060220,20060221,20060222,20060223,20060224,20060225,20060226,20060227,20060228]},"dim":"date","parent":661},{"children":[1280,1281],"coords":{"ints":[20061201,20061202,20061203,20061204,20061205,20061206,20061207,20061208,20061209,20061210,20061211,20061212,20061213,20061214,20061215,20061216,20061217,20061218,20061219,20061220,20061221,20061222,20061223,20061224,20061225,20061226,20061227,20061228,20061229,20061230,20061231]},"dim":"date","parent":662},{"children":[1282,1283],"coords":{"ints":[20061101,20061102,20061103,20061104,20061105,20061106,20061107,20061108,20061109,20061110,20061111,20061112,20061113,20061114,20061115,20061116,20061117,20061118,20061119,20061120,20061121,20061122,20061123,20061124,20061125,20061126,20061127,20061128,20061129,20061130]},"dim":"date","parent":663},{"children":[1284,1285],"coords":{"ints":[20061001,20061002,20061003,20061004,20061005,20061006,20061007,20061008,20061009,20061010,20061011,20061012,20061013,20061014,20061015,20061016,20061017,20061018,20061019,20061020,20061021,20061022,20061023,20061024,20061025,20061026,20061027,20061028,20061029,20061030,20061031]},"dim":"date","parent":664},{"children":[1286,1287],"coords":{"ints":[20060101,20060102,20060103,20060104,20060105,20060106,20060107,20060108,20060109,20060110,20060111,20060112,20060113,20060114,20060115,20060116,20060117,20060118,20060119,20060120,20060121,20060122,20060123,20060124,20060125,20060126,20060127,20060128,20060129,20060130,20060131]},"dim":"date","parent":665},{"children":[1288,1289],"coords":{"ints":[20070401,20070402,20070403,20070404,20070405,20070406,20070407,20070408,20070409,20070410,20070411,20070412,20070413,20070414,20070415,20070416,20070417,20070418,20070419,20070420,20070421,20070422,20070423,20070424,20070425,20070426,20070427,20070428,20070429,20070430]},"dim":"date","parent":666},{"children":[1290,1291],"coords":{"ints":[20070301,20070302,20070303,20070304,20070305,20070306,20070307,20070308,20070309,20070310,20070311,20070312,20070313,20070314,20070315,20070316,20070317,20070318,20070319,20070320,20070321,20070322,20070323,20070324,20070325,20070326,20070327,20070328,20070329,20070330,20070331]},"dim":"date","parent":667},{"children":[1292,1293],"coords":{"ints":[20070201,20070202,20070203,20070204,20070205,20070206,20070207,20070208,20070209,20070210,20070211,20070212,20070213,20070214,20070215,20070216,20070217,20070218,20070219,20070220,20070221,20070222,20070223,20070224,20070225,20070226,20070227,20070228]},"dim":"date","parent":668},{"children":[1294,1295],"coords":{"ints":[20070101,20070102,20070103,20070104,20070105,20070106,20070107,20070108,20070109,20070110,20070111,20070112,20070113,20070114,20070115,20070116,20070117,20070118,20070119,20070120,20070121,20070122,20070123,20070124,20070125,20070126,20070127,20070128,20070129,20070130,20070131]},"dim":"date","parent":669},{"children":[1296],"coords":{"ints":[129,172]},"dim":"param","parent":670},{"children":[1297],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":670},{"children":[1298],"coords":{"ints":[129,172]},"dim":"param","parent":671},{"children":[1299],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":671},{"children":[1300],"coords":{"ints":[129,172]},"dim":"param","parent":672},{"children":[1301],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":672},{"children":[1302],"coords":{"ints":[129,172]},"dim":"param","parent":673},{"children":[1303],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":673},{"children":[1304],"coords":{"ints":[129,172]},"dim":"param","parent":674},{"children":[1305],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":674},{"children":[1306],"coords":{"ints":[129,172]},"dim":"param","parent":675},{"children":[1307],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":675},{"children":[1308],"coords":{"ints":[129,172]},"dim":"param","parent":676},{"children":[1309],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":676},{"children":[1310],"coords":{"ints":[129,172]},"dim":"param","parent":677},{"children":[1311],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":677},{"children":[1312],"coords":{"ints":[129,172]},"dim":"param","parent":678},{"children":[1313],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":678},{"children":[1314],"coords":{"ints":[129,172]},"dim":"param","parent":679},{"children":[1315],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":679},{"children":[1316],"coords":{"ints":[129,172]},"dim":"param","parent":680},{"children":[1317],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":680},{"children":[1318],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":681},{"children":[1319],"coords":{"ints":[129,172]},"dim":"param","parent":682},{"children":[1320],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":682},{"children":[1321],"coords":{"ints":[129,172]},"dim":"param","parent":683},{"children":[1322],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":683},{"children":[1323],"coords":{"ints":[129,172]},"dim":"param","parent":684},{"children":[1324],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":684},{"children":[1325],"coords":{"ints":[129,172]},"dim":"param","parent":685},{"children":[1326],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":685},{"children":[1327],"coords":{"ints":[129,172]},"dim":"param","parent":686},{"children":[1328],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":686},{"children":[1329],"coords":{"ints":[129,172]},"dim":"param","parent":687},{"children":[1330],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":687},{"children":[1331],"coords":{"ints":[129,172]},"dim":"param","parent":688},{"children":[1332],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":688},{"children":[1333],"coords":{"ints":[129,172]},"dim":"param","parent":689},{"children":[1334],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":689},{"children":[1335],"coords":{"ints":[129,172]},"dim":"param","parent":690},{"children":[1336],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":690},{"children":[1337],"coords":{"ints":[129,172]},"dim":"param","parent":691},{"children":[1338],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":691},{"children":[1339],"coords":{"ints":[129,172]},"dim":"param","parent":692},{"children":[1340],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":692},{"children":[1341],"coords":{"ints":[129,172]},"dim":"param","parent":693},{"children":[1342],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":693},{"children":[1343],"coords":{"ints":[129,172]},"dim":"param","parent":694},{"children":[1344],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":694},{"children":[1345],"coords":{"ints":[129,172]},"dim":"param","parent":695},{"children":[1346],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":695},{"children":[1347],"coords":{"ints":[129,172]},"dim":"param","parent":696},{"children":[1348],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":696},{"children":[1349],"coords":{"ints":[129,172]},"dim":"param","parent":697},{"children":[1350],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":697},{"children":[1351],"coords":{"ints":[129,172]},"dim":"param","parent":698},{"children":[1352],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":698},{"children":[1353],"coords":{"ints":[129,172]},"dim":"param","parent":699},{"children":[1354],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":699},{"children":[1355],"coords":{"ints":[129,172]},"dim":"param","parent":700},{"children":[1356],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":700},{"children":[1357],"coords":{"ints":[129,172]},"dim":"param","parent":701},{"children":[1358],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":701},{"children":[1359],"coords":{"ints":[129,172]},"dim":"param","parent":702},{"children":[1360],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":702},{"children":[1361],"coords":{"ints":[129,172]},"dim":"param","parent":703},{"children":[1362],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":703},{"children":[1363],"coords":{"ints":[129,172]},"dim":"param","parent":704},{"children":[1364],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":704},{"children":[1365],"coords":{"ints":[129,172]},"dim":"param","parent":705},{"children":[1366],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":705},{"children":[1367],"coords":{"ints":[129,172]},"dim":"param","parent":706},{"children":[1368],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":706},{"children":[1369],"coords":{"ints":[129,172]},"dim":"param","parent":707},{"children":[1370],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":707},{"children":[1371],"coords":{"ints":[129,172]},"dim":"param","parent":708},{"children":[1372],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":708},{"children":[1373],"coords":{"ints":[129,172]},"dim":"param","parent":709},{"children":[1374],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":709},{"children":[1375],"coords":{"ints":[129,172]},"dim":"param","parent":710},{"children":[1376],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":710},{"children":[1377],"coords":{"ints":[129,172]},"dim":"param","parent":711},{"children":[1378],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":711},{"children":[1379],"coords":{"ints":[129,172]},"dim":"param","parent":712},{"children":[1380],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":712},{"children":[1381],"coords":{"ints":[129,172]},"dim":"param","parent":713},{"children":[1382],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":713},{"children":[1383],"coords":{"ints":[129,172]},"dim":"param","parent":714},{"children":[1384],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":714},{"children":[1385],"coords":{"ints":[129,172]},"dim":"param","parent":715},{"children":[1386],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":715},{"children":[1387],"coords":{"ints":[129,172]},"dim":"param","parent":716},{"children":[1388],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":716},{"children":[1389],"coords":{"ints":[129,172]},"dim":"param","parent":717},{"children":[1390],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":717},{"children":[1391],"coords":{"ints":[129,172]},"dim":"param","parent":718},{"children":[1392],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":718},{"children":[1393],"coords":{"ints":[129,172]},"dim":"param","parent":719},{"children":[1394],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":719},{"children":[1395],"coords":{"ints":[129,172]},"dim":"param","parent":720},{"children":[1396],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":720},{"children":[1397],"coords":{"ints":[129,172]},"dim":"param","parent":721},{"children":[1398],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":721},{"children":[1399],"coords":{"ints":[129,172]},"dim":"param","parent":722},{"children":[1400],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":722},{"children":[1401],"coords":{"ints":[129,172]},"dim":"param","parent":723},{"children":[1402],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":723},{"children":[1403],"coords":{"ints":[129,172]},"dim":"param","parent":724},{"children":[1404],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":724},{"children":[1405],"coords":{"ints":[129,172]},"dim":"param","parent":725},{"children":[1406],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":725},{"children":[1407],"coords":{"ints":[129,172]},"dim":"param","parent":726},{"children":[1408],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":726},{"children":[1409],"coords":{"ints":[129,172]},"dim":"param","parent":727},{"children":[1410],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":727},{"children":[1411],"coords":{"ints":[129,172]},"dim":"param","parent":728},{"children":[1412],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":728},{"children":[1413],"coords":{"ints":[129,172]},"dim":"param","parent":729},{"children":[1414],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":729},{"children":[1415],"coords":{"ints":[129,172]},"dim":"param","parent":730},{"children":[1416],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":730},{"children":[1417],"coords":{"ints":[129,172]},"dim":"param","parent":731},{"children":[1418],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":731},{"children":[1419],"coords":{"ints":[129,172]},"dim":"param","parent":732},{"children":[1420],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":732},{"children":[1421],"coords":{"ints":[129,172]},"dim":"param","parent":733},{"children":[1422],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":733},{"children":[1423],"coords":{"ints":[129,172]},"dim":"param","parent":734},{"children":[1424],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":734},{"children":[1425],"coords":{"ints":[129,172]},"dim":"param","parent":735},{"children":[1426],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":735},{"children":[1427],"coords":{"ints":[129,172]},"dim":"param","parent":736},{"children":[1428],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":736},{"children":[1429],"coords":{"ints":[129,172]},"dim":"param","parent":737},{"children":[1430],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":737},{"children":[1431],"coords":{"ints":[129,172]},"dim":"param","parent":738},{"children":[1432],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":738},{"children":[1433],"coords":{"ints":[129,172]},"dim":"param","parent":739},{"children":[1434],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":739},{"children":[1435],"coords":{"ints":[129,172]},"dim":"param","parent":740},{"children":[1436],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":740},{"children":[1437],"coords":{"ints":[129,172]},"dim":"param","parent":741},{"children":[1438],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":741},{"children":[1439],"coords":{"ints":[129,172]},"dim":"param","parent":742},{"children":[1440],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":742},{"children":[1441],"coords":{"ints":[129,172]},"dim":"param","parent":743},{"children":[1442],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":743},{"children":[1443],"coords":{"ints":[129,172]},"dim":"param","parent":744},{"children":[1444],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":744},{"children":[1445],"coords":{"ints":[129,172]},"dim":"param","parent":745},{"children":[1446],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":745},{"children":[1447],"coords":{"ints":[129,172]},"dim":"param","parent":746},{"children":[1448],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":746},{"children":[1449],"coords":{"ints":[129,172]},"dim":"param","parent":747},{"children":[1450],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":747},{"children":[1451],"coords":{"ints":[129,172]},"dim":"param","parent":748},{"children":[1452],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":748},{"children":[1453],"coords":{"ints":[129,172]},"dim":"param","parent":749},{"children":[1454],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":749},{"children":[1455],"coords":{"ints":[129,172]},"dim":"param","parent":750},{"children":[1456],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":750},{"children":[1457],"coords":{"ints":[129,172]},"dim":"param","parent":751},{"children":[1458],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":751},{"children":[1459],"coords":{"ints":[129,172]},"dim":"param","parent":752},{"children":[1460],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":752},{"children":[1461],"coords":{"ints":[129,172]},"dim":"param","parent":753},{"children":[1462],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":753},{"children":[1463],"coords":{"ints":[129,172]},"dim":"param","parent":754},{"children":[1464],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":754},{"children":[1465],"coords":{"ints":[129,172]},"dim":"param","parent":755},{"children":[1466],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":755},{"children":[1467],"coords":{"ints":[129,172]},"dim":"param","parent":756},{"children":[1468],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":756},{"children":[1469],"coords":{"ints":[129,172]},"dim":"param","parent":757},{"children":[1470],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":757},{"children":[1471],"coords":{"ints":[129,172]},"dim":"param","parent":758},{"children":[1472],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":758},{"children":[1473],"coords":{"ints":[129,172]},"dim":"param","parent":759},{"children":[1474],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":759},{"children":[1475],"coords":{"ints":[129,172]},"dim":"param","parent":760},{"children":[1476],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":760},{"children":[1477],"coords":{"ints":[129,172]},"dim":"param","parent":761},{"children":[1478],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":761},{"children":[1479],"coords":{"ints":[129,172]},"dim":"param","parent":762},{"children":[1480],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":762},{"children":[1481],"coords":{"ints":[129,172]},"dim":"param","parent":763},{"children":[1482],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":763},{"children":[1483],"coords":{"ints":[129,172]},"dim":"param","parent":764},{"children":[1484],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":764},{"children":[1485],"coords":{"ints":[129,172]},"dim":"param","parent":765},{"children":[1486],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":765},{"children":[1487],"coords":{"ints":[129,172]},"dim":"param","parent":766},{"children":[1488],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":766},{"children":[1489],"coords":{"ints":[129,172]},"dim":"param","parent":767},{"children":[1490],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":767},{"children":[1491],"coords":{"ints":[129,172]},"dim":"param","parent":768},{"children":[1492],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":768},{"children":[1493],"coords":{"ints":[129,172]},"dim":"param","parent":769},{"children":[1494],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":769},{"children":[1495],"coords":{"ints":[129,172]},"dim":"param","parent":770},{"children":[1496],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":770},{"children":[1497],"coords":{"ints":[129,172]},"dim":"param","parent":771},{"children":[1498],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":771},{"children":[1499],"coords":{"ints":[129,172]},"dim":"param","parent":772},{"children":[1500],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":772},{"children":[1501],"coords":{"ints":[129,172]},"dim":"param","parent":773},{"children":[1502],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":773},{"children":[1503],"coords":{"ints":[129,172]},"dim":"param","parent":774},{"children":[1504],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":774},{"children":[1505],"coords":{"ints":[129,172]},"dim":"param","parent":775},{"children":[1506],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":775},{"children":[1507],"coords":{"ints":[129,172]},"dim":"param","parent":776},{"children":[1508],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":776},{"children":[1509],"coords":{"ints":[129,172]},"dim":"param","parent":777},{"children":[1510],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":777},{"children":[1511],"coords":{"ints":[129,172]},"dim":"param","parent":778},{"children":[1512],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":778},{"children":[1513],"coords":{"ints":[129,172]},"dim":"param","parent":779},{"children":[1514],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":779},{"children":[1515],"coords":{"ints":[129,172]},"dim":"param","parent":780},{"children":[1516],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":780},{"children":[1517],"coords":{"ints":[129,172]},"dim":"param","parent":781},{"children":[1518],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":781},{"children":[1519],"coords":{"ints":[129,172]},"dim":"param","parent":782},{"children":[1520],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":782},{"children":[1521],"coords":{"ints":[129,172]},"dim":"param","parent":783},{"children":[1522],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":783},{"children":[1523],"coords":{"ints":[129,172]},"dim":"param","parent":784},{"children":[1524],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":784},{"children":[1525],"coords":{"ints":[129,172]},"dim":"param","parent":785},{"children":[1526],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":785},{"children":[1527],"coords":{"ints":[129,172]},"dim":"param","parent":786},{"children":[1528],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":786},{"children":[1529],"coords":{"ints":[129,172]},"dim":"param","parent":787},{"children":[1530],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":787},{"children":[1531],"coords":{"ints":[129,172]},"dim":"param","parent":788},{"children":[1532],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":788},{"children":[1533],"coords":{"ints":[129,172]},"dim":"param","parent":789},{"children":[1534],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":789},{"children":[1535],"coords":{"ints":[129,172]},"dim":"param","parent":790},{"children":[1536],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":790},{"children":[1537],"coords":{"ints":[129,172]},"dim":"param","parent":791},{"children":[1538],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":791},{"children":[1539],"coords":{"ints":[129,172]},"dim":"param","parent":792},{"children":[1540],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":792},{"children":[1541],"coords":{"ints":[129,172]},"dim":"param","parent":793},{"children":[1542],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":793},{"children":[1543],"coords":{"ints":[129,172]},"dim":"param","parent":794},{"children":[1544],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":794},{"children":[1545],"coords":{"ints":[129,172]},"dim":"param","parent":795},{"children":[1546],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":795},{"children":[1547],"coords":{"ints":[129,172]},"dim":"param","parent":796},{"children":[1548],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":796},{"children":[1549],"coords":{"ints":[129,172]},"dim":"param","parent":797},{"children":[1550],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":797},{"children":[1551],"coords":{"ints":[129,172]},"dim":"param","parent":798},{"children":[1552],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":798},{"children":[1553],"coords":{"ints":[129,172]},"dim":"param","parent":799},{"children":[1554],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":799},{"children":[1555],"coords":{"ints":[129,172]},"dim":"param","parent":800},{"children":[1556],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":800},{"children":[1557],"coords":{"ints":[129,172]},"dim":"param","parent":801},{"children":[1558],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":801},{"children":[1559],"coords":{"ints":[129,172]},"dim":"param","parent":802},{"children":[1560],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":802},{"children":[1561],"coords":{"ints":[129,172]},"dim":"param","parent":803},{"children":[1562],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":803},{"children":[1563],"coords":{"ints":[129,172]},"dim":"param","parent":804},{"children":[1564],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":804},{"children":[1565],"coords":{"ints":[129,172]},"dim":"param","parent":805},{"children":[1566],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":805},{"children":[1567],"coords":{"ints":[129,172]},"dim":"param","parent":806},{"children":[1568],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":806},{"children":[1569],"coords":{"ints":[129,172]},"dim":"param","parent":807},{"children":[1570],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":807},{"children":[1571],"coords":{"ints":[129,172]},"dim":"param","parent":808},{"children":[1572],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":808},{"children":[1573],"coords":{"ints":[129,172]},"dim":"param","parent":809},{"children":[1574],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":809},{"children":[1575],"coords":{"ints":[129,172]},"dim":"param","parent":810},{"children":[1576],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":810},{"children":[1577],"coords":{"ints":[129,172]},"dim":"param","parent":811},{"children":[1578],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":811},{"children":[1579],"coords":{"ints":[129,172]},"dim":"param","parent":812},{"children":[1580],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":812},{"children":[1581],"coords":{"ints":[129,172]},"dim":"param","parent":813},{"children":[1582],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":813},{"children":[1583],"coords":{"ints":[129,172]},"dim":"param","parent":814},{"children":[1584],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":814},{"children":[1585],"coords":{"ints":[129,172]},"dim":"param","parent":815},{"children":[1586],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":815},{"children":[1587],"coords":{"ints":[129,172]},"dim":"param","parent":816},{"children":[1588],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":816},{"children":[1589],"coords":{"ints":[129,172]},"dim":"param","parent":817},{"children":[1590],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":817},{"children":[1591],"coords":{"ints":[129,172]},"dim":"param","parent":818},{"children":[1592],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":818},{"children":[1593],"coords":{"ints":[129,172]},"dim":"param","parent":819},{"children":[1594],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":819},{"children":[1595],"coords":{"ints":[129,172]},"dim":"param","parent":820},{"children":[1596],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":820},{"children":[1597],"coords":{"ints":[129,172]},"dim":"param","parent":821},{"children":[1598],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":821},{"children":[1599],"coords":{"ints":[129,172]},"dim":"param","parent":822},{"children":[1600],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":822},{"children":[1601],"coords":{"ints":[129,172]},"dim":"param","parent":823},{"children":[1602],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":823},{"children":[1603],"coords":{"ints":[129,172]},"dim":"param","parent":824},{"children":[1604],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":824},{"children":[1605],"coords":{"ints":[129,172]},"dim":"param","parent":825},{"children":[1606],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":825},{"children":[1607],"coords":{"ints":[129,172]},"dim":"param","parent":826},{"children":[1608],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":826},{"children":[1609],"coords":{"ints":[129,172]},"dim":"param","parent":827},{"children":[1610],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":827},{"children":[1611],"coords":{"ints":[129,172]},"dim":"param","parent":828},{"children":[1612],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":828},{"children":[1613],"coords":{"ints":[129,172]},"dim":"param","parent":829},{"children":[1614],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":829},{"children":[1615],"coords":{"ints":[129,172]},"dim":"param","parent":830},{"children":[1616],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":830},{"children":[1617],"coords":{"ints":[129,172]},"dim":"param","parent":831},{"children":[1618],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":831},{"children":[1619],"coords":{"ints":[129,172]},"dim":"param","parent":832},{"children":[1620],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":832},{"children":[1621],"coords":{"ints":[129,172]},"dim":"param","parent":833},{"children":[1622],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":833},{"children":[1623],"coords":{"ints":[129,172]},"dim":"param","parent":834},{"children":[1624],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":834},{"children":[1625],"coords":{"ints":[129,172]},"dim":"param","parent":835},{"children":[1626],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":835},{"children":[1627],"coords":{"ints":[129,172]},"dim":"param","parent":836},{"children":[1628],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":836},{"children":[1629],"coords":{"ints":[129,172]},"dim":"param","parent":837},{"children":[1630],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":837},{"children":[1631],"coords":{"ints":[129,172]},"dim":"param","parent":838},{"children":[1632],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":838},{"children":[1633],"coords":{"ints":[129,172]},"dim":"param","parent":839},{"children":[1634],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":839},{"children":[1635],"coords":{"ints":[129,172]},"dim":"param","parent":840},{"children":[1636],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":840},{"children":[1637],"coords":{"ints":[129,172]},"dim":"param","parent":841},{"children":[1638],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":841},{"children":[1639],"coords":{"ints":[129,172]},"dim":"param","parent":842},{"children":[1640],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":842},{"children":[1641],"coords":{"ints":[129,172]},"dim":"param","parent":843},{"children":[1642],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":843},{"children":[1643],"coords":{"ints":[129,172]},"dim":"param","parent":844},{"children":[1644],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":844},{"children":[1645],"coords":{"ints":[129,172]},"dim":"param","parent":845},{"children":[1646],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":845},{"children":[1647],"coords":{"ints":[129,172]},"dim":"param","parent":846},{"children":[1648],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":846},{"children":[1649],"coords":{"ints":[129,172]},"dim":"param","parent":847},{"children":[1650],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":847},{"children":[1651],"coords":{"ints":[129,172]},"dim":"param","parent":848},{"children":[1652],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":848},{"children":[1653],"coords":{"ints":[129,172]},"dim":"param","parent":849},{"children":[1654],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":849},{"children":[1655],"coords":{"ints":[129,172]},"dim":"param","parent":850},{"children":[1656],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":850},{"children":[1657],"coords":{"ints":[129,172]},"dim":"param","parent":851},{"children":[1658],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":851},{"children":[1659],"coords":{"ints":[129,172]},"dim":"param","parent":852},{"children":[1660],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":852},{"children":[1661],"coords":{"ints":[129,172]},"dim":"param","parent":853},{"children":[1662],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":853},{"children":[1663],"coords":{"ints":[129,172]},"dim":"param","parent":854},{"children":[1664],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":854},{"children":[1665],"coords":{"ints":[129,172]},"dim":"param","parent":855},{"children":[1666],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":855},{"children":[1667],"coords":{"ints":[129,172]},"dim":"param","parent":856},{"children":[1668],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":856},{"children":[1669],"coords":{"ints":[129,172]},"dim":"param","parent":857},{"children":[1670],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":857},{"children":[1671],"coords":{"ints":[129,172]},"dim":"param","parent":858},{"children":[1672],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":858},{"children":[1673],"coords":{"ints":[129,172]},"dim":"param","parent":859},{"children":[1674],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":859},{"children":[1675],"coords":{"ints":[129,172]},"dim":"param","parent":860},{"children":[1676],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":860},{"children":[1677],"coords":{"ints":[129,172]},"dim":"param","parent":861},{"children":[1678],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":861},{"children":[1679],"coords":{"ints":[129,172]},"dim":"param","parent":862},{"children":[1680],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":862},{"children":[1681],"coords":{"ints":[129,172]},"dim":"param","parent":863},{"children":[1682],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":863},{"children":[1683],"coords":{"ints":[129,172]},"dim":"param","parent":864},{"children":[1684],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":864},{"children":[1685],"coords":{"ints":[129,172]},"dim":"param","parent":865},{"children":[1686],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":865},{"children":[1687],"coords":{"ints":[129,172]},"dim":"param","parent":866},{"children":[1688],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":866},{"children":[1689],"coords":{"ints":[129,172]},"dim":"param","parent":867},{"children":[1690],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":867},{"children":[1691],"coords":{"ints":[129,172]},"dim":"param","parent":868},{"children":[1692],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":868},{"children":[1693],"coords":{"ints":[129,172]},"dim":"param","parent":869},{"children":[1694],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":869},{"children":[1695],"coords":{"ints":[129,172]},"dim":"param","parent":870},{"children":[1696],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":870},{"children":[1697],"coords":{"ints":[129,172]},"dim":"param","parent":871},{"children":[1698],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":871},{"children":[1699],"coords":{"ints":[129,172]},"dim":"param","parent":872},{"children":[1700],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":872},{"children":[1701],"coords":{"ints":[129,172]},"dim":"param","parent":873},{"children":[1702],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":873},{"children":[1703],"coords":{"ints":[129,172]},"dim":"param","parent":874},{"children":[1704],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":874},{"children":[1705],"coords":{"ints":[129,172]},"dim":"param","parent":875},{"children":[1706],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":875},{"children":[1707],"coords":{"ints":[129,172]},"dim":"param","parent":876},{"children":[1708],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":876},{"children":[1709],"coords":{"ints":[129,172]},"dim":"param","parent":877},{"children":[1710],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":877},{"children":[1711],"coords":{"ints":[129,172]},"dim":"param","parent":878},{"children":[1712],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":878},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":879},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":880},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":881},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":882},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":883},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":884},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":885},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":886},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":887},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":888},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":889},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":890},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":891},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":892},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":893},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":894},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":895},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":896},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":897},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":898},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":899},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":900},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":901},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":902},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":903},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":904},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":905},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":906},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":907},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":908},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":909},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":910},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":911},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":912},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":913},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":914},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":915},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":916},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":917},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":918},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":919},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":920},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":921},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":922},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":923},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":924},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":925},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":926},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":927},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":928},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":929},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":930},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":931},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":932},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":933},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":934},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":935},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":936},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":937},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":938},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":939},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":940},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":941},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":942},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":943},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":944},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":945},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":946},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":947},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":948},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":949},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":950},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":951},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":952},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":953},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":954},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":955},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":956},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":957},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":958},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":959},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":960},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":961},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":962},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":963},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":964},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":965},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":966},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":967},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":968},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":969},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":970},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":971},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":972},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":973},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":974},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":975},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":976},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":977},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":978},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":979},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":980},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":981},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":982},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":983},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":984},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":985},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":986},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":987},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":988},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":989},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":990},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":991},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":992},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":993},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":994},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":995},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":996},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":997},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":998},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":999},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1000},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1001},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1002},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1003},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1004},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1005},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1006},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1007},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1008},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1009},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1010},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1011},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1012},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1013},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1014},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1015},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1016},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1017},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1018},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1019},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1020},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1021},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1022},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1023},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1024},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1025},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1026},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1027},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1028},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1029},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1030},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1031},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1032},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1033},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1034},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1035},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1036},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1037},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1038},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1039},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1040},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1041},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1042},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1043},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1044},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1045},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1046},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1047},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1048},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1049},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1050},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1051},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1052},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1053},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1054},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1055},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1056},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1057},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1058},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1059},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1060},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1061},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1062},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1063},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1064},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1065},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1066},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1067},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1068},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1069},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1070},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1071},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1072},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1073},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1074},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1075},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1076},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1077},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1078},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1079},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1080},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1081},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1082},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1083},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1084},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1085},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1086},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1087},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1088},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1089},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1090},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1091},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1092},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1093},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1094},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1095},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1096},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1097},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1098},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1099},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1100},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1101},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1102},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1103},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1104},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1105},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1106},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1107},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1108},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1109},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1110},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1111},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1112},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1113},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1114},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1115},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1116},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1117},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1118},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1119},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1120},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1121},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1122},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1123},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1124},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1125},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1126},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1127},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1128},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1129},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1130},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1131},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1132},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1133},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1134},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1135},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1136},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1137},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1138},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1139},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1140},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1141},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1142},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1143},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1144},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1145},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1146},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1147},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1148},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1149},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1150},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1151},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1152},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1153},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1154},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1155},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1156},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1157},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1158},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1159},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1160},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1161},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1162},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1163},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1164},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1165},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1166},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1167},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1168},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1169},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1170},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1171},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1172},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1173},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1174},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1175},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1176},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1177},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1178},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1179},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1180},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1181},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1182},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1183},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1184},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1185},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1186},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1187},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1188},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1189},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1190},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1191},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1192},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1193},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1194},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1195},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1196},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1197},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1198},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1199},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1200},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1201},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1202},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1203},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1204},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1205},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1206},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1207},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1208},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1209},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1210},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1211},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1212},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1213},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1214},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1215},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1216},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1217},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1218},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1219},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1220},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1221},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1222},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1223},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1224},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1225},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1226},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1227},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1228},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1229},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1230},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1231},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1232},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1233},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1234},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1235},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1236},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1237},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1238},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1239},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1240},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1241},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1242},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1243},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1244},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1245},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1246},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1247},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1248},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1249},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1250},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1251},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1252},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1253},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1254},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1255},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1256},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1257},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1258},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1259},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1260},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1261},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1262},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1263},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1264},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1265},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1266},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1267},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1268},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1269},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1270},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1271},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1272},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1273},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1274},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1275},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1276},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1277},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1278},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1279},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1280},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1281},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1282},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1283},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1284},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1285},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1286},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1287},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1288},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1289},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1290},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1291},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1292},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1293},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1294},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1295}] \ No newline at end of file diff --git a/qubed_meteo/qube_examples/large_extremes_eg.json b/qubed_meteo/qube_examples/large_extremes_eg.json new file mode 100644 index 0000000..00ba294 --- /dev/null +++ b/qubed_meteo/qube_examples/large_extremes_eg.json @@ -0,0 +1 @@ +[{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2],"coords":{"strings":["d1"]},"dim":"class","parent":0},{"children":[3],"coords":{"strings":["extremes-dt"]},"dim":"dataset","parent":1},{"children":[4],"coords":{"ints":[20260303]},"dim":"date","parent":2},{"children":[5],"coords":{"strings":["0001"]},"dim":"expver","parent":3},{"children":[6],"coords":{"strings":["oper"]},"dim":"stream","parent":4},{"children":[7],"coords":{"strings":["0000"]},"dim":"time","parent":5},{"children":[8],"coords":{"strings":["sfc"]},"dim":"levtype","parent":6},{"children":[9,10,11],"coords":{"strings":["fc"]},"dim":"type","parent":7},{"children":[12],"coords":{"ints":[142,144,169,175,176,177,178,179,180,181,205,228,228216]},"dim":"param","parent":8},{"children":[13],"coords":{"ints":[228058]},"dim":"param","parent":8},{"children":[14],"coords":{"ints":[31,34,78,134,136,137,151,165,166,167,168,235,3020,228029,228050,228218,228219,228221,228235,260015]},"dim":"param","parent":8},{"children":[],"coords":{"strings":["0-1","1-2","10-11","11-12","12-13","13-14","14-15","15-16","16-17","17-18","18-19","19-20","2-3","20-21","21-22","22-23","23-24","24-25","25-26","26-27","27-28","28-29","29-30","3-4","30-31","31-32","32-33","33-34","34-35","35-36","36-37","37-38","38-39","39-40","4-5","40-41","41-42","42-43","43-44","44-45","45-46","46-47","47-48","48-49","49-50","5-6","50-51","51-52","52-53","53-54","54-55","55-56","56-57","57-58","58-59","59-60","6-7","60-61","61-62","62-63","63-64","64-65","65-66","66-67","67-68","68-69","69-70","7-8","70-71","71-72","72-73","73-74","74-75","75-76","76-77","77-78","78-79","79-80","8-9","80-81","81-82","82-83","83-84","84-85","85-86","86-87","87-88","88-89","89-90","9-10","90-91","91-92","92-93","93-94","94-95","95-96"]},"dim":"step","parent":9},{"children":[],"coords":{"strings":["0-6","12-18","18-24","24-30","30-36","36-42","42-48","48-54","54-60","6-12","60-66","66-72","72-78","78-84","84-90","90-96"]},"dim":"step","parent":10},{"children":[],"coords":{"ints":[0,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]},"dim":"step","parent":11}] \ No newline at end of file diff --git a/qubed_meteo/qube_examples/medium_climate_eg.json b/qubed_meteo/qube_examples/medium_climate_eg.json new file mode 100644 index 0000000..6871d2d --- /dev/null +++ b/qubed_meteo/qube_examples/medium_climate_eg.json @@ -0,0 +1 @@ +[{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2],"coords":{"strings":["highresmip"]},"dim":"activity","parent":0},{"children":[3],"coords":{"strings":["d1"]},"dim":"class","parent":1},{"children":[4],"coords":{"strings":["climate-dt"]},"dim":"dataset","parent":2},{"children":[5],"coords":{"strings":["cont"]},"dim":"experiment","parent":3},{"children":[6],"coords":{"strings":["0001"]},"dim":"expver","parent":4},{"children":[7],"coords":{"ints":[1]},"dim":"generation","parent":5},{"children":[8],"coords":{"strings":["ifs-nemo"]},"dim":"model","parent":6},{"children":[9],"coords":{"ints":[1]},"dim":"realization","parent":7},{"children":[10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27],"coords":{"strings":["clte"]},"dim":"stream","parent":8},{"children":[28],"coords":{"ints":[1990]},"dim":"year","parent":9},{"children":[29],"coords":{"ints":[1991]},"dim":"year","parent":9},{"children":[30],"coords":{"ints":[1992]},"dim":"year","parent":9},{"children":[31],"coords":{"ints":[1993]},"dim":"year","parent":9},{"children":[32],"coords":{"ints":[1994]},"dim":"year","parent":9},{"children":[33],"coords":{"ints":[1995]},"dim":"year","parent":9},{"children":[34],"coords":{"ints":[1996]},"dim":"year","parent":9},{"children":[35],"coords":{"ints":[1997]},"dim":"year","parent":9},{"children":[36],"coords":{"ints":[1998]},"dim":"year","parent":9},{"children":[37],"coords":{"ints":[1999]},"dim":"year","parent":9},{"children":[38],"coords":{"ints":[2000]},"dim":"year","parent":9},{"children":[39],"coords":{"ints":[2001]},"dim":"year","parent":9},{"children":[40],"coords":{"ints":[2002]},"dim":"year","parent":9},{"children":[41],"coords":{"ints":[2003]},"dim":"year","parent":9},{"children":[42],"coords":{"ints":[2004]},"dim":"year","parent":9},{"children":[43],"coords":{"ints":[2005]},"dim":"year","parent":9},{"children":[44],"coords":{"ints":[2006]},"dim":"year","parent":9},{"children":[45],"coords":{"ints":[2007]},"dim":"year","parent":9},{"children":[46,47,48,49,50,51,52,53,54,55,56,57],"coords":{"strings":["sfc"]},"dim":"levtype","parent":10},{"children":[58,59,60,61,62,63,64,65,66,67,68,69],"coords":{"strings":["sfc"]},"dim":"levtype","parent":11},{"children":[70,71,72,73,74,75,76,77,78,79,80,81],"coords":{"strings":["sfc"]},"dim":"levtype","parent":12},{"children":[82,83,84,85,86,87,88,89,90,91,92,93],"coords":{"strings":["sfc"]},"dim":"levtype","parent":13},{"children":[94,95,96,97,98,99,100,101,102,103,104,105],"coords":{"strings":["sfc"]},"dim":"levtype","parent":14},{"children":[106,107,108,109,110,111,112,113,114,115,116,117],"coords":{"strings":["sfc"]},"dim":"levtype","parent":15},{"children":[118,119,120,121,122,123,124,125,126,127,128,129],"coords":{"strings":["sfc"]},"dim":"levtype","parent":16},{"children":[130,131,132,133,134,135,136,137,138,139,140,141],"coords":{"strings":["sfc"]},"dim":"levtype","parent":17},{"children":[142,143,144,145,146,147,148,149,150,151,152,153],"coords":{"strings":["sfc"]},"dim":"levtype","parent":18},{"children":[154,155,156,157,158,159,160,161,162,163,164,165],"coords":{"strings":["sfc"]},"dim":"levtype","parent":19},{"children":[166,167,168,169,170,171,172,173,174,175,176,177],"coords":{"strings":["sfc"]},"dim":"levtype","parent":20},{"children":[178,179,180,181,182,183,184,185,186,187,188,189],"coords":{"strings":["sfc"]},"dim":"levtype","parent":21},{"children":[190,191,192,193,194,195,196,197,198,199,200,201],"coords":{"strings":["sfc"]},"dim":"levtype","parent":22},{"children":[202,203,204,205,206,207,208,209,210,211,212,213],"coords":{"strings":["sfc"]},"dim":"levtype","parent":23},{"children":[214,215,216,217,218,219,220,221,222,223,224,225],"coords":{"strings":["sfc"]},"dim":"levtype","parent":24},{"children":[226,227,228,229,230,231,232,233,234,235,236,237],"coords":{"strings":["sfc"]},"dim":"levtype","parent":25},{"children":[238,239,240,241,242,243,244,245,246,247,248,249],"coords":{"strings":["sfc"]},"dim":"levtype","parent":26},{"children":[250,251,252,253],"coords":{"strings":["sfc"]},"dim":"levtype","parent":27},{"children":[254],"coords":{"ints":[9]},"dim":"month","parent":28},{"children":[255],"coords":{"ints":[8]},"dim":"month","parent":28},{"children":[256],"coords":{"ints":[7]},"dim":"month","parent":28},{"children":[257],"coords":{"ints":[6]},"dim":"month","parent":28},{"children":[258],"coords":{"ints":[5]},"dim":"month","parent":28},{"children":[259],"coords":{"ints":[4]},"dim":"month","parent":28},{"children":[260],"coords":{"ints":[3]},"dim":"month","parent":28},{"children":[261],"coords":{"ints":[2]},"dim":"month","parent":28},{"children":[262],"coords":{"ints":[12]},"dim":"month","parent":28},{"children":[263],"coords":{"ints":[11]},"dim":"month","parent":28},{"children":[264],"coords":{"ints":[10]},"dim":"month","parent":28},{"children":[265],"coords":{"ints":[1]},"dim":"month","parent":28},{"children":[266],"coords":{"ints":[9]},"dim":"month","parent":29},{"children":[267],"coords":{"ints":[8]},"dim":"month","parent":29},{"children":[268],"coords":{"ints":[7]},"dim":"month","parent":29},{"children":[269],"coords":{"ints":[6]},"dim":"month","parent":29},{"children":[270],"coords":{"ints":[5]},"dim":"month","parent":29},{"children":[271],"coords":{"ints":[4]},"dim":"month","parent":29},{"children":[272],"coords":{"ints":[3]},"dim":"month","parent":29},{"children":[273],"coords":{"ints":[2]},"dim":"month","parent":29},{"children":[274],"coords":{"ints":[12]},"dim":"month","parent":29},{"children":[275],"coords":{"ints":[11]},"dim":"month","parent":29},{"children":[276],"coords":{"ints":[10]},"dim":"month","parent":29},{"children":[277],"coords":{"ints":[1]},"dim":"month","parent":29},{"children":[278],"coords":{"ints":[9]},"dim":"month","parent":30},{"children":[279],"coords":{"ints":[8]},"dim":"month","parent":30},{"children":[280],"coords":{"ints":[7]},"dim":"month","parent":30},{"children":[281],"coords":{"ints":[6]},"dim":"month","parent":30},{"children":[282],"coords":{"ints":[5]},"dim":"month","parent":30},{"children":[283],"coords":{"ints":[4]},"dim":"month","parent":30},{"children":[284],"coords":{"ints":[3]},"dim":"month","parent":30},{"children":[285],"coords":{"ints":[2]},"dim":"month","parent":30},{"children":[286],"coords":{"ints":[12]},"dim":"month","parent":30},{"children":[287],"coords":{"ints":[11]},"dim":"month","parent":30},{"children":[288],"coords":{"ints":[10]},"dim":"month","parent":30},{"children":[289],"coords":{"ints":[1]},"dim":"month","parent":30},{"children":[290],"coords":{"ints":[9]},"dim":"month","parent":31},{"children":[291],"coords":{"ints":[8]},"dim":"month","parent":31},{"children":[292],"coords":{"ints":[7]},"dim":"month","parent":31},{"children":[293],"coords":{"ints":[6]},"dim":"month","parent":31},{"children":[294],"coords":{"ints":[5]},"dim":"month","parent":31},{"children":[295],"coords":{"ints":[4]},"dim":"month","parent":31},{"children":[296],"coords":{"ints":[3]},"dim":"month","parent":31},{"children":[297],"coords":{"ints":[2]},"dim":"month","parent":31},{"children":[298],"coords":{"ints":[12]},"dim":"month","parent":31},{"children":[299],"coords":{"ints":[11]},"dim":"month","parent":31},{"children":[300],"coords":{"ints":[10]},"dim":"month","parent":31},{"children":[301],"coords":{"ints":[1]},"dim":"month","parent":31},{"children":[302],"coords":{"ints":[9]},"dim":"month","parent":32},{"children":[303],"coords":{"ints":[8]},"dim":"month","parent":32},{"children":[304],"coords":{"ints":[7]},"dim":"month","parent":32},{"children":[305],"coords":{"ints":[6]},"dim":"month","parent":32},{"children":[306],"coords":{"ints":[5]},"dim":"month","parent":32},{"children":[307],"coords":{"ints":[4]},"dim":"month","parent":32},{"children":[308],"coords":{"ints":[3]},"dim":"month","parent":32},{"children":[309],"coords":{"ints":[2]},"dim":"month","parent":32},{"children":[310],"coords":{"ints":[12]},"dim":"month","parent":32},{"children":[311],"coords":{"ints":[11]},"dim":"month","parent":32},{"children":[312],"coords":{"ints":[10]},"dim":"month","parent":32},{"children":[313],"coords":{"ints":[1]},"dim":"month","parent":32},{"children":[314],"coords":{"ints":[9]},"dim":"month","parent":33},{"children":[315],"coords":{"ints":[8]},"dim":"month","parent":33},{"children":[316],"coords":{"ints":[7]},"dim":"month","parent":33},{"children":[317],"coords":{"ints":[6]},"dim":"month","parent":33},{"children":[318],"coords":{"ints":[5]},"dim":"month","parent":33},{"children":[319],"coords":{"ints":[4]},"dim":"month","parent":33},{"children":[320],"coords":{"ints":[3]},"dim":"month","parent":33},{"children":[321],"coords":{"ints":[2]},"dim":"month","parent":33},{"children":[322],"coords":{"ints":[12]},"dim":"month","parent":33},{"children":[323],"coords":{"ints":[11]},"dim":"month","parent":33},{"children":[324],"coords":{"ints":[10]},"dim":"month","parent":33},{"children":[325],"coords":{"ints":[1]},"dim":"month","parent":33},{"children":[326],"coords":{"ints":[9]},"dim":"month","parent":34},{"children":[327],"coords":{"ints":[8]},"dim":"month","parent":34},{"children":[328],"coords":{"ints":[7]},"dim":"month","parent":34},{"children":[329],"coords":{"ints":[6]},"dim":"month","parent":34},{"children":[330],"coords":{"ints":[5]},"dim":"month","parent":34},{"children":[331],"coords":{"ints":[4]},"dim":"month","parent":34},{"children":[332],"coords":{"ints":[3]},"dim":"month","parent":34},{"children":[333],"coords":{"ints":[2]},"dim":"month","parent":34},{"children":[334],"coords":{"ints":[12]},"dim":"month","parent":34},{"children":[335],"coords":{"ints":[11]},"dim":"month","parent":34},{"children":[336],"coords":{"ints":[10]},"dim":"month","parent":34},{"children":[337],"coords":{"ints":[1]},"dim":"month","parent":34},{"children":[338],"coords":{"ints":[9]},"dim":"month","parent":35},{"children":[339],"coords":{"ints":[8]},"dim":"month","parent":35},{"children":[340],"coords":{"ints":[7]},"dim":"month","parent":35},{"children":[341],"coords":{"ints":[6]},"dim":"month","parent":35},{"children":[342],"coords":{"ints":[5]},"dim":"month","parent":35},{"children":[343],"coords":{"ints":[4]},"dim":"month","parent":35},{"children":[344],"coords":{"ints":[3]},"dim":"month","parent":35},{"children":[345],"coords":{"ints":[2]},"dim":"month","parent":35},{"children":[346],"coords":{"ints":[12]},"dim":"month","parent":35},{"children":[347],"coords":{"ints":[11]},"dim":"month","parent":35},{"children":[348],"coords":{"ints":[10]},"dim":"month","parent":35},{"children":[349],"coords":{"ints":[1]},"dim":"month","parent":35},{"children":[350],"coords":{"ints":[9]},"dim":"month","parent":36},{"children":[351],"coords":{"ints":[8]},"dim":"month","parent":36},{"children":[352],"coords":{"ints":[7]},"dim":"month","parent":36},{"children":[353],"coords":{"ints":[6]},"dim":"month","parent":36},{"children":[354],"coords":{"ints":[5]},"dim":"month","parent":36},{"children":[355],"coords":{"ints":[4]},"dim":"month","parent":36},{"children":[356],"coords":{"ints":[3]},"dim":"month","parent":36},{"children":[357],"coords":{"ints":[2]},"dim":"month","parent":36},{"children":[358],"coords":{"ints":[12]},"dim":"month","parent":36},{"children":[359],"coords":{"ints":[11]},"dim":"month","parent":36},{"children":[360],"coords":{"ints":[10]},"dim":"month","parent":36},{"children":[361],"coords":{"ints":[1]},"dim":"month","parent":36},{"children":[362],"coords":{"ints":[9]},"dim":"month","parent":37},{"children":[363],"coords":{"ints":[8]},"dim":"month","parent":37},{"children":[364],"coords":{"ints":[7]},"dim":"month","parent":37},{"children":[365],"coords":{"ints":[6]},"dim":"month","parent":37},{"children":[366],"coords":{"ints":[5]},"dim":"month","parent":37},{"children":[367],"coords":{"ints":[4]},"dim":"month","parent":37},{"children":[368],"coords":{"ints":[3]},"dim":"month","parent":37},{"children":[369],"coords":{"ints":[2]},"dim":"month","parent":37},{"children":[370],"coords":{"ints":[12]},"dim":"month","parent":37},{"children":[371],"coords":{"ints":[11]},"dim":"month","parent":37},{"children":[372],"coords":{"ints":[10]},"dim":"month","parent":37},{"children":[373],"coords":{"ints":[1]},"dim":"month","parent":37},{"children":[374],"coords":{"ints":[9]},"dim":"month","parent":38},{"children":[375],"coords":{"ints":[8]},"dim":"month","parent":38},{"children":[376],"coords":{"ints":[7]},"dim":"month","parent":38},{"children":[377],"coords":{"ints":[6]},"dim":"month","parent":38},{"children":[378],"coords":{"ints":[5]},"dim":"month","parent":38},{"children":[379],"coords":{"ints":[4]},"dim":"month","parent":38},{"children":[380],"coords":{"ints":[3]},"dim":"month","parent":38},{"children":[381],"coords":{"ints":[2]},"dim":"month","parent":38},{"children":[382],"coords":{"ints":[12]},"dim":"month","parent":38},{"children":[383],"coords":{"ints":[11]},"dim":"month","parent":38},{"children":[384],"coords":{"ints":[10]},"dim":"month","parent":38},{"children":[385],"coords":{"ints":[1]},"dim":"month","parent":38},{"children":[386],"coords":{"ints":[9]},"dim":"month","parent":39},{"children":[387],"coords":{"ints":[8]},"dim":"month","parent":39},{"children":[388],"coords":{"ints":[7]},"dim":"month","parent":39},{"children":[389],"coords":{"ints":[6]},"dim":"month","parent":39},{"children":[390],"coords":{"ints":[5]},"dim":"month","parent":39},{"children":[391],"coords":{"ints":[4]},"dim":"month","parent":39},{"children":[392],"coords":{"ints":[3]},"dim":"month","parent":39},{"children":[393],"coords":{"ints":[2]},"dim":"month","parent":39},{"children":[394],"coords":{"ints":[12]},"dim":"month","parent":39},{"children":[395],"coords":{"ints":[11]},"dim":"month","parent":39},{"children":[396],"coords":{"ints":[10]},"dim":"month","parent":39},{"children":[397],"coords":{"ints":[1]},"dim":"month","parent":39},{"children":[398],"coords":{"ints":[9]},"dim":"month","parent":40},{"children":[399],"coords":{"ints":[8]},"dim":"month","parent":40},{"children":[400],"coords":{"ints":[7]},"dim":"month","parent":40},{"children":[401],"coords":{"ints":[6]},"dim":"month","parent":40},{"children":[402],"coords":{"ints":[5]},"dim":"month","parent":40},{"children":[403],"coords":{"ints":[4]},"dim":"month","parent":40},{"children":[404],"coords":{"ints":[3]},"dim":"month","parent":40},{"children":[405],"coords":{"ints":[2]},"dim":"month","parent":40},{"children":[406],"coords":{"ints":[12]},"dim":"month","parent":40},{"children":[407],"coords":{"ints":[11]},"dim":"month","parent":40},{"children":[408],"coords":{"ints":[10]},"dim":"month","parent":40},{"children":[409],"coords":{"ints":[1]},"dim":"month","parent":40},{"children":[410],"coords":{"ints":[9]},"dim":"month","parent":41},{"children":[411],"coords":{"ints":[8]},"dim":"month","parent":41},{"children":[412],"coords":{"ints":[7]},"dim":"month","parent":41},{"children":[413],"coords":{"ints":[6]},"dim":"month","parent":41},{"children":[414],"coords":{"ints":[5]},"dim":"month","parent":41},{"children":[415],"coords":{"ints":[4]},"dim":"month","parent":41},{"children":[416],"coords":{"ints":[3]},"dim":"month","parent":41},{"children":[417],"coords":{"ints":[2]},"dim":"month","parent":41},{"children":[418],"coords":{"ints":[12]},"dim":"month","parent":41},{"children":[419],"coords":{"ints":[11]},"dim":"month","parent":41},{"children":[420],"coords":{"ints":[10]},"dim":"month","parent":41},{"children":[421],"coords":{"ints":[1]},"dim":"month","parent":41},{"children":[422],"coords":{"ints":[9]},"dim":"month","parent":42},{"children":[423],"coords":{"ints":[8]},"dim":"month","parent":42},{"children":[424],"coords":{"ints":[7]},"dim":"month","parent":42},{"children":[425],"coords":{"ints":[6]},"dim":"month","parent":42},{"children":[426],"coords":{"ints":[5]},"dim":"month","parent":42},{"children":[427],"coords":{"ints":[4]},"dim":"month","parent":42},{"children":[428],"coords":{"ints":[3]},"dim":"month","parent":42},{"children":[429],"coords":{"ints":[2]},"dim":"month","parent":42},{"children":[430],"coords":{"ints":[12]},"dim":"month","parent":42},{"children":[431],"coords":{"ints":[11]},"dim":"month","parent":42},{"children":[432],"coords":{"ints":[10]},"dim":"month","parent":42},{"children":[433],"coords":{"ints":[1]},"dim":"month","parent":42},{"children":[434],"coords":{"ints":[9]},"dim":"month","parent":43},{"children":[435],"coords":{"ints":[8]},"dim":"month","parent":43},{"children":[436],"coords":{"ints":[7]},"dim":"month","parent":43},{"children":[437],"coords":{"ints":[6]},"dim":"month","parent":43},{"children":[438],"coords":{"ints":[5]},"dim":"month","parent":43},{"children":[439],"coords":{"ints":[4]},"dim":"month","parent":43},{"children":[440],"coords":{"ints":[3]},"dim":"month","parent":43},{"children":[441],"coords":{"ints":[2]},"dim":"month","parent":43},{"children":[442],"coords":{"ints":[12]},"dim":"month","parent":43},{"children":[443],"coords":{"ints":[11]},"dim":"month","parent":43},{"children":[444],"coords":{"ints":[10]},"dim":"month","parent":43},{"children":[445],"coords":{"ints":[1]},"dim":"month","parent":43},{"children":[446],"coords":{"ints":[9]},"dim":"month","parent":44},{"children":[447],"coords":{"ints":[8]},"dim":"month","parent":44},{"children":[448],"coords":{"ints":[7]},"dim":"month","parent":44},{"children":[449],"coords":{"ints":[6]},"dim":"month","parent":44},{"children":[450],"coords":{"ints":[5]},"dim":"month","parent":44},{"children":[451],"coords":{"ints":[4]},"dim":"month","parent":44},{"children":[452],"coords":{"ints":[3]},"dim":"month","parent":44},{"children":[453],"coords":{"ints":[2]},"dim":"month","parent":44},{"children":[454],"coords":{"ints":[12]},"dim":"month","parent":44},{"children":[455],"coords":{"ints":[11]},"dim":"month","parent":44},{"children":[456],"coords":{"ints":[10]},"dim":"month","parent":44},{"children":[457],"coords":{"ints":[1]},"dim":"month","parent":44},{"children":[458],"coords":{"ints":[4]},"dim":"month","parent":45},{"children":[459],"coords":{"ints":[3]},"dim":"month","parent":45},{"children":[460],"coords":{"ints":[2]},"dim":"month","parent":45},{"children":[461],"coords":{"ints":[1]},"dim":"month","parent":45},{"children":[462],"coords":{"strings":["high"]},"dim":"resolution","parent":46},{"children":[463],"coords":{"strings":["high"]},"dim":"resolution","parent":47},{"children":[464],"coords":{"strings":["high"]},"dim":"resolution","parent":48},{"children":[465],"coords":{"strings":["high"]},"dim":"resolution","parent":49},{"children":[466],"coords":{"strings":["high"]},"dim":"resolution","parent":50},{"children":[467],"coords":{"strings":["high"]},"dim":"resolution","parent":51},{"children":[468],"coords":{"strings":["high"]},"dim":"resolution","parent":52},{"children":[469],"coords":{"strings":["high"]},"dim":"resolution","parent":53},{"children":[470],"coords":{"strings":["high"]},"dim":"resolution","parent":54},{"children":[471],"coords":{"strings":["high"]},"dim":"resolution","parent":55},{"children":[472],"coords":{"strings":["high"]},"dim":"resolution","parent":56},{"children":[473],"coords":{"strings":["high"]},"dim":"resolution","parent":57},{"children":[474],"coords":{"strings":["high"]},"dim":"resolution","parent":58},{"children":[475],"coords":{"strings":["high"]},"dim":"resolution","parent":59},{"children":[476],"coords":{"strings":["high"]},"dim":"resolution","parent":60},{"children":[477],"coords":{"strings":["high"]},"dim":"resolution","parent":61},{"children":[478],"coords":{"strings":["high"]},"dim":"resolution","parent":62},{"children":[479],"coords":{"strings":["high"]},"dim":"resolution","parent":63},{"children":[480],"coords":{"strings":["high"]},"dim":"resolution","parent":64},{"children":[481],"coords":{"strings":["high"]},"dim":"resolution","parent":65},{"children":[482],"coords":{"strings":["high"]},"dim":"resolution","parent":66},{"children":[483],"coords":{"strings":["high"]},"dim":"resolution","parent":67},{"children":[484],"coords":{"strings":["high"]},"dim":"resolution","parent":68},{"children":[485],"coords":{"strings":["high"]},"dim":"resolution","parent":69},{"children":[486],"coords":{"strings":["high"]},"dim":"resolution","parent":70},{"children":[487],"coords":{"strings":["high"]},"dim":"resolution","parent":71},{"children":[488],"coords":{"strings":["high"]},"dim":"resolution","parent":72},{"children":[489],"coords":{"strings":["high"]},"dim":"resolution","parent":73},{"children":[490],"coords":{"strings":["high"]},"dim":"resolution","parent":74},{"children":[491],"coords":{"strings":["high"]},"dim":"resolution","parent":75},{"children":[492],"coords":{"strings":["high"]},"dim":"resolution","parent":76},{"children":[493],"coords":{"strings":["high"]},"dim":"resolution","parent":77},{"children":[494],"coords":{"strings":["high"]},"dim":"resolution","parent":78},{"children":[495],"coords":{"strings":["high"]},"dim":"resolution","parent":79},{"children":[496],"coords":{"strings":["high"]},"dim":"resolution","parent":80},{"children":[497],"coords":{"strings":["high"]},"dim":"resolution","parent":81},{"children":[498],"coords":{"strings":["high"]},"dim":"resolution","parent":82},{"children":[499],"coords":{"strings":["high"]},"dim":"resolution","parent":83},{"children":[500],"coords":{"strings":["high"]},"dim":"resolution","parent":84},{"children":[501],"coords":{"strings":["high"]},"dim":"resolution","parent":85},{"children":[502],"coords":{"strings":["high"]},"dim":"resolution","parent":86},{"children":[503],"coords":{"strings":["high"]},"dim":"resolution","parent":87},{"children":[504],"coords":{"strings":["high"]},"dim":"resolution","parent":88},{"children":[505],"coords":{"strings":["high"]},"dim":"resolution","parent":89},{"children":[506],"coords":{"strings":["high"]},"dim":"resolution","parent":90},{"children":[507],"coords":{"strings":["high"]},"dim":"resolution","parent":91},{"children":[508],"coords":{"strings":["high"]},"dim":"resolution","parent":92},{"children":[509],"coords":{"strings":["high"]},"dim":"resolution","parent":93},{"children":[510],"coords":{"strings":["high"]},"dim":"resolution","parent":94},{"children":[511],"coords":{"strings":["high"]},"dim":"resolution","parent":95},{"children":[512],"coords":{"strings":["high"]},"dim":"resolution","parent":96},{"children":[513],"coords":{"strings":["high"]},"dim":"resolution","parent":97},{"children":[514],"coords":{"strings":["high"]},"dim":"resolution","parent":98},{"children":[515],"coords":{"strings":["high"]},"dim":"resolution","parent":99},{"children":[516],"coords":{"strings":["high"]},"dim":"resolution","parent":100},{"children":[517],"coords":{"strings":["high"]},"dim":"resolution","parent":101},{"children":[518],"coords":{"strings":["high"]},"dim":"resolution","parent":102},{"children":[519],"coords":{"strings":["high"]},"dim":"resolution","parent":103},{"children":[520],"coords":{"strings":["high"]},"dim":"resolution","parent":104},{"children":[521],"coords":{"strings":["high"]},"dim":"resolution","parent":105},{"children":[522],"coords":{"strings":["high"]},"dim":"resolution","parent":106},{"children":[523],"coords":{"strings":["high"]},"dim":"resolution","parent":107},{"children":[524],"coords":{"strings":["high"]},"dim":"resolution","parent":108},{"children":[525],"coords":{"strings":["high"]},"dim":"resolution","parent":109},{"children":[526],"coords":{"strings":["high"]},"dim":"resolution","parent":110},{"children":[527],"coords":{"strings":["high"]},"dim":"resolution","parent":111},{"children":[528],"coords":{"strings":["high"]},"dim":"resolution","parent":112},{"children":[529],"coords":{"strings":["high"]},"dim":"resolution","parent":113},{"children":[530],"coords":{"strings":["high"]},"dim":"resolution","parent":114},{"children":[531],"coords":{"strings":["high"]},"dim":"resolution","parent":115},{"children":[532],"coords":{"strings":["high"]},"dim":"resolution","parent":116},{"children":[533],"coords":{"strings":["high"]},"dim":"resolution","parent":117},{"children":[534],"coords":{"strings":["high"]},"dim":"resolution","parent":118},{"children":[535],"coords":{"strings":["high"]},"dim":"resolution","parent":119},{"children":[536],"coords":{"strings":["high"]},"dim":"resolution","parent":120},{"children":[537],"coords":{"strings":["high"]},"dim":"resolution","parent":121},{"children":[538],"coords":{"strings":["high"]},"dim":"resolution","parent":122},{"children":[539],"coords":{"strings":["high"]},"dim":"resolution","parent":123},{"children":[540],"coords":{"strings":["high"]},"dim":"resolution","parent":124},{"children":[541],"coords":{"strings":["high"]},"dim":"resolution","parent":125},{"children":[542],"coords":{"strings":["high"]},"dim":"resolution","parent":126},{"children":[543],"coords":{"strings":["high"]},"dim":"resolution","parent":127},{"children":[544],"coords":{"strings":["high"]},"dim":"resolution","parent":128},{"children":[545],"coords":{"strings":["high"]},"dim":"resolution","parent":129},{"children":[546],"coords":{"strings":["high"]},"dim":"resolution","parent":130},{"children":[547],"coords":{"strings":["high"]},"dim":"resolution","parent":131},{"children":[548],"coords":{"strings":["high"]},"dim":"resolution","parent":132},{"children":[549],"coords":{"strings":["high"]},"dim":"resolution","parent":133},{"children":[550],"coords":{"strings":["high"]},"dim":"resolution","parent":134},{"children":[551],"coords":{"strings":["high"]},"dim":"resolution","parent":135},{"children":[552],"coords":{"strings":["high"]},"dim":"resolution","parent":136},{"children":[553],"coords":{"strings":["high"]},"dim":"resolution","parent":137},{"children":[554],"coords":{"strings":["high"]},"dim":"resolution","parent":138},{"children":[555],"coords":{"strings":["high"]},"dim":"resolution","parent":139},{"children":[556],"coords":{"strings":["high"]},"dim":"resolution","parent":140},{"children":[557],"coords":{"strings":["high"]},"dim":"resolution","parent":141},{"children":[558],"coords":{"strings":["high"]},"dim":"resolution","parent":142},{"children":[559],"coords":{"strings":["high"]},"dim":"resolution","parent":143},{"children":[560],"coords":{"strings":["high"]},"dim":"resolution","parent":144},{"children":[561],"coords":{"strings":["high"]},"dim":"resolution","parent":145},{"children":[562],"coords":{"strings":["high"]},"dim":"resolution","parent":146},{"children":[563],"coords":{"strings":["high"]},"dim":"resolution","parent":147},{"children":[564],"coords":{"strings":["high"]},"dim":"resolution","parent":148},{"children":[565],"coords":{"strings":["high"]},"dim":"resolution","parent":149},{"children":[566],"coords":{"strings":["high"]},"dim":"resolution","parent":150},{"children":[567],"coords":{"strings":["high"]},"dim":"resolution","parent":151},{"children":[568],"coords":{"strings":["high"]},"dim":"resolution","parent":152},{"children":[569],"coords":{"strings":["high"]},"dim":"resolution","parent":153},{"children":[570],"coords":{"strings":["high"]},"dim":"resolution","parent":154},{"children":[571],"coords":{"strings":["high"]},"dim":"resolution","parent":155},{"children":[572],"coords":{"strings":["high"]},"dim":"resolution","parent":156},{"children":[573],"coords":{"strings":["high"]},"dim":"resolution","parent":157},{"children":[574],"coords":{"strings":["high"]},"dim":"resolution","parent":158},{"children":[575],"coords":{"strings":["high"]},"dim":"resolution","parent":159},{"children":[576],"coords":{"strings":["high"]},"dim":"resolution","parent":160},{"children":[577],"coords":{"strings":["high"]},"dim":"resolution","parent":161},{"children":[578],"coords":{"strings":["high"]},"dim":"resolution","parent":162},{"children":[579],"coords":{"strings":["high"]},"dim":"resolution","parent":163},{"children":[580],"coords":{"strings":["high"]},"dim":"resolution","parent":164},{"children":[581],"coords":{"strings":["high"]},"dim":"resolution","parent":165},{"children":[582],"coords":{"strings":["high"]},"dim":"resolution","parent":166},{"children":[583],"coords":{"strings":["high"]},"dim":"resolution","parent":167},{"children":[584],"coords":{"strings":["high"]},"dim":"resolution","parent":168},{"children":[585],"coords":{"strings":["high"]},"dim":"resolution","parent":169},{"children":[586],"coords":{"strings":["high"]},"dim":"resolution","parent":170},{"children":[587],"coords":{"strings":["high"]},"dim":"resolution","parent":171},{"children":[588],"coords":{"strings":["high"]},"dim":"resolution","parent":172},{"children":[589],"coords":{"strings":["high"]},"dim":"resolution","parent":173},{"children":[590],"coords":{"strings":["high"]},"dim":"resolution","parent":174},{"children":[591],"coords":{"strings":["high"]},"dim":"resolution","parent":175},{"children":[592],"coords":{"strings":["high"]},"dim":"resolution","parent":176},{"children":[593],"coords":{"strings":["high"]},"dim":"resolution","parent":177},{"children":[594],"coords":{"strings":["high"]},"dim":"resolution","parent":178},{"children":[595],"coords":{"strings":["high"]},"dim":"resolution","parent":179},{"children":[596],"coords":{"strings":["high"]},"dim":"resolution","parent":180},{"children":[597],"coords":{"strings":["high"]},"dim":"resolution","parent":181},{"children":[598],"coords":{"strings":["high"]},"dim":"resolution","parent":182},{"children":[599],"coords":{"strings":["high"]},"dim":"resolution","parent":183},{"children":[600],"coords":{"strings":["high"]},"dim":"resolution","parent":184},{"children":[601],"coords":{"strings":["high"]},"dim":"resolution","parent":185},{"children":[602],"coords":{"strings":["high"]},"dim":"resolution","parent":186},{"children":[603],"coords":{"strings":["high"]},"dim":"resolution","parent":187},{"children":[604],"coords":{"strings":["high"]},"dim":"resolution","parent":188},{"children":[605],"coords":{"strings":["high"]},"dim":"resolution","parent":189},{"children":[606],"coords":{"strings":["high"]},"dim":"resolution","parent":190},{"children":[607],"coords":{"strings":["high"]},"dim":"resolution","parent":191},{"children":[608],"coords":{"strings":["high"]},"dim":"resolution","parent":192},{"children":[609],"coords":{"strings":["high"]},"dim":"resolution","parent":193},{"children":[610],"coords":{"strings":["high"]},"dim":"resolution","parent":194},{"children":[611],"coords":{"strings":["high"]},"dim":"resolution","parent":195},{"children":[612],"coords":{"strings":["high"]},"dim":"resolution","parent":196},{"children":[613],"coords":{"strings":["high"]},"dim":"resolution","parent":197},{"children":[614],"coords":{"strings":["high"]},"dim":"resolution","parent":198},{"children":[615],"coords":{"strings":["high"]},"dim":"resolution","parent":199},{"children":[616],"coords":{"strings":["high"]},"dim":"resolution","parent":200},{"children":[617],"coords":{"strings":["high"]},"dim":"resolution","parent":201},{"children":[618],"coords":{"strings":["high"]},"dim":"resolution","parent":202},{"children":[619],"coords":{"strings":["high"]},"dim":"resolution","parent":203},{"children":[620],"coords":{"strings":["high"]},"dim":"resolution","parent":204},{"children":[621],"coords":{"strings":["high"]},"dim":"resolution","parent":205},{"children":[622],"coords":{"strings":["high"]},"dim":"resolution","parent":206},{"children":[623],"coords":{"strings":["high"]},"dim":"resolution","parent":207},{"children":[624],"coords":{"strings":["high"]},"dim":"resolution","parent":208},{"children":[625],"coords":{"strings":["high"]},"dim":"resolution","parent":209},{"children":[626],"coords":{"strings":["high"]},"dim":"resolution","parent":210},{"children":[627],"coords":{"strings":["high"]},"dim":"resolution","parent":211},{"children":[628],"coords":{"strings":["high"]},"dim":"resolution","parent":212},{"children":[629],"coords":{"strings":["high"]},"dim":"resolution","parent":213},{"children":[630],"coords":{"strings":["high"]},"dim":"resolution","parent":214},{"children":[631],"coords":{"strings":["high"]},"dim":"resolution","parent":215},{"children":[632],"coords":{"strings":["high"]},"dim":"resolution","parent":216},{"children":[633],"coords":{"strings":["high"]},"dim":"resolution","parent":217},{"children":[634],"coords":{"strings":["high"]},"dim":"resolution","parent":218},{"children":[635],"coords":{"strings":["high"]},"dim":"resolution","parent":219},{"children":[636],"coords":{"strings":["high"]},"dim":"resolution","parent":220},{"children":[637],"coords":{"strings":["high"]},"dim":"resolution","parent":221},{"children":[638],"coords":{"strings":["high"]},"dim":"resolution","parent":222},{"children":[639],"coords":{"strings":["high"]},"dim":"resolution","parent":223},{"children":[640],"coords":{"strings":["high"]},"dim":"resolution","parent":224},{"children":[641],"coords":{"strings":["high"]},"dim":"resolution","parent":225},{"children":[642],"coords":{"strings":["high"]},"dim":"resolution","parent":226},{"children":[643],"coords":{"strings":["high"]},"dim":"resolution","parent":227},{"children":[644],"coords":{"strings":["high"]},"dim":"resolution","parent":228},{"children":[645],"coords":{"strings":["high"]},"dim":"resolution","parent":229},{"children":[646],"coords":{"strings":["high"]},"dim":"resolution","parent":230},{"children":[647],"coords":{"strings":["high"]},"dim":"resolution","parent":231},{"children":[648],"coords":{"strings":["high"]},"dim":"resolution","parent":232},{"children":[649],"coords":{"strings":["high"]},"dim":"resolution","parent":233},{"children":[650],"coords":{"strings":["high"]},"dim":"resolution","parent":234},{"children":[651],"coords":{"strings":["high"]},"dim":"resolution","parent":235},{"children":[652],"coords":{"strings":["high"]},"dim":"resolution","parent":236},{"children":[653],"coords":{"strings":["high"]},"dim":"resolution","parent":237},{"children":[654],"coords":{"strings":["high"]},"dim":"resolution","parent":238},{"children":[655],"coords":{"strings":["high"]},"dim":"resolution","parent":239},{"children":[656],"coords":{"strings":["high"]},"dim":"resolution","parent":240},{"children":[657],"coords":{"strings":["high"]},"dim":"resolution","parent":241},{"children":[658],"coords":{"strings":["high"]},"dim":"resolution","parent":242},{"children":[659],"coords":{"strings":["high"]},"dim":"resolution","parent":243},{"children":[660],"coords":{"strings":["high"]},"dim":"resolution","parent":244},{"children":[661],"coords":{"strings":["high"]},"dim":"resolution","parent":245},{"children":[662],"coords":{"strings":["high"]},"dim":"resolution","parent":246},{"children":[663],"coords":{"strings":["high"]},"dim":"resolution","parent":247},{"children":[664],"coords":{"strings":["high"]},"dim":"resolution","parent":248},{"children":[665],"coords":{"strings":["high"]},"dim":"resolution","parent":249},{"children":[666],"coords":{"strings":["high"]},"dim":"resolution","parent":250},{"children":[667],"coords":{"strings":["high"]},"dim":"resolution","parent":251},{"children":[668],"coords":{"strings":["high"]},"dim":"resolution","parent":252},{"children":[669],"coords":{"strings":["high"]},"dim":"resolution","parent":253},{"children":[670],"coords":{"strings":["fc"]},"dim":"type","parent":254},{"children":[671],"coords":{"strings":["fc"]},"dim":"type","parent":255},{"children":[672],"coords":{"strings":["fc"]},"dim":"type","parent":256},{"children":[673],"coords":{"strings":["fc"]},"dim":"type","parent":257},{"children":[674],"coords":{"strings":["fc"]},"dim":"type","parent":258},{"children":[675],"coords":{"strings":["fc"]},"dim":"type","parent":259},{"children":[676],"coords":{"strings":["fc"]},"dim":"type","parent":260},{"children":[677],"coords":{"strings":["fc"]},"dim":"type","parent":261},{"children":[678],"coords":{"strings":["fc"]},"dim":"type","parent":262},{"children":[679],"coords":{"strings":["fc"]},"dim":"type","parent":263},{"children":[680],"coords":{"strings":["fc"]},"dim":"type","parent":264},{"children":[681,682],"coords":{"strings":["fc"]},"dim":"type","parent":265},{"children":[683],"coords":{"strings":["fc"]},"dim":"type","parent":266},{"children":[684],"coords":{"strings":["fc"]},"dim":"type","parent":267},{"children":[685],"coords":{"strings":["fc"]},"dim":"type","parent":268},{"children":[686],"coords":{"strings":["fc"]},"dim":"type","parent":269},{"children":[687],"coords":{"strings":["fc"]},"dim":"type","parent":270},{"children":[688],"coords":{"strings":["fc"]},"dim":"type","parent":271},{"children":[689],"coords":{"strings":["fc"]},"dim":"type","parent":272},{"children":[690],"coords":{"strings":["fc"]},"dim":"type","parent":273},{"children":[691],"coords":{"strings":["fc"]},"dim":"type","parent":274},{"children":[692],"coords":{"strings":["fc"]},"dim":"type","parent":275},{"children":[693],"coords":{"strings":["fc"]},"dim":"type","parent":276},{"children":[694],"coords":{"strings":["fc"]},"dim":"type","parent":277},{"children":[695],"coords":{"strings":["fc"]},"dim":"type","parent":278},{"children":[696],"coords":{"strings":["fc"]},"dim":"type","parent":279},{"children":[697],"coords":{"strings":["fc"]},"dim":"type","parent":280},{"children":[698],"coords":{"strings":["fc"]},"dim":"type","parent":281},{"children":[699],"coords":{"strings":["fc"]},"dim":"type","parent":282},{"children":[700],"coords":{"strings":["fc"]},"dim":"type","parent":283},{"children":[701],"coords":{"strings":["fc"]},"dim":"type","parent":284},{"children":[702],"coords":{"strings":["fc"]},"dim":"type","parent":285},{"children":[703],"coords":{"strings":["fc"]},"dim":"type","parent":286},{"children":[704],"coords":{"strings":["fc"]},"dim":"type","parent":287},{"children":[705],"coords":{"strings":["fc"]},"dim":"type","parent":288},{"children":[706],"coords":{"strings":["fc"]},"dim":"type","parent":289},{"children":[707],"coords":{"strings":["fc"]},"dim":"type","parent":290},{"children":[708],"coords":{"strings":["fc"]},"dim":"type","parent":291},{"children":[709],"coords":{"strings":["fc"]},"dim":"type","parent":292},{"children":[710],"coords":{"strings":["fc"]},"dim":"type","parent":293},{"children":[711],"coords":{"strings":["fc"]},"dim":"type","parent":294},{"children":[712],"coords":{"strings":["fc"]},"dim":"type","parent":295},{"children":[713],"coords":{"strings":["fc"]},"dim":"type","parent":296},{"children":[714],"coords":{"strings":["fc"]},"dim":"type","parent":297},{"children":[715],"coords":{"strings":["fc"]},"dim":"type","parent":298},{"children":[716],"coords":{"strings":["fc"]},"dim":"type","parent":299},{"children":[717],"coords":{"strings":["fc"]},"dim":"type","parent":300},{"children":[718],"coords":{"strings":["fc"]},"dim":"type","parent":301},{"children":[719],"coords":{"strings":["fc"]},"dim":"type","parent":302},{"children":[720],"coords":{"strings":["fc"]},"dim":"type","parent":303},{"children":[721],"coords":{"strings":["fc"]},"dim":"type","parent":304},{"children":[722],"coords":{"strings":["fc"]},"dim":"type","parent":305},{"children":[723],"coords":{"strings":["fc"]},"dim":"type","parent":306},{"children":[724],"coords":{"strings":["fc"]},"dim":"type","parent":307},{"children":[725],"coords":{"strings":["fc"]},"dim":"type","parent":308},{"children":[726],"coords":{"strings":["fc"]},"dim":"type","parent":309},{"children":[727],"coords":{"strings":["fc"]},"dim":"type","parent":310},{"children":[728],"coords":{"strings":["fc"]},"dim":"type","parent":311},{"children":[729],"coords":{"strings":["fc"]},"dim":"type","parent":312},{"children":[730],"coords":{"strings":["fc"]},"dim":"type","parent":313},{"children":[731],"coords":{"strings":["fc"]},"dim":"type","parent":314},{"children":[732],"coords":{"strings":["fc"]},"dim":"type","parent":315},{"children":[733],"coords":{"strings":["fc"]},"dim":"type","parent":316},{"children":[734],"coords":{"strings":["fc"]},"dim":"type","parent":317},{"children":[735],"coords":{"strings":["fc"]},"dim":"type","parent":318},{"children":[736],"coords":{"strings":["fc"]},"dim":"type","parent":319},{"children":[737],"coords":{"strings":["fc"]},"dim":"type","parent":320},{"children":[738],"coords":{"strings":["fc"]},"dim":"type","parent":321},{"children":[739],"coords":{"strings":["fc"]},"dim":"type","parent":322},{"children":[740],"coords":{"strings":["fc"]},"dim":"type","parent":323},{"children":[741],"coords":{"strings":["fc"]},"dim":"type","parent":324},{"children":[742],"coords":{"strings":["fc"]},"dim":"type","parent":325},{"children":[743],"coords":{"strings":["fc"]},"dim":"type","parent":326},{"children":[744],"coords":{"strings":["fc"]},"dim":"type","parent":327},{"children":[745],"coords":{"strings":["fc"]},"dim":"type","parent":328},{"children":[746],"coords":{"strings":["fc"]},"dim":"type","parent":329},{"children":[747],"coords":{"strings":["fc"]},"dim":"type","parent":330},{"children":[748],"coords":{"strings":["fc"]},"dim":"type","parent":331},{"children":[749],"coords":{"strings":["fc"]},"dim":"type","parent":332},{"children":[750],"coords":{"strings":["fc"]},"dim":"type","parent":333},{"children":[751],"coords":{"strings":["fc"]},"dim":"type","parent":334},{"children":[752],"coords":{"strings":["fc"]},"dim":"type","parent":335},{"children":[753],"coords":{"strings":["fc"]},"dim":"type","parent":336},{"children":[754],"coords":{"strings":["fc"]},"dim":"type","parent":337},{"children":[755],"coords":{"strings":["fc"]},"dim":"type","parent":338},{"children":[756],"coords":{"strings":["fc"]},"dim":"type","parent":339},{"children":[757],"coords":{"strings":["fc"]},"dim":"type","parent":340},{"children":[758],"coords":{"strings":["fc"]},"dim":"type","parent":341},{"children":[759],"coords":{"strings":["fc"]},"dim":"type","parent":342},{"children":[760],"coords":{"strings":["fc"]},"dim":"type","parent":343},{"children":[761],"coords":{"strings":["fc"]},"dim":"type","parent":344},{"children":[762],"coords":{"strings":["fc"]},"dim":"type","parent":345},{"children":[763],"coords":{"strings":["fc"]},"dim":"type","parent":346},{"children":[764],"coords":{"strings":["fc"]},"dim":"type","parent":347},{"children":[765],"coords":{"strings":["fc"]},"dim":"type","parent":348},{"children":[766],"coords":{"strings":["fc"]},"dim":"type","parent":349},{"children":[767],"coords":{"strings":["fc"]},"dim":"type","parent":350},{"children":[768],"coords":{"strings":["fc"]},"dim":"type","parent":351},{"children":[769],"coords":{"strings":["fc"]},"dim":"type","parent":352},{"children":[770],"coords":{"strings":["fc"]},"dim":"type","parent":353},{"children":[771],"coords":{"strings":["fc"]},"dim":"type","parent":354},{"children":[772],"coords":{"strings":["fc"]},"dim":"type","parent":355},{"children":[773],"coords":{"strings":["fc"]},"dim":"type","parent":356},{"children":[774],"coords":{"strings":["fc"]},"dim":"type","parent":357},{"children":[775],"coords":{"strings":["fc"]},"dim":"type","parent":358},{"children":[776],"coords":{"strings":["fc"]},"dim":"type","parent":359},{"children":[777],"coords":{"strings":["fc"]},"dim":"type","parent":360},{"children":[778],"coords":{"strings":["fc"]},"dim":"type","parent":361},{"children":[779],"coords":{"strings":["fc"]},"dim":"type","parent":362},{"children":[780],"coords":{"strings":["fc"]},"dim":"type","parent":363},{"children":[781],"coords":{"strings":["fc"]},"dim":"type","parent":364},{"children":[782],"coords":{"strings":["fc"]},"dim":"type","parent":365},{"children":[783],"coords":{"strings":["fc"]},"dim":"type","parent":366},{"children":[784],"coords":{"strings":["fc"]},"dim":"type","parent":367},{"children":[785],"coords":{"strings":["fc"]},"dim":"type","parent":368},{"children":[786],"coords":{"strings":["fc"]},"dim":"type","parent":369},{"children":[787],"coords":{"strings":["fc"]},"dim":"type","parent":370},{"children":[788],"coords":{"strings":["fc"]},"dim":"type","parent":371},{"children":[789],"coords":{"strings":["fc"]},"dim":"type","parent":372},{"children":[790],"coords":{"strings":["fc"]},"dim":"type","parent":373},{"children":[791],"coords":{"strings":["fc"]},"dim":"type","parent":374},{"children":[792],"coords":{"strings":["fc"]},"dim":"type","parent":375},{"children":[793],"coords":{"strings":["fc"]},"dim":"type","parent":376},{"children":[794],"coords":{"strings":["fc"]},"dim":"type","parent":377},{"children":[795],"coords":{"strings":["fc"]},"dim":"type","parent":378},{"children":[796],"coords":{"strings":["fc"]},"dim":"type","parent":379},{"children":[797],"coords":{"strings":["fc"]},"dim":"type","parent":380},{"children":[798],"coords":{"strings":["fc"]},"dim":"type","parent":381},{"children":[799],"coords":{"strings":["fc"]},"dim":"type","parent":382},{"children":[800],"coords":{"strings":["fc"]},"dim":"type","parent":383},{"children":[801],"coords":{"strings":["fc"]},"dim":"type","parent":384},{"children":[802],"coords":{"strings":["fc"]},"dim":"type","parent":385},{"children":[803],"coords":{"strings":["fc"]},"dim":"type","parent":386},{"children":[804],"coords":{"strings":["fc"]},"dim":"type","parent":387},{"children":[805],"coords":{"strings":["fc"]},"dim":"type","parent":388},{"children":[806],"coords":{"strings":["fc"]},"dim":"type","parent":389},{"children":[807],"coords":{"strings":["fc"]},"dim":"type","parent":390},{"children":[808],"coords":{"strings":["fc"]},"dim":"type","parent":391},{"children":[809],"coords":{"strings":["fc"]},"dim":"type","parent":392},{"children":[810],"coords":{"strings":["fc"]},"dim":"type","parent":393},{"children":[811],"coords":{"strings":["fc"]},"dim":"type","parent":394},{"children":[812],"coords":{"strings":["fc"]},"dim":"type","parent":395},{"children":[813],"coords":{"strings":["fc"]},"dim":"type","parent":396},{"children":[814],"coords":{"strings":["fc"]},"dim":"type","parent":397},{"children":[815],"coords":{"strings":["fc"]},"dim":"type","parent":398},{"children":[816],"coords":{"strings":["fc"]},"dim":"type","parent":399},{"children":[817],"coords":{"strings":["fc"]},"dim":"type","parent":400},{"children":[818],"coords":{"strings":["fc"]},"dim":"type","parent":401},{"children":[819],"coords":{"strings":["fc"]},"dim":"type","parent":402},{"children":[820],"coords":{"strings":["fc"]},"dim":"type","parent":403},{"children":[821],"coords":{"strings":["fc"]},"dim":"type","parent":404},{"children":[822],"coords":{"strings":["fc"]},"dim":"type","parent":405},{"children":[823],"coords":{"strings":["fc"]},"dim":"type","parent":406},{"children":[824],"coords":{"strings":["fc"]},"dim":"type","parent":407},{"children":[825],"coords":{"strings":["fc"]},"dim":"type","parent":408},{"children":[826],"coords":{"strings":["fc"]},"dim":"type","parent":409},{"children":[827],"coords":{"strings":["fc"]},"dim":"type","parent":410},{"children":[828],"coords":{"strings":["fc"]},"dim":"type","parent":411},{"children":[829],"coords":{"strings":["fc"]},"dim":"type","parent":412},{"children":[830],"coords":{"strings":["fc"]},"dim":"type","parent":413},{"children":[831],"coords":{"strings":["fc"]},"dim":"type","parent":414},{"children":[832],"coords":{"strings":["fc"]},"dim":"type","parent":415},{"children":[833],"coords":{"strings":["fc"]},"dim":"type","parent":416},{"children":[834],"coords":{"strings":["fc"]},"dim":"type","parent":417},{"children":[835],"coords":{"strings":["fc"]},"dim":"type","parent":418},{"children":[836],"coords":{"strings":["fc"]},"dim":"type","parent":419},{"children":[837],"coords":{"strings":["fc"]},"dim":"type","parent":420},{"children":[838],"coords":{"strings":["fc"]},"dim":"type","parent":421},{"children":[839],"coords":{"strings":["fc"]},"dim":"type","parent":422},{"children":[840],"coords":{"strings":["fc"]},"dim":"type","parent":423},{"children":[841],"coords":{"strings":["fc"]},"dim":"type","parent":424},{"children":[842],"coords":{"strings":["fc"]},"dim":"type","parent":425},{"children":[843],"coords":{"strings":["fc"]},"dim":"type","parent":426},{"children":[844],"coords":{"strings":["fc"]},"dim":"type","parent":427},{"children":[845],"coords":{"strings":["fc"]},"dim":"type","parent":428},{"children":[846],"coords":{"strings":["fc"]},"dim":"type","parent":429},{"children":[847],"coords":{"strings":["fc"]},"dim":"type","parent":430},{"children":[848],"coords":{"strings":["fc"]},"dim":"type","parent":431},{"children":[849],"coords":{"strings":["fc"]},"dim":"type","parent":432},{"children":[850],"coords":{"strings":["fc"]},"dim":"type","parent":433},{"children":[851],"coords":{"strings":["fc"]},"dim":"type","parent":434},{"children":[852],"coords":{"strings":["fc"]},"dim":"type","parent":435},{"children":[853],"coords":{"strings":["fc"]},"dim":"type","parent":436},{"children":[854],"coords":{"strings":["fc"]},"dim":"type","parent":437},{"children":[855],"coords":{"strings":["fc"]},"dim":"type","parent":438},{"children":[856],"coords":{"strings":["fc"]},"dim":"type","parent":439},{"children":[857],"coords":{"strings":["fc"]},"dim":"type","parent":440},{"children":[858],"coords":{"strings":["fc"]},"dim":"type","parent":441},{"children":[859],"coords":{"strings":["fc"]},"dim":"type","parent":442},{"children":[860],"coords":{"strings":["fc"]},"dim":"type","parent":443},{"children":[861],"coords":{"strings":["fc"]},"dim":"type","parent":444},{"children":[862],"coords":{"strings":["fc"]},"dim":"type","parent":445},{"children":[863],"coords":{"strings":["fc"]},"dim":"type","parent":446},{"children":[864],"coords":{"strings":["fc"]},"dim":"type","parent":447},{"children":[865],"coords":{"strings":["fc"]},"dim":"type","parent":448},{"children":[866],"coords":{"strings":["fc"]},"dim":"type","parent":449},{"children":[867],"coords":{"strings":["fc"]},"dim":"type","parent":450},{"children":[868],"coords":{"strings":["fc"]},"dim":"type","parent":451},{"children":[869],"coords":{"strings":["fc"]},"dim":"type","parent":452},{"children":[870],"coords":{"strings":["fc"]},"dim":"type","parent":453},{"children":[871],"coords":{"strings":["fc"]},"dim":"type","parent":454},{"children":[872],"coords":{"strings":["fc"]},"dim":"type","parent":455},{"children":[873],"coords":{"strings":["fc"]},"dim":"type","parent":456},{"children":[874],"coords":{"strings":["fc"]},"dim":"type","parent":457},{"children":[875],"coords":{"strings":["fc"]},"dim":"type","parent":458},{"children":[876],"coords":{"strings":["fc"]},"dim":"type","parent":459},{"children":[877],"coords":{"strings":["fc"]},"dim":"type","parent":460},{"children":[878],"coords":{"strings":["fc"]},"dim":"type","parent":461},{"children":[879],"coords":{"ints":[19900901,19900902,19900903,19900904,19900905,19900906,19900907,19900908,19900909,19900910,19900911,19900912,19900913,19900914,19900915,19900916,19900917,19900918,19900919,19900920,19900921,19900922,19900923,19900924,19900925,19900926,19900927,19900928,19900929,19900930]},"dim":"date","parent":462},{"children":[880],"coords":{"ints":[19900801,19900802,19900803,19900804,19900805,19900806,19900807,19900808,19900809,19900810,19900811,19900812,19900813,19900814,19900815,19900816,19900817,19900818,19900819,19900820,19900821,19900822,19900823,19900824,19900825,19900826,19900827,19900828,19900829,19900830,19900831]},"dim":"date","parent":463},{"children":[881],"coords":{"ints":[19900701,19900702,19900703,19900704,19900705,19900706,19900707,19900708,19900709,19900710,19900711,19900712,19900713,19900714,19900715,19900716,19900717,19900718,19900719,19900720,19900721,19900722,19900723,19900724,19900725,19900726,19900727,19900728,19900729,19900730,19900731]},"dim":"date","parent":464},{"children":[882],"coords":{"ints":[19900601,19900602,19900603,19900604,19900605,19900606,19900607,19900608,19900609,19900610,19900611,19900612,19900613,19900614,19900615,19900616,19900617,19900618,19900619,19900620,19900621,19900622,19900623,19900624,19900625,19900626,19900627,19900628,19900629,19900630]},"dim":"date","parent":465},{"children":[883],"coords":{"ints":[19900501,19900502,19900503,19900504,19900505,19900506,19900507,19900508,19900509,19900510,19900511,19900512,19900513,19900514,19900515,19900516,19900517,19900518,19900519,19900520,19900521,19900522,19900523,19900524,19900525,19900526,19900527,19900528,19900529,19900530,19900531]},"dim":"date","parent":466},{"children":[884],"coords":{"ints":[19900401,19900402,19900403,19900404,19900405,19900406,19900407,19900408,19900409,19900410,19900411,19900412,19900413,19900414,19900415,19900416,19900417,19900418,19900419,19900420,19900421,19900422,19900423,19900424,19900425,19900426,19900427,19900428,19900429,19900430]},"dim":"date","parent":467},{"children":[885],"coords":{"ints":[19900301,19900302,19900303,19900304,19900305,19900306,19900307,19900308,19900309,19900310,19900311,19900312,19900313,19900314,19900315,19900316,19900317,19900318,19900319,19900320,19900321,19900322,19900323,19900324,19900325,19900326,19900327,19900328,19900329,19900330,19900331]},"dim":"date","parent":468},{"children":[886],"coords":{"ints":[19900201,19900202,19900203,19900204,19900205,19900206,19900207,19900208,19900209,19900210,19900211,19900212,19900213,19900214,19900215,19900216,19900217,19900218,19900219,19900220,19900221,19900222,19900223,19900224,19900225,19900226,19900227,19900228]},"dim":"date","parent":469},{"children":[887],"coords":{"ints":[19901201,19901202,19901203,19901204,19901205,19901206,19901207,19901208,19901209,19901210,19901211,19901212,19901213,19901214,19901215,19901216,19901217,19901218,19901219,19901220,19901221,19901222,19901223,19901224,19901225,19901226,19901227,19901228,19901229,19901230,19901231]},"dim":"date","parent":470},{"children":[888],"coords":{"ints":[19901101,19901102,19901103,19901104,19901105,19901106,19901107,19901108,19901109,19901110,19901111,19901112,19901113,19901114,19901115,19901116,19901117,19901118,19901119,19901120,19901121,19901122,19901123,19901124,19901125,19901126,19901127,19901128,19901129,19901130]},"dim":"date","parent":471},{"children":[889],"coords":{"ints":[19901001,19901002,19901003,19901004,19901005,19901006,19901007,19901008,19901009,19901010,19901011,19901012,19901013,19901014,19901015,19901016,19901017,19901018,19901019,19901020,19901021,19901022,19901023,19901024,19901025,19901026,19901027,19901028,19901029,19901030,19901031]},"dim":"date","parent":472},{"children":[890],"coords":{"ints":[19900101]},"dim":"date","parent":473},{"children":[891],"coords":{"ints":[19900102,19900103,19900104,19900105,19900106,19900107,19900108,19900109,19900110,19900111,19900112,19900113,19900114,19900115,19900116,19900117,19900118,19900119,19900120,19900121,19900122,19900123,19900124,19900125,19900126,19900127,19900128,19900129,19900130,19900131]},"dim":"date","parent":473},{"children":[892],"coords":{"ints":[19910901,19910902,19910903,19910904,19910905,19910906,19910907,19910908,19910909,19910910,19910911,19910912,19910913,19910914,19910915,19910916,19910917,19910918,19910919,19910920,19910921,19910922,19910923,19910924,19910925,19910926,19910927,19910928,19910929,19910930]},"dim":"date","parent":474},{"children":[893],"coords":{"ints":[19910801,19910802,19910803,19910804,19910805,19910806,19910807,19910808,19910809,19910810,19910811,19910812,19910813,19910814,19910815,19910816,19910817,19910818,19910819,19910820,19910821,19910822,19910823,19910824,19910825,19910826,19910827,19910828,19910829,19910830,19910831]},"dim":"date","parent":475},{"children":[894],"coords":{"ints":[19910701,19910702,19910703,19910704,19910705,19910706,19910707,19910708,19910709,19910710,19910711,19910712,19910713,19910714,19910715,19910716,19910717,19910718,19910719,19910720,19910721,19910722,19910723,19910724,19910725,19910726,19910727,19910728,19910729,19910730,19910731]},"dim":"date","parent":476},{"children":[895],"coords":{"ints":[19910601,19910602,19910603,19910604,19910605,19910606,19910607,19910608,19910609,19910610,19910611,19910612,19910613,19910614,19910615,19910616,19910617,19910618,19910619,19910620,19910621,19910622,19910623,19910624,19910625,19910626,19910627,19910628,19910629,19910630]},"dim":"date","parent":477},{"children":[896],"coords":{"ints":[19910501,19910502,19910503,19910504,19910505,19910506,19910507,19910508,19910509,19910510,19910511,19910512,19910513,19910514,19910515,19910516,19910517,19910518,19910519,19910520,19910521,19910522,19910523,19910524,19910525,19910526,19910527,19910528,19910529,19910530,19910531]},"dim":"date","parent":478},{"children":[897],"coords":{"ints":[19910401,19910402,19910403,19910404,19910405,19910406,19910407,19910408,19910409,19910410,19910411,19910412,19910413,19910414,19910415,19910416,19910417,19910418,19910419,19910420,19910421,19910422,19910423,19910424,19910425,19910426,19910427,19910428,19910429,19910430]},"dim":"date","parent":479},{"children":[898],"coords":{"ints":[19910301,19910302,19910303,19910304,19910305,19910306,19910307,19910308,19910309,19910310,19910311,19910312,19910313,19910314,19910315,19910316,19910317,19910318,19910319,19910320,19910321,19910322,19910323,19910324,19910325,19910326,19910327,19910328,19910329,19910330,19910331]},"dim":"date","parent":480},{"children":[899],"coords":{"ints":[19910201,19910202,19910203,19910204,19910205,19910206,19910207,19910208,19910209,19910210,19910211,19910212,19910213,19910214,19910215,19910216,19910217,19910218,19910219,19910220,19910221,19910222,19910223,19910224,19910225,19910226,19910227,19910228]},"dim":"date","parent":481},{"children":[900],"coords":{"ints":[19911201,19911202,19911203,19911204,19911205,19911206,19911207,19911208,19911209,19911210,19911211,19911212,19911213,19911214,19911215,19911216,19911217,19911218,19911219,19911220,19911221,19911222,19911223,19911224,19911225,19911226,19911227,19911228,19911229,19911230,19911231]},"dim":"date","parent":482},{"children":[901],"coords":{"ints":[19911101,19911102,19911103,19911104,19911105,19911106,19911107,19911108,19911109,19911110,19911111,19911112,19911113,19911114,19911115,19911116,19911117,19911118,19911119,19911120,19911121,19911122,19911123,19911124,19911125,19911126,19911127,19911128,19911129,19911130]},"dim":"date","parent":483},{"children":[902],"coords":{"ints":[19911001,19911002,19911003,19911004,19911005,19911006,19911007,19911008,19911009,19911010,19911011,19911012,19911013,19911014,19911015,19911016,19911017,19911018,19911019,19911020,19911021,19911022,19911023,19911024,19911025,19911026,19911027,19911028,19911029,19911030,19911031]},"dim":"date","parent":484},{"children":[903],"coords":{"ints":[19910101,19910102,19910103,19910104,19910105,19910106,19910107,19910108,19910109,19910110,19910111,19910112,19910113,19910114,19910115,19910116,19910117,19910118,19910119,19910120,19910121,19910122,19910123,19910124,19910125,19910126,19910127,19910128,19910129,19910130,19910131]},"dim":"date","parent":485},{"children":[904],"coords":{"ints":[19920901,19920902,19920903,19920904,19920905,19920906,19920907,19920908,19920909,19920910,19920911,19920912,19920913,19920914,19920915,19920916,19920917,19920918,19920919,19920920,19920921,19920922,19920923,19920924,19920925,19920926,19920927,19920928,19920929,19920930]},"dim":"date","parent":486},{"children":[905],"coords":{"ints":[19920801,19920802,19920803,19920804,19920805,19920806,19920807,19920808,19920809,19920810,19920811,19920812,19920813,19920814,19920815,19920816,19920817,19920818,19920819,19920820,19920821,19920822,19920823,19920824,19920825,19920826,19920827,19920828,19920829,19920830,19920831]},"dim":"date","parent":487},{"children":[906],"coords":{"ints":[19920701,19920702,19920703,19920704,19920705,19920706,19920707,19920708,19920709,19920710,19920711,19920712,19920713,19920714,19920715,19920716,19920717,19920718,19920719,19920720,19920721,19920722,19920723,19920724,19920725,19920726,19920727,19920728,19920729,19920730,19920731]},"dim":"date","parent":488},{"children":[907],"coords":{"ints":[19920601,19920602,19920603,19920604,19920605,19920606,19920607,19920608,19920609,19920610,19920611,19920612,19920613,19920614,19920615,19920616,19920617,19920618,19920619,19920620,19920621,19920622,19920623,19920624,19920625,19920626,19920627,19920628,19920629,19920630]},"dim":"date","parent":489},{"children":[908],"coords":{"ints":[19920501,19920502,19920503,19920504,19920505,19920506,19920507,19920508,19920509,19920510,19920511,19920512,19920513,19920514,19920515,19920516,19920517,19920518,19920519,19920520,19920521,19920522,19920523,19920524,19920525,19920526,19920527,19920528,19920529,19920530,19920531]},"dim":"date","parent":490},{"children":[909],"coords":{"ints":[19920401,19920402,19920403,19920404,19920405,19920406,19920407,19920408,19920409,19920410,19920411,19920412,19920413,19920414,19920415,19920416,19920417,19920418,19920419,19920420,19920421,19920422,19920423,19920424,19920425,19920426,19920427,19920428,19920429,19920430]},"dim":"date","parent":491},{"children":[910],"coords":{"ints":[19920301,19920302,19920303,19920304,19920305,19920306,19920307,19920308,19920309,19920310,19920311,19920312,19920313,19920314,19920315,19920316,19920317,19920318,19920319,19920320,19920321,19920322,19920323,19920324,19920325,19920326,19920327,19920328,19920329,19920330,19920331]},"dim":"date","parent":492},{"children":[911],"coords":{"ints":[19920201,19920202,19920203,19920204,19920205,19920206,19920207,19920208,19920209,19920210,19920211,19920212,19920213,19920214,19920215,19920216,19920217,19920218,19920219,19920220,19920221,19920222,19920223,19920224,19920225,19920226,19920227,19920228,19920229]},"dim":"date","parent":493},{"children":[912],"coords":{"ints":[19921201,19921202,19921203,19921204,19921205,19921206,19921207,19921208,19921209,19921210,19921211,19921212,19921213,19921214,19921215,19921216,19921217,19921218,19921219,19921220,19921221,19921222,19921223,19921224,19921225,19921226,19921227,19921228,19921229,19921230,19921231]},"dim":"date","parent":494},{"children":[913],"coords":{"ints":[19921101,19921102,19921103,19921104,19921105,19921106,19921107,19921108,19921109,19921110,19921111,19921112,19921113,19921114,19921115,19921116,19921117,19921118,19921119,19921120,19921121,19921122,19921123,19921124,19921125,19921126,19921127,19921128,19921129,19921130]},"dim":"date","parent":495},{"children":[914],"coords":{"ints":[19921001,19921002,19921003,19921004,19921005,19921006,19921007,19921008,19921009,19921010,19921011,19921012,19921013,19921014,19921015,19921016,19921017,19921018,19921019,19921020,19921021,19921022,19921023,19921024,19921025,19921026,19921027,19921028,19921029,19921030,19921031]},"dim":"date","parent":496},{"children":[915],"coords":{"ints":[19920101,19920102,19920103,19920104,19920105,19920106,19920107,19920108,19920109,19920110,19920111,19920112,19920113,19920114,19920115,19920116,19920117,19920118,19920119,19920120,19920121,19920122,19920123,19920124,19920125,19920126,19920127,19920128,19920129,19920130,19920131]},"dim":"date","parent":497},{"children":[916],"coords":{"ints":[19930901,19930902,19930903,19930904,19930905,19930906,19930907,19930908,19930909,19930910,19930911,19930912,19930913,19930914,19930915,19930916,19930917,19930918,19930919,19930920,19930921,19930922,19930923,19930924,19930925,19930926,19930927,19930928,19930929,19930930]},"dim":"date","parent":498},{"children":[917],"coords":{"ints":[19930801,19930802,19930803,19930804,19930805,19930806,19930807,19930808,19930809,19930810,19930811,19930812,19930813,19930814,19930815,19930816,19930817,19930818,19930819,19930820,19930821,19930822,19930823,19930824,19930825,19930826,19930827,19930828,19930829,19930830,19930831]},"dim":"date","parent":499},{"children":[918],"coords":{"ints":[19930701,19930702,19930703,19930704,19930705,19930706,19930707,19930708,19930709,19930710,19930711,19930712,19930713,19930714,19930715,19930716,19930717,19930718,19930719,19930720,19930721,19930722,19930723,19930724,19930725,19930726,19930727,19930728,19930729,19930730,19930731]},"dim":"date","parent":500},{"children":[919],"coords":{"ints":[19930601,19930602,19930603,19930604,19930605,19930606,19930607,19930608,19930609,19930610,19930611,19930612,19930613,19930614,19930615,19930616,19930617,19930618,19930619,19930620,19930621,19930622,19930623,19930624,19930625,19930626,19930627,19930628,19930629,19930630]},"dim":"date","parent":501},{"children":[920],"coords":{"ints":[19930501,19930502,19930503,19930504,19930505,19930506,19930507,19930508,19930509,19930510,19930511,19930512,19930513,19930514,19930515,19930516,19930517,19930518,19930519,19930520,19930521,19930522,19930523,19930524,19930525,19930526,19930527,19930528,19930529,19930530,19930531]},"dim":"date","parent":502},{"children":[921],"coords":{"ints":[19930401,19930402,19930403,19930404,19930405,19930406,19930407,19930408,19930409,19930410,19930411,19930412,19930413,19930414,19930415,19930416,19930417,19930418,19930419,19930420,19930421,19930422,19930423,19930424,19930425,19930426,19930427,19930428,19930429,19930430]},"dim":"date","parent":503},{"children":[922],"coords":{"ints":[19930301,19930302,19930303,19930304,19930305,19930306,19930307,19930308,19930309,19930310,19930311,19930312,19930313,19930314,19930315,19930316,19930317,19930318,19930319,19930320,19930321,19930322,19930323,19930324,19930325,19930326,19930327,19930328,19930329,19930330,19930331]},"dim":"date","parent":504},{"children":[923],"coords":{"ints":[19930201,19930202,19930203,19930204,19930205,19930206,19930207,19930208,19930209,19930210,19930211,19930212,19930213,19930214,19930215,19930216,19930217,19930218,19930219,19930220,19930221,19930222,19930223,19930224,19930225,19930226,19930227,19930228]},"dim":"date","parent":505},{"children":[924],"coords":{"ints":[19931201,19931202,19931203,19931204,19931205,19931206,19931207,19931208,19931209,19931210,19931211,19931212,19931213,19931214,19931215,19931216,19931217,19931218,19931219,19931220,19931221,19931222,19931223,19931224,19931225,19931226,19931227,19931228,19931229,19931230,19931231]},"dim":"date","parent":506},{"children":[925],"coords":{"ints":[19931101,19931102,19931103,19931104,19931105,19931106,19931107,19931108,19931109,19931110,19931111,19931112,19931113,19931114,19931115,19931116,19931117,19931118,19931119,19931120,19931121,19931122,19931123,19931124,19931125,19931126,19931127,19931128,19931129,19931130]},"dim":"date","parent":507},{"children":[926],"coords":{"ints":[19931001,19931002,19931003,19931004,19931005,19931006,19931007,19931008,19931009,19931010,19931011,19931012,19931013,19931014,19931015,19931016,19931017,19931018,19931019,19931020,19931021,19931022,19931023,19931024,19931025,19931026,19931027,19931028,19931029,19931030,19931031]},"dim":"date","parent":508},{"children":[927],"coords":{"ints":[19930101,19930102,19930103,19930104,19930105,19930106,19930107,19930108,19930109,19930110,19930111,19930112,19930113,19930114,19930115,19930116,19930117,19930118,19930119,19930120,19930121,19930122,19930123,19930124,19930125,19930126,19930127,19930128,19930129,19930130,19930131]},"dim":"date","parent":509},{"children":[928],"coords":{"ints":[19940901,19940902,19940903,19940904,19940905,19940906,19940907,19940908,19940909,19940910,19940911,19940912,19940913,19940914,19940915,19940916,19940917,19940918,19940919,19940920,19940921,19940922,19940923,19940924,19940925,19940926,19940927,19940928,19940929,19940930]},"dim":"date","parent":510},{"children":[929],"coords":{"ints":[19940801,19940802,19940803,19940804,19940805,19940806,19940807,19940808,19940809,19940810,19940811,19940812,19940813,19940814,19940815,19940816,19940817,19940818,19940819,19940820,19940821,19940822,19940823,19940824,19940825,19940826,19940827,19940828,19940829,19940830,19940831]},"dim":"date","parent":511},{"children":[930],"coords":{"ints":[19940701,19940702,19940703,19940704,19940705,19940706,19940707,19940708,19940709,19940710,19940711,19940712,19940713,19940714,19940715,19940716,19940717,19940718,19940719,19940720,19940721,19940722,19940723,19940724,19940725,19940726,19940727,19940728,19940729,19940730,19940731]},"dim":"date","parent":512},{"children":[931],"coords":{"ints":[19940601,19940602,19940603,19940604,19940605,19940606,19940607,19940608,19940609,19940610,19940611,19940612,19940613,19940614,19940615,19940616,19940617,19940618,19940619,19940620,19940621,19940622,19940623,19940624,19940625,19940626,19940627,19940628,19940629,19940630]},"dim":"date","parent":513},{"children":[932],"coords":{"ints":[19940501,19940502,19940503,19940504,19940505,19940506,19940507,19940508,19940509,19940510,19940511,19940512,19940513,19940514,19940515,19940516,19940517,19940518,19940519,19940520,19940521,19940522,19940523,19940524,19940525,19940526,19940527,19940528,19940529,19940530,19940531]},"dim":"date","parent":514},{"children":[933],"coords":{"ints":[19940401,19940402,19940403,19940404,19940405,19940406,19940407,19940408,19940409,19940410,19940411,19940412,19940413,19940414,19940415,19940416,19940417,19940418,19940419,19940420,19940421,19940422,19940423,19940424,19940425,19940426,19940427,19940428,19940429,19940430]},"dim":"date","parent":515},{"children":[934],"coords":{"ints":[19940301,19940302,19940303,19940304,19940305,19940306,19940307,19940308,19940309,19940310,19940311,19940312,19940313,19940314,19940315,19940316,19940317,19940318,19940319,19940320,19940321,19940322,19940323,19940324,19940325,19940326,19940327,19940328,19940329,19940330,19940331]},"dim":"date","parent":516},{"children":[935],"coords":{"ints":[19940201,19940202,19940203,19940204,19940205,19940206,19940207,19940208,19940209,19940210,19940211,19940212,19940213,19940214,19940215,19940216,19940217,19940218,19940219,19940220,19940221,19940222,19940223,19940224,19940225,19940226,19940227,19940228]},"dim":"date","parent":517},{"children":[936],"coords":{"ints":[19941201,19941202,19941203,19941204,19941205,19941206,19941207,19941208,19941209,19941210,19941211,19941212,19941213,19941214,19941215,19941216,19941217,19941218,19941219,19941220,19941221,19941222,19941223,19941224,19941225,19941226,19941227,19941228,19941229,19941230,19941231]},"dim":"date","parent":518},{"children":[937],"coords":{"ints":[19941101,19941102,19941103,19941104,19941105,19941106,19941107,19941108,19941109,19941110,19941111,19941112,19941113,19941114,19941115,19941116,19941117,19941118,19941119,19941120,19941121,19941122,19941123,19941124,19941125,19941126,19941127,19941128,19941129,19941130]},"dim":"date","parent":519},{"children":[938],"coords":{"ints":[19941001,19941002,19941003,19941004,19941005,19941006,19941007,19941008,19941009,19941010,19941011,19941012,19941013,19941014,19941015,19941016,19941017,19941018,19941019,19941020,19941021,19941022,19941023,19941024,19941025,19941026,19941027,19941028,19941029,19941030,19941031]},"dim":"date","parent":520},{"children":[939],"coords":{"ints":[19940101,19940102,19940103,19940104,19940105,19940106,19940107,19940108,19940109,19940110,19940111,19940112,19940113,19940114,19940115,19940116,19940117,19940118,19940119,19940120,19940121,19940122,19940123,19940124,19940125,19940126,19940127,19940128,19940129,19940130,19940131]},"dim":"date","parent":521},{"children":[940],"coords":{"ints":[19950901,19950902,19950903,19950904,19950905,19950906,19950907,19950908,19950909,19950910,19950911,19950912,19950913,19950914,19950915,19950916,19950917,19950918,19950919,19950920,19950921,19950922,19950923,19950924,19950925,19950926,19950927,19950928,19950929,19950930]},"dim":"date","parent":522},{"children":[941],"coords":{"ints":[19950801,19950802,19950803,19950804,19950805,19950806,19950807,19950808,19950809,19950810,19950811,19950812,19950813,19950814,19950815,19950816,19950817,19950818,19950819,19950820,19950821,19950822,19950823,19950824,19950825,19950826,19950827,19950828,19950829,19950830,19950831]},"dim":"date","parent":523},{"children":[942],"coords":{"ints":[19950701,19950702,19950703,19950704,19950705,19950706,19950707,19950708,19950709,19950710,19950711,19950712,19950713,19950714,19950715,19950716,19950717,19950718,19950719,19950720,19950721,19950722,19950723,19950724,19950725,19950726,19950727,19950728,19950729,19950730,19950731]},"dim":"date","parent":524},{"children":[943],"coords":{"ints":[19950601,19950602,19950603,19950604,19950605,19950606,19950607,19950608,19950609,19950610,19950611,19950612,19950613,19950614,19950615,19950616,19950617,19950618,19950619,19950620,19950621,19950622,19950623,19950624,19950625,19950626,19950627,19950628,19950629,19950630]},"dim":"date","parent":525},{"children":[944],"coords":{"ints":[19950501,19950502,19950503,19950504,19950505,19950506,19950507,19950508,19950509,19950510,19950511,19950512,19950513,19950514,19950515,19950516,19950517,19950518,19950519,19950520,19950521,19950522,19950523,19950524,19950525,19950526,19950527,19950528,19950529,19950530,19950531]},"dim":"date","parent":526},{"children":[945],"coords":{"ints":[19950401,19950402,19950403,19950404,19950405,19950406,19950407,19950408,19950409,19950410,19950411,19950412,19950413,19950414,19950415,19950416,19950417,19950418,19950419,19950420,19950421,19950422,19950423,19950424,19950425,19950426,19950427,19950428,19950429,19950430]},"dim":"date","parent":527},{"children":[946],"coords":{"ints":[19950301,19950302,19950303,19950304,19950305,19950306,19950307,19950308,19950309,19950310,19950311,19950312,19950313,19950314,19950315,19950316,19950317,19950318,19950319,19950320,19950321,19950322,19950323,19950324,19950325,19950326,19950327,19950328,19950329,19950330,19950331]},"dim":"date","parent":528},{"children":[947],"coords":{"ints":[19950201,19950202,19950203,19950204,19950205,19950206,19950207,19950208,19950209,19950210,19950211,19950212,19950213,19950214,19950215,19950216,19950217,19950218,19950219,19950220,19950221,19950222,19950223,19950224,19950225,19950226,19950227,19950228]},"dim":"date","parent":529},{"children":[948],"coords":{"ints":[19951201,19951202,19951203,19951204,19951205,19951206,19951207,19951208,19951209,19951210,19951211,19951212,19951213,19951214,19951215,19951216,19951217,19951218,19951219,19951220,19951221,19951222,19951223,19951224,19951225,19951226,19951227,19951228,19951229,19951230,19951231]},"dim":"date","parent":530},{"children":[949],"coords":{"ints":[19951101,19951102,19951103,19951104,19951105,19951106,19951107,19951108,19951109,19951110,19951111,19951112,19951113,19951114,19951115,19951116,19951117,19951118,19951119,19951120,19951121,19951122,19951123,19951124,19951125,19951126,19951127,19951128,19951129,19951130]},"dim":"date","parent":531},{"children":[950],"coords":{"ints":[19951001,19951002,19951003,19951004,19951005,19951006,19951007,19951008,19951009,19951010,19951011,19951012,19951013,19951014,19951015,19951016,19951017,19951018,19951019,19951020,19951021,19951022,19951023,19951024,19951025,19951026,19951027,19951028,19951029,19951030,19951031]},"dim":"date","parent":532},{"children":[951],"coords":{"ints":[19950101,19950102,19950103,19950104,19950105,19950106,19950107,19950108,19950109,19950110,19950111,19950112,19950113,19950114,19950115,19950116,19950117,19950118,19950119,19950120,19950121,19950122,19950123,19950124,19950125,19950126,19950127,19950128,19950129,19950130,19950131]},"dim":"date","parent":533},{"children":[952],"coords":{"ints":[19960901,19960902,19960903,19960904,19960905,19960906,19960907,19960908,19960909,19960910,19960911,19960912,19960913,19960914,19960915,19960916,19960917,19960918,19960919,19960920,19960921,19960922,19960923,19960924,19960925,19960926,19960927,19960928,19960929,19960930]},"dim":"date","parent":534},{"children":[953],"coords":{"ints":[19960801,19960802,19960803,19960804,19960805,19960806,19960807,19960808,19960809,19960810,19960811,19960812,19960813,19960814,19960815,19960816,19960817,19960818,19960819,19960820,19960821,19960822,19960823,19960824,19960825,19960826,19960827,19960828,19960829,19960830,19960831]},"dim":"date","parent":535},{"children":[954],"coords":{"ints":[19960701,19960702,19960703,19960704,19960705,19960706,19960707,19960708,19960709,19960710,19960711,19960712,19960713,19960714,19960715,19960716,19960717,19960718,19960719,19960720,19960721,19960722,19960723,19960724,19960725,19960726,19960727,19960728,19960729,19960730,19960731]},"dim":"date","parent":536},{"children":[955],"coords":{"ints":[19960601,19960602,19960603,19960604,19960605,19960606,19960607,19960608,19960609,19960610,19960611,19960612,19960613,19960614,19960615,19960616,19960617,19960618,19960619,19960620,19960621,19960622,19960623,19960624,19960625,19960626,19960627,19960628,19960629,19960630]},"dim":"date","parent":537},{"children":[956],"coords":{"ints":[19960501,19960502,19960503,19960504,19960505,19960506,19960507,19960508,19960509,19960510,19960511,19960512,19960513,19960514,19960515,19960516,19960517,19960518,19960519,19960520,19960521,19960522,19960523,19960524,19960525,19960526,19960527,19960528,19960529,19960530,19960531]},"dim":"date","parent":538},{"children":[957],"coords":{"ints":[19960401,19960402,19960403,19960404,19960405,19960406,19960407,19960408,19960409,19960410,19960411,19960412,19960413,19960414,19960415,19960416,19960417,19960418,19960419,19960420,19960421,19960422,19960423,19960424,19960425,19960426,19960427,19960428,19960429,19960430]},"dim":"date","parent":539},{"children":[958],"coords":{"ints":[19960301,19960302,19960303,19960304,19960305,19960306,19960307,19960308,19960309,19960310,19960311,19960312,19960313,19960314,19960315,19960316,19960317,19960318,19960319,19960320,19960321,19960322,19960323,19960324,19960325,19960326,19960327,19960328,19960329,19960330,19960331]},"dim":"date","parent":540},{"children":[959],"coords":{"ints":[19960201,19960202,19960203,19960204,19960205,19960206,19960207,19960208,19960209,19960210,19960211,19960212,19960213,19960214,19960215,19960216,19960217,19960218,19960219,19960220,19960221,19960222,19960223,19960224,19960225,19960226,19960227,19960228,19960229]},"dim":"date","parent":541},{"children":[960],"coords":{"ints":[19961201,19961202,19961203,19961204,19961205,19961206,19961207,19961208,19961209,19961210,19961211,19961212,19961213,19961214,19961215,19961216,19961217,19961218,19961219,19961220,19961221,19961222,19961223,19961224,19961225,19961226,19961227,19961228,19961229,19961230,19961231]},"dim":"date","parent":542},{"children":[961],"coords":{"ints":[19961101,19961102,19961103,19961104,19961105,19961106,19961107,19961108,19961109,19961110,19961111,19961112,19961113,19961114,19961115,19961116,19961117,19961118,19961119,19961120,19961121,19961122,19961123,19961124,19961125,19961126,19961127,19961128,19961129,19961130]},"dim":"date","parent":543},{"children":[962],"coords":{"ints":[19961001,19961002,19961003,19961004,19961005,19961006,19961007,19961008,19961009,19961010,19961011,19961012,19961013,19961014,19961015,19961016,19961017,19961018,19961019,19961020,19961021,19961022,19961023,19961024,19961025,19961026,19961027,19961028,19961029,19961030,19961031]},"dim":"date","parent":544},{"children":[963],"coords":{"ints":[19960101,19960102,19960103,19960104,19960105,19960106,19960107,19960108,19960109,19960110,19960111,19960112,19960113,19960114,19960115,19960116,19960117,19960118,19960119,19960120,19960121,19960122,19960123,19960124,19960125,19960126,19960127,19960128,19960129,19960130,19960131]},"dim":"date","parent":545},{"children":[964],"coords":{"ints":[19970901,19970902,19970903,19970904,19970905,19970906,19970907,19970908,19970909,19970910,19970911,19970912,19970913,19970914,19970915,19970916,19970917,19970918,19970919,19970920,19970921,19970922,19970923,19970924,19970925,19970926,19970927,19970928,19970929,19970930]},"dim":"date","parent":546},{"children":[965],"coords":{"ints":[19970801,19970802,19970803,19970804,19970805,19970806,19970807,19970808,19970809,19970810,19970811,19970812,19970813,19970814,19970815,19970816,19970817,19970818,19970819,19970820,19970821,19970822,19970823,19970824,19970825,19970826,19970827,19970828,19970829,19970830,19970831]},"dim":"date","parent":547},{"children":[966],"coords":{"ints":[19970701,19970702,19970703,19970704,19970705,19970706,19970707,19970708,19970709,19970710,19970711,19970712,19970713,19970714,19970715,19970716,19970717,19970718,19970719,19970720,19970721,19970722,19970723,19970724,19970725,19970726,19970727,19970728,19970729,19970730,19970731]},"dim":"date","parent":548},{"children":[967],"coords":{"ints":[19970601,19970602,19970603,19970604,19970605,19970606,19970607,19970608,19970609,19970610,19970611,19970612,19970613,19970614,19970615,19970616,19970617,19970618,19970619,19970620,19970621,19970622,19970623,19970624,19970625,19970626,19970627,19970628,19970629,19970630]},"dim":"date","parent":549},{"children":[968],"coords":{"ints":[19970501,19970502,19970503,19970504,19970505,19970506,19970507,19970508,19970509,19970510,19970511,19970512,19970513,19970514,19970515,19970516,19970517,19970518,19970519,19970520,19970521,19970522,19970523,19970524,19970525,19970526,19970527,19970528,19970529,19970530,19970531]},"dim":"date","parent":550},{"children":[969],"coords":{"ints":[19970401,19970402,19970403,19970404,19970405,19970406,19970407,19970408,19970409,19970410,19970411,19970412,19970413,19970414,19970415,19970416,19970417,19970418,19970419,19970420,19970421,19970422,19970423,19970424,19970425,19970426,19970427,19970428,19970429,19970430]},"dim":"date","parent":551},{"children":[970],"coords":{"ints":[19970301,19970302,19970303,19970304,19970305,19970306,19970307,19970308,19970309,19970310,19970311,19970312,19970313,19970314,19970315,19970316,19970317,19970318,19970319,19970320,19970321,19970322,19970323,19970324,19970325,19970326,19970327,19970328,19970329,19970330,19970331]},"dim":"date","parent":552},{"children":[971],"coords":{"ints":[19970201,19970202,19970203,19970204,19970205,19970206,19970207,19970208,19970209,19970210,19970211,19970212,19970213,19970214,19970215,19970216,19970217,19970218,19970219,19970220,19970221,19970222,19970223,19970224,19970225,19970226,19970227,19970228]},"dim":"date","parent":553},{"children":[972],"coords":{"ints":[19971201,19971202,19971203,19971204,19971205,19971206,19971207,19971208,19971209,19971210,19971211,19971212,19971213,19971214,19971215,19971216,19971217,19971218,19971219,19971220,19971221,19971222,19971223,19971224,19971225,19971226,19971227,19971228,19971229,19971230,19971231]},"dim":"date","parent":554},{"children":[973],"coords":{"ints":[19971101,19971102,19971103,19971104,19971105,19971106,19971107,19971108,19971109,19971110,19971111,19971112,19971113,19971114,19971115,19971116,19971117,19971118,19971119,19971120,19971121,19971122,19971123,19971124,19971125,19971126,19971127,19971128,19971129,19971130]},"dim":"date","parent":555},{"children":[974],"coords":{"ints":[19971001,19971002,19971003,19971004,19971005,19971006,19971007,19971008,19971009,19971010,19971011,19971012,19971013,19971014,19971015,19971016,19971017,19971018,19971019,19971020,19971021,19971022,19971023,19971024,19971025,19971026,19971027,19971028,19971029,19971030,19971031]},"dim":"date","parent":556},{"children":[975],"coords":{"ints":[19970101,19970102,19970103,19970104,19970105,19970106,19970107,19970108,19970109,19970110,19970111,19970112,19970113,19970114,19970115,19970116,19970117,19970118,19970119,19970120,19970121,19970122,19970123,19970124,19970125,19970126,19970127,19970128,19970129,19970130,19970131]},"dim":"date","parent":557},{"children":[976],"coords":{"ints":[19980901,19980902,19980903,19980904,19980905,19980906,19980907,19980908,19980909,19980910,19980911,19980912,19980913,19980914,19980915,19980916,19980917,19980918,19980919,19980920,19980921,19980922,19980923,19980924,19980925,19980926,19980927,19980928,19980929,19980930]},"dim":"date","parent":558},{"children":[977],"coords":{"ints":[19980801,19980802,19980803,19980804,19980805,19980806,19980807,19980808,19980809,19980810,19980811,19980812,19980813,19980814,19980815,19980816,19980817,19980818,19980819,19980820,19980821,19980822,19980823,19980824,19980825,19980826,19980827,19980828,19980829,19980830,19980831]},"dim":"date","parent":559},{"children":[978],"coords":{"ints":[19980701,19980702,19980703,19980704,19980705,19980706,19980707,19980708,19980709,19980710,19980711,19980712,19980713,19980714,19980715,19980716,19980717,19980718,19980719,19980720,19980721,19980722,19980723,19980724,19980725,19980726,19980727,19980728,19980729,19980730,19980731]},"dim":"date","parent":560},{"children":[979],"coords":{"ints":[19980601,19980602,19980603,19980604,19980605,19980606,19980607,19980608,19980609,19980610,19980611,19980612,19980613,19980614,19980615,19980616,19980617,19980618,19980619,19980620,19980621,19980622,19980623,19980624,19980625,19980626,19980627,19980628,19980629,19980630]},"dim":"date","parent":561},{"children":[980],"coords":{"ints":[19980501,19980502,19980503,19980504,19980505,19980506,19980507,19980508,19980509,19980510,19980511,19980512,19980513,19980514,19980515,19980516,19980517,19980518,19980519,19980520,19980521,19980522,19980523,19980524,19980525,19980526,19980527,19980528,19980529,19980530,19980531]},"dim":"date","parent":562},{"children":[981],"coords":{"ints":[19980401,19980402,19980403,19980404,19980405,19980406,19980407,19980408,19980409,19980410,19980411,19980412,19980413,19980414,19980415,19980416,19980417,19980418,19980419,19980420,19980421,19980422,19980423,19980424,19980425,19980426,19980427,19980428,19980429,19980430]},"dim":"date","parent":563},{"children":[982],"coords":{"ints":[19980301,19980302,19980303,19980304,19980305,19980306,19980307,19980308,19980309,19980310,19980311,19980312,19980313,19980314,19980315,19980316,19980317,19980318,19980319,19980320,19980321,19980322,19980323,19980324,19980325,19980326,19980327,19980328,19980329,19980330,19980331]},"dim":"date","parent":564},{"children":[983],"coords":{"ints":[19980201,19980202,19980203,19980204,19980205,19980206,19980207,19980208,19980209,19980210,19980211,19980212,19980213,19980214,19980215,19980216,19980217,19980218,19980219,19980220,19980221,19980222,19980223,19980224,19980225,19980226,19980227,19980228]},"dim":"date","parent":565},{"children":[984],"coords":{"ints":[19981201,19981202,19981203,19981204,19981205,19981206,19981207,19981208,19981209,19981210,19981211,19981212,19981213,19981214,19981215,19981216,19981217,19981218,19981219,19981220,19981221,19981222,19981223,19981224,19981225,19981226,19981227,19981228,19981229,19981230,19981231]},"dim":"date","parent":566},{"children":[985],"coords":{"ints":[19981101,19981102,19981103,19981104,19981105,19981106,19981107,19981108,19981109,19981110,19981111,19981112,19981113,19981114,19981115,19981116,19981117,19981118,19981119,19981120,19981121,19981122,19981123,19981124,19981125,19981126,19981127,19981128,19981129,19981130]},"dim":"date","parent":567},{"children":[986],"coords":{"ints":[19981001,19981002,19981003,19981004,19981005,19981006,19981007,19981008,19981009,19981010,19981011,19981012,19981013,19981014,19981015,19981016,19981017,19981018,19981019,19981020,19981021,19981022,19981023,19981024,19981025,19981026,19981027,19981028,19981029,19981030,19981031]},"dim":"date","parent":568},{"children":[987],"coords":{"ints":[19980101,19980102,19980103,19980104,19980105,19980106,19980107,19980108,19980109,19980110,19980111,19980112,19980113,19980114,19980115,19980116,19980117,19980118,19980119,19980120,19980121,19980122,19980123,19980124,19980125,19980126,19980127,19980128,19980129,19980130,19980131]},"dim":"date","parent":569},{"children":[988],"coords":{"ints":[19990901,19990902,19990903,19990904,19990905,19990906,19990907,19990908,19990909,19990910,19990911,19990912,19990913,19990914,19990915,19990916,19990917,19990918,19990919,19990920,19990921,19990922,19990923,19990924,19990925,19990926,19990927,19990928,19990929,19990930]},"dim":"date","parent":570},{"children":[989],"coords":{"ints":[19990801,19990802,19990803,19990804,19990805,19990806,19990807,19990808,19990809,19990810,19990811,19990812,19990813,19990814,19990815,19990816,19990817,19990818,19990819,19990820,19990821,19990822,19990823,19990824,19990825,19990826,19990827,19990828,19990829,19990830,19990831]},"dim":"date","parent":571},{"children":[990],"coords":{"ints":[19990701,19990702,19990703,19990704,19990705,19990706,19990707,19990708,19990709,19990710,19990711,19990712,19990713,19990714,19990715,19990716,19990717,19990718,19990719,19990720,19990721,19990722,19990723,19990724,19990725,19990726,19990727,19990728,19990729,19990730,19990731]},"dim":"date","parent":572},{"children":[991],"coords":{"ints":[19990601,19990602,19990603,19990604,19990605,19990606,19990607,19990608,19990609,19990610,19990611,19990612,19990613,19990614,19990615,19990616,19990617,19990618,19990619,19990620,19990621,19990622,19990623,19990624,19990625,19990626,19990627,19990628,19990629,19990630]},"dim":"date","parent":573},{"children":[992],"coords":{"ints":[19990501,19990502,19990503,19990504,19990505,19990506,19990507,19990508,19990509,19990510,19990511,19990512,19990513,19990514,19990515,19990516,19990517,19990518,19990519,19990520,19990521,19990522,19990523,19990524,19990525,19990526,19990527,19990528,19990529,19990530,19990531]},"dim":"date","parent":574},{"children":[993],"coords":{"ints":[19990401,19990402,19990403,19990404,19990405,19990406,19990407,19990408,19990409,19990410,19990411,19990412,19990413,19990414,19990415,19990416,19990417,19990418,19990419,19990420,19990421,19990422,19990423,19990424,19990425,19990426,19990427,19990428,19990429,19990430]},"dim":"date","parent":575},{"children":[994],"coords":{"ints":[19990301,19990302,19990303,19990304,19990305,19990306,19990307,19990308,19990309,19990310,19990311,19990312,19990313,19990314,19990315,19990316,19990317,19990318,19990319,19990320,19990321,19990322,19990323,19990324,19990325,19990326,19990327,19990328,19990329,19990330,19990331]},"dim":"date","parent":576},{"children":[995],"coords":{"ints":[19990201,19990202,19990203,19990204,19990205,19990206,19990207,19990208,19990209,19990210,19990211,19990212,19990213,19990214,19990215,19990216,19990217,19990218,19990219,19990220,19990221,19990222,19990223,19990224,19990225,19990226,19990227,19990228]},"dim":"date","parent":577},{"children":[996],"coords":{"ints":[19991201,19991202,19991203,19991204,19991205,19991206,19991207,19991208,19991209,19991210,19991211,19991212,19991213,19991214,19991215,19991216,19991217,19991218,19991219,19991220,19991221,19991222,19991223,19991224,19991225,19991226,19991227,19991228,19991229,19991230,19991231]},"dim":"date","parent":578},{"children":[997],"coords":{"ints":[19991101,19991102,19991103,19991104,19991105,19991106,19991107,19991108,19991109,19991110,19991111,19991112,19991113,19991114,19991115,19991116,19991117,19991118,19991119,19991120,19991121,19991122,19991123,19991124,19991125,19991126,19991127,19991128,19991129,19991130]},"dim":"date","parent":579},{"children":[998],"coords":{"ints":[19991001,19991002,19991003,19991004,19991005,19991006,19991007,19991008,19991009,19991010,19991011,19991012,19991013,19991014,19991015,19991016,19991017,19991018,19991019,19991020,19991021,19991022,19991023,19991024,19991025,19991026,19991027,19991028,19991029,19991030,19991031]},"dim":"date","parent":580},{"children":[999],"coords":{"ints":[19990101,19990102,19990103,19990104,19990105,19990106,19990107,19990108,19990109,19990110,19990111,19990112,19990113,19990114,19990115,19990116,19990117,19990118,19990119,19990120,19990121,19990122,19990123,19990124,19990125,19990126,19990127,19990128,19990129,19990130,19990131]},"dim":"date","parent":581},{"children":[1000],"coords":{"ints":[20000901,20000902,20000903,20000904,20000905,20000906,20000907,20000908,20000909,20000910,20000911,20000912,20000913,20000914,20000915,20000916,20000917,20000918,20000919,20000920,20000921,20000922,20000923,20000924,20000925,20000926,20000927,20000928,20000929,20000930]},"dim":"date","parent":582},{"children":[1001],"coords":{"ints":[20000801,20000802,20000803,20000804,20000805,20000806,20000807,20000808,20000809,20000810,20000811,20000812,20000813,20000814,20000815,20000816,20000817,20000818,20000819,20000820,20000821,20000822,20000823,20000824,20000825,20000826,20000827,20000828,20000829,20000830,20000831]},"dim":"date","parent":583},{"children":[1002],"coords":{"ints":[20000701,20000702,20000703,20000704,20000705,20000706,20000707,20000708,20000709,20000710,20000711,20000712,20000713,20000714,20000715,20000716,20000717,20000718,20000719,20000720,20000721,20000722,20000723,20000724,20000725,20000726,20000727,20000728,20000729,20000730,20000731]},"dim":"date","parent":584},{"children":[1003],"coords":{"ints":[20000601,20000602,20000603,20000604,20000605,20000606,20000607,20000608,20000609,20000610,20000611,20000612,20000613,20000614,20000615,20000616,20000617,20000618,20000619,20000620,20000621,20000622,20000623,20000624,20000625,20000626,20000627,20000628,20000629,20000630]},"dim":"date","parent":585},{"children":[1004],"coords":{"ints":[20000501,20000502,20000503,20000504,20000505,20000506,20000507,20000508,20000509,20000510,20000511,20000512,20000513,20000514,20000515,20000516,20000517,20000518,20000519,20000520,20000521,20000522,20000523,20000524,20000525,20000526,20000527,20000528,20000529,20000530,20000531]},"dim":"date","parent":586},{"children":[1005],"coords":{"ints":[20000401,20000402,20000403,20000404,20000405,20000406,20000407,20000408,20000409,20000410,20000411,20000412,20000413,20000414,20000415,20000416,20000417,20000418,20000419,20000420,20000421,20000422,20000423,20000424,20000425,20000426,20000427,20000428,20000429,20000430]},"dim":"date","parent":587},{"children":[1006],"coords":{"ints":[20000301,20000302,20000303,20000304,20000305,20000306,20000307,20000308,20000309,20000310,20000311,20000312,20000313,20000314,20000315,20000316,20000317,20000318,20000319,20000320,20000321,20000322,20000323,20000324,20000325,20000326,20000327,20000328,20000329,20000330,20000331]},"dim":"date","parent":588},{"children":[1007],"coords":{"ints":[20000201,20000202,20000203,20000204,20000205,20000206,20000207,20000208,20000209,20000210,20000211,20000212,20000213,20000214,20000215,20000216,20000217,20000218,20000219,20000220,20000221,20000222,20000223,20000224,20000225,20000226,20000227,20000228,20000229]},"dim":"date","parent":589},{"children":[1008],"coords":{"ints":[20001201,20001202,20001203,20001204,20001205,20001206,20001207,20001208,20001209,20001210,20001211,20001212,20001213,20001214,20001215,20001216,20001217,20001218,20001219,20001220,20001221,20001222,20001223,20001224,20001225,20001226,20001227,20001228,20001229,20001230,20001231]},"dim":"date","parent":590},{"children":[1009],"coords":{"ints":[20001101,20001102,20001103,20001104,20001105,20001106,20001107,20001108,20001109,20001110,20001111,20001112,20001113,20001114,20001115,20001116,20001117,20001118,20001119,20001120,20001121,20001122,20001123,20001124,20001125,20001126,20001127,20001128,20001129,20001130]},"dim":"date","parent":591},{"children":[1010],"coords":{"ints":[20001001,20001002,20001003,20001004,20001005,20001006,20001007,20001008,20001009,20001010,20001011,20001012,20001013,20001014,20001015,20001016,20001017,20001018,20001019,20001020,20001021,20001022,20001023,20001024,20001025,20001026,20001027,20001028,20001029,20001030,20001031]},"dim":"date","parent":592},{"children":[1011],"coords":{"ints":[20000101,20000102,20000103,20000104,20000105,20000106,20000107,20000108,20000109,20000110,20000111,20000112,20000113,20000114,20000115,20000116,20000117,20000118,20000119,20000120,20000121,20000122,20000123,20000124,20000125,20000126,20000127,20000128,20000129,20000130,20000131]},"dim":"date","parent":593},{"children":[1012],"coords":{"ints":[20010901,20010902,20010903,20010904,20010905,20010906,20010907,20010908,20010909,20010910,20010911,20010912,20010913,20010914,20010915,20010916,20010917,20010918,20010919,20010920,20010921,20010922,20010923,20010924,20010925,20010926,20010927,20010928,20010929,20010930]},"dim":"date","parent":594},{"children":[1013],"coords":{"ints":[20010801,20010802,20010803,20010804,20010805,20010806,20010807,20010808,20010809,20010810,20010811,20010812,20010813,20010814,20010815,20010816,20010817,20010818,20010819,20010820,20010821,20010822,20010823,20010824,20010825,20010826,20010827,20010828,20010829,20010830,20010831]},"dim":"date","parent":595},{"children":[1014],"coords":{"ints":[20010701,20010702,20010703,20010704,20010705,20010706,20010707,20010708,20010709,20010710,20010711,20010712,20010713,20010714,20010715,20010716,20010717,20010718,20010719,20010720,20010721,20010722,20010723,20010724,20010725,20010726,20010727,20010728,20010729,20010730,20010731]},"dim":"date","parent":596},{"children":[1015],"coords":{"ints":[20010601,20010602,20010603,20010604,20010605,20010606,20010607,20010608,20010609,20010610,20010611,20010612,20010613,20010614,20010615,20010616,20010617,20010618,20010619,20010620,20010621,20010622,20010623,20010624,20010625,20010626,20010627,20010628,20010629,20010630]},"dim":"date","parent":597},{"children":[1016],"coords":{"ints":[20010501,20010502,20010503,20010504,20010505,20010506,20010507,20010508,20010509,20010510,20010511,20010512,20010513,20010514,20010515,20010516,20010517,20010518,20010519,20010520,20010521,20010522,20010523,20010524,20010525,20010526,20010527,20010528,20010529,20010530,20010531]},"dim":"date","parent":598},{"children":[1017],"coords":{"ints":[20010401,20010402,20010403,20010404,20010405,20010406,20010407,20010408,20010409,20010410,20010411,20010412,20010413,20010414,20010415,20010416,20010417,20010418,20010419,20010420,20010421,20010422,20010423,20010424,20010425,20010426,20010427,20010428,20010429,20010430]},"dim":"date","parent":599},{"children":[1018],"coords":{"ints":[20010301,20010302,20010303,20010304,20010305,20010306,20010307,20010308,20010309,20010310,20010311,20010312,20010313,20010314,20010315,20010316,20010317,20010318,20010319,20010320,20010321,20010322,20010323,20010324,20010325,20010326,20010327,20010328,20010329,20010330,20010331]},"dim":"date","parent":600},{"children":[1019],"coords":{"ints":[20010201,20010202,20010203,20010204,20010205,20010206,20010207,20010208,20010209,20010210,20010211,20010212,20010213,20010214,20010215,20010216,20010217,20010218,20010219,20010220,20010221,20010222,20010223,20010224,20010225,20010226,20010227,20010228]},"dim":"date","parent":601},{"children":[1020],"coords":{"ints":[20011201,20011202,20011203,20011204,20011205,20011206,20011207,20011208,20011209,20011210,20011211,20011212,20011213,20011214,20011215,20011216,20011217,20011218,20011219,20011220,20011221,20011222,20011223,20011224,20011225,20011226,20011227,20011228,20011229,20011230,20011231]},"dim":"date","parent":602},{"children":[1021],"coords":{"ints":[20011101,20011102,20011103,20011104,20011105,20011106,20011107,20011108,20011109,20011110,20011111,20011112,20011113,20011114,20011115,20011116,20011117,20011118,20011119,20011120,20011121,20011122,20011123,20011124,20011125,20011126,20011127,20011128,20011129,20011130]},"dim":"date","parent":603},{"children":[1022],"coords":{"ints":[20011001,20011002,20011003,20011004,20011005,20011006,20011007,20011008,20011009,20011010,20011011,20011012,20011013,20011014,20011015,20011016,20011017,20011018,20011019,20011020,20011021,20011022,20011023,20011024,20011025,20011026,20011027,20011028,20011029,20011030,20011031]},"dim":"date","parent":604},{"children":[1023],"coords":{"ints":[20010101,20010102,20010103,20010104,20010105,20010106,20010107,20010108,20010109,20010110,20010111,20010112,20010113,20010114,20010115,20010116,20010117,20010118,20010119,20010120,20010121,20010122,20010123,20010124,20010125,20010126,20010127,20010128,20010129,20010130,20010131]},"dim":"date","parent":605},{"children":[1024],"coords":{"ints":[20020901,20020902,20020903,20020904,20020905,20020906,20020907,20020908,20020909,20020910,20020911,20020912,20020913,20020914,20020915,20020916,20020917,20020918,20020919,20020920,20020921,20020922,20020923,20020924,20020925,20020926,20020927,20020928,20020929,20020930]},"dim":"date","parent":606},{"children":[1025],"coords":{"ints":[20020801,20020802,20020803,20020804,20020805,20020806,20020807,20020808,20020809,20020810,20020811,20020812,20020813,20020814,20020815,20020816,20020817,20020818,20020819,20020820,20020821,20020822,20020823,20020824,20020825,20020826,20020827,20020828,20020829,20020830,20020831]},"dim":"date","parent":607},{"children":[1026],"coords":{"ints":[20020701,20020702,20020703,20020704,20020705,20020706,20020707,20020708,20020709,20020710,20020711,20020712,20020713,20020714,20020715,20020716,20020717,20020718,20020719,20020720,20020721,20020722,20020723,20020724,20020725,20020726,20020727,20020728,20020729,20020730,20020731]},"dim":"date","parent":608},{"children":[1027],"coords":{"ints":[20020601,20020602,20020603,20020604,20020605,20020606,20020607,20020608,20020609,20020610,20020611,20020612,20020613,20020614,20020615,20020616,20020617,20020618,20020619,20020620,20020621,20020622,20020623,20020624,20020625,20020626,20020627,20020628,20020629,20020630]},"dim":"date","parent":609},{"children":[1028],"coords":{"ints":[20020501,20020502,20020503,20020504,20020505,20020506,20020507,20020508,20020509,20020510,20020511,20020512,20020513,20020514,20020515,20020516,20020517,20020518,20020519,20020520,20020521,20020522,20020523,20020524,20020525,20020526,20020527,20020528,20020529,20020530,20020531]},"dim":"date","parent":610},{"children":[1029],"coords":{"ints":[20020401,20020402,20020403,20020404,20020405,20020406,20020407,20020408,20020409,20020410,20020411,20020412,20020413,20020414,20020415,20020416,20020417,20020418,20020419,20020420,20020421,20020422,20020423,20020424,20020425,20020426,20020427,20020428,20020429,20020430]},"dim":"date","parent":611},{"children":[1030],"coords":{"ints":[20020301,20020302,20020303,20020304,20020305,20020306,20020307,20020308,20020309,20020310,20020311,20020312,20020313,20020314,20020315,20020316,20020317,20020318,20020319,20020320,20020321,20020322,20020323,20020324,20020325,20020326,20020327,20020328,20020329,20020330,20020331]},"dim":"date","parent":612},{"children":[1031],"coords":{"ints":[20020201,20020202,20020203,20020204,20020205,20020206,20020207,20020208,20020209,20020210,20020211,20020212,20020213,20020214,20020215,20020216,20020217,20020218,20020219,20020220,20020221,20020222,20020223,20020224,20020225,20020226,20020227,20020228]},"dim":"date","parent":613},{"children":[1032],"coords":{"ints":[20021201,20021202,20021203,20021204,20021205,20021206,20021207,20021208,20021209,20021210,20021211,20021212,20021213,20021214,20021215,20021216,20021217,20021218,20021219,20021220,20021221,20021222,20021223,20021224,20021225,20021226,20021227,20021228,20021229,20021230,20021231]},"dim":"date","parent":614},{"children":[1033],"coords":{"ints":[20021101,20021102,20021103,20021104,20021105,20021106,20021107,20021108,20021109,20021110,20021111,20021112,20021113,20021114,20021115,20021116,20021117,20021118,20021119,20021120,20021121,20021122,20021123,20021124,20021125,20021126,20021127,20021128,20021129,20021130]},"dim":"date","parent":615},{"children":[1034],"coords":{"ints":[20021001,20021002,20021003,20021004,20021005,20021006,20021007,20021008,20021009,20021010,20021011,20021012,20021013,20021014,20021015,20021016,20021017,20021018,20021019,20021020,20021021,20021022,20021023,20021024,20021025,20021026,20021027,20021028,20021029,20021030,20021031]},"dim":"date","parent":616},{"children":[1035],"coords":{"ints":[20020101,20020102,20020103,20020104,20020105,20020106,20020107,20020108,20020109,20020110,20020111,20020112,20020113,20020114,20020115,20020116,20020117,20020118,20020119,20020120,20020121,20020122,20020123,20020124,20020125,20020126,20020127,20020128,20020129,20020130,20020131]},"dim":"date","parent":617},{"children":[1036],"coords":{"ints":[20030901,20030902,20030903,20030904,20030905,20030906,20030907,20030908,20030909,20030910,20030911,20030912,20030913,20030914,20030915,20030916,20030917,20030918,20030919,20030920,20030921,20030922,20030923,20030924,20030925,20030926,20030927,20030928,20030929,20030930]},"dim":"date","parent":618},{"children":[1037],"coords":{"ints":[20030801,20030802,20030803,20030804,20030805,20030806,20030807,20030808,20030809,20030810,20030811,20030812,20030813,20030814,20030815,20030816,20030817,20030818,20030819,20030820,20030821,20030822,20030823,20030824,20030825,20030826,20030827,20030828,20030829,20030830,20030831]},"dim":"date","parent":619},{"children":[1038],"coords":{"ints":[20030701,20030702,20030703,20030704,20030705,20030706,20030707,20030708,20030709,20030710,20030711,20030712,20030713,20030714,20030715,20030716,20030717,20030718,20030719,20030720,20030721,20030722,20030723,20030724,20030725,20030726,20030727,20030728,20030729,20030730,20030731]},"dim":"date","parent":620},{"children":[1039],"coords":{"ints":[20030601,20030602,20030603,20030604,20030605,20030606,20030607,20030608,20030609,20030610,20030611,20030612,20030613,20030614,20030615,20030616,20030617,20030618,20030619,20030620,20030621,20030622,20030623,20030624,20030625,20030626,20030627,20030628,20030629,20030630]},"dim":"date","parent":621},{"children":[1040],"coords":{"ints":[20030501,20030502,20030503,20030504,20030505,20030506,20030507,20030508,20030509,20030510,20030511,20030512,20030513,20030514,20030515,20030516,20030517,20030518,20030519,20030520,20030521,20030522,20030523,20030524,20030525,20030526,20030527,20030528,20030529,20030530,20030531]},"dim":"date","parent":622},{"children":[1041],"coords":{"ints":[20030401,20030402,20030403,20030404,20030405,20030406,20030407,20030408,20030409,20030410,20030411,20030412,20030413,20030414,20030415,20030416,20030417,20030418,20030419,20030420,20030421,20030422,20030423,20030424,20030425,20030426,20030427,20030428,20030429,20030430]},"dim":"date","parent":623},{"children":[1042],"coords":{"ints":[20030301,20030302,20030303,20030304,20030305,20030306,20030307,20030308,20030309,20030310,20030311,20030312,20030313,20030314,20030315,20030316,20030317,20030318,20030319,20030320,20030321,20030322,20030323,20030324,20030325,20030326,20030327,20030328,20030329,20030330,20030331]},"dim":"date","parent":624},{"children":[1043],"coords":{"ints":[20030201,20030202,20030203,20030204,20030205,20030206,20030207,20030208,20030209,20030210,20030211,20030212,20030213,20030214,20030215,20030216,20030217,20030218,20030219,20030220,20030221,20030222,20030223,20030224,20030225,20030226,20030227,20030228]},"dim":"date","parent":625},{"children":[1044],"coords":{"ints":[20031201,20031202,20031203,20031204,20031205,20031206,20031207,20031208,20031209,20031210,20031211,20031212,20031213,20031214,20031215,20031216,20031217,20031218,20031219,20031220,20031221,20031222,20031223,20031224,20031225,20031226,20031227,20031228,20031229,20031230,20031231]},"dim":"date","parent":626},{"children":[1045],"coords":{"ints":[20031101,20031102,20031103,20031104,20031105,20031106,20031107,20031108,20031109,20031110,20031111,20031112,20031113,20031114,20031115,20031116,20031117,20031118,20031119,20031120,20031121,20031122,20031123,20031124,20031125,20031126,20031127,20031128,20031129,20031130]},"dim":"date","parent":627},{"children":[1046],"coords":{"ints":[20031001,20031002,20031003,20031004,20031005,20031006,20031007,20031008,20031009,20031010,20031011,20031012,20031013,20031014,20031015,20031016,20031017,20031018,20031019,20031020,20031021,20031022,20031023,20031024,20031025,20031026,20031027,20031028,20031029,20031030,20031031]},"dim":"date","parent":628},{"children":[1047],"coords":{"ints":[20030101,20030102,20030103,20030104,20030105,20030106,20030107,20030108,20030109,20030110,20030111,20030112,20030113,20030114,20030115,20030116,20030117,20030118,20030119,20030120,20030121,20030122,20030123,20030124,20030125,20030126,20030127,20030128,20030129,20030130,20030131]},"dim":"date","parent":629},{"children":[1048],"coords":{"ints":[20040901,20040902,20040903,20040904,20040905,20040906,20040907,20040908,20040909,20040910,20040911,20040912,20040913,20040914,20040915,20040916,20040917,20040918,20040919,20040920,20040921,20040922,20040923,20040924,20040925,20040926,20040927,20040928,20040929,20040930]},"dim":"date","parent":630},{"children":[1049],"coords":{"ints":[20040801,20040802,20040803,20040804,20040805,20040806,20040807,20040808,20040809,20040810,20040811,20040812,20040813,20040814,20040815,20040816,20040817,20040818,20040819,20040820,20040821,20040822,20040823,20040824,20040825,20040826,20040827,20040828,20040829,20040830,20040831]},"dim":"date","parent":631},{"children":[1050],"coords":{"ints":[20040701,20040702,20040703,20040704,20040705,20040706,20040707,20040708,20040709,20040710,20040711,20040712,20040713,20040714,20040715,20040716,20040717,20040718,20040719,20040720,20040721,20040722,20040723,20040724,20040725,20040726,20040727,20040728,20040729,20040730,20040731]},"dim":"date","parent":632},{"children":[1051],"coords":{"ints":[20040601,20040602,20040603,20040604,20040605,20040606,20040607,20040608,20040609,20040610,20040611,20040612,20040613,20040614,20040615,20040616,20040617,20040618,20040619,20040620,20040621,20040622,20040623,20040624,20040625,20040626,20040627,20040628,20040629,20040630]},"dim":"date","parent":633},{"children":[1052],"coords":{"ints":[20040501,20040502,20040503,20040504,20040505,20040506,20040507,20040508,20040509,20040510,20040511,20040512,20040513,20040514,20040515,20040516,20040517,20040518,20040519,20040520,20040521,20040522,20040523,20040524,20040525,20040526,20040527,20040528,20040529,20040530,20040531]},"dim":"date","parent":634},{"children":[1053],"coords":{"ints":[20040401,20040402,20040403,20040404,20040405,20040406,20040407,20040408,20040409,20040410,20040411,20040412,20040413,20040414,20040415,20040416,20040417,20040418,20040419,20040420,20040421,20040422,20040423,20040424,20040425,20040426,20040427,20040428,20040429,20040430]},"dim":"date","parent":635},{"children":[1054],"coords":{"ints":[20040301,20040302,20040303,20040304,20040305,20040306,20040307,20040308,20040309,20040310,20040311,20040312,20040313,20040314,20040315,20040316,20040317,20040318,20040319,20040320,20040321,20040322,20040323,20040324,20040325,20040326,20040327,20040328,20040329,20040330,20040331]},"dim":"date","parent":636},{"children":[1055],"coords":{"ints":[20040201,20040202,20040203,20040204,20040205,20040206,20040207,20040208,20040209,20040210,20040211,20040212,20040213,20040214,20040215,20040216,20040217,20040218,20040219,20040220,20040221,20040222,20040223,20040224,20040225,20040226,20040227,20040228,20040229]},"dim":"date","parent":637},{"children":[1056],"coords":{"ints":[20041201,20041202,20041203,20041204,20041205,20041206,20041207,20041208,20041209,20041210,20041211,20041212,20041213,20041214,20041215,20041216,20041217,20041218,20041219,20041220,20041221,20041222,20041223,20041224,20041225,20041226,20041227,20041228,20041229,20041230,20041231]},"dim":"date","parent":638},{"children":[1057],"coords":{"ints":[20041101,20041102,20041103,20041104,20041105,20041106,20041107,20041108,20041109,20041110,20041111,20041112,20041113,20041114,20041115,20041116,20041117,20041118,20041119,20041120,20041121,20041122,20041123,20041124,20041125,20041126,20041127,20041128,20041129,20041130]},"dim":"date","parent":639},{"children":[1058],"coords":{"ints":[20041001,20041002,20041003,20041004,20041005,20041006,20041007,20041008,20041009,20041010,20041011,20041012,20041013,20041014,20041015,20041016,20041017,20041018,20041019,20041020,20041021,20041022,20041023,20041024,20041025,20041026,20041027,20041028,20041029,20041030,20041031]},"dim":"date","parent":640},{"children":[1059],"coords":{"ints":[20040101,20040102,20040103,20040104,20040105,20040106,20040107,20040108,20040109,20040110,20040111,20040112,20040113,20040114,20040115,20040116,20040117,20040118,20040119,20040120,20040121,20040122,20040123,20040124,20040125,20040126,20040127,20040128,20040129,20040130,20040131]},"dim":"date","parent":641},{"children":[1060],"coords":{"ints":[20050901,20050902,20050903,20050904,20050905,20050906,20050907,20050908,20050909,20050910,20050911,20050912,20050913,20050914,20050915,20050916,20050917,20050918,20050919,20050920,20050921,20050922,20050923,20050924,20050925,20050926,20050927,20050928,20050929,20050930]},"dim":"date","parent":642},{"children":[1061],"coords":{"ints":[20050801,20050802,20050803,20050804,20050805,20050806,20050807,20050808,20050809,20050810,20050811,20050812,20050813,20050814,20050815,20050816,20050817,20050818,20050819,20050820,20050821,20050822,20050823,20050824,20050825,20050826,20050827,20050828,20050829,20050830,20050831]},"dim":"date","parent":643},{"children":[1062],"coords":{"ints":[20050701,20050702,20050703,20050704,20050705,20050706,20050707,20050708,20050709,20050710,20050711,20050712,20050713,20050714,20050715,20050716,20050717,20050718,20050719,20050720,20050721,20050722,20050723,20050724,20050725,20050726,20050727,20050728,20050729,20050730,20050731]},"dim":"date","parent":644},{"children":[1063],"coords":{"ints":[20050601,20050602,20050603,20050604,20050605,20050606,20050607,20050608,20050609,20050610,20050611,20050612,20050613,20050614,20050615,20050616,20050617,20050618,20050619,20050620,20050621,20050622,20050623,20050624,20050625,20050626,20050627,20050628,20050629,20050630]},"dim":"date","parent":645},{"children":[1064],"coords":{"ints":[20050501,20050502,20050503,20050504,20050505,20050506,20050507,20050508,20050509,20050510,20050511,20050512,20050513,20050514,20050515,20050516,20050517,20050518,20050519,20050520,20050521,20050522,20050523,20050524,20050525,20050526,20050527,20050528,20050529,20050530,20050531]},"dim":"date","parent":646},{"children":[1065],"coords":{"ints":[20050401,20050402,20050403,20050404,20050405,20050406,20050407,20050408,20050409,20050410,20050411,20050412,20050413,20050414,20050415,20050416,20050417,20050418,20050419,20050420,20050421,20050422,20050423,20050424,20050425,20050426,20050427,20050428,20050429,20050430]},"dim":"date","parent":647},{"children":[1066],"coords":{"ints":[20050301,20050302,20050303,20050304,20050305,20050306,20050307,20050308,20050309,20050310,20050311,20050312,20050313,20050314,20050315,20050316,20050317,20050318,20050319,20050320,20050321,20050322,20050323,20050324,20050325,20050326,20050327,20050328,20050329,20050330,20050331]},"dim":"date","parent":648},{"children":[1067],"coords":{"ints":[20050201,20050202,20050203,20050204,20050205,20050206,20050207,20050208,20050209,20050210,20050211,20050212,20050213,20050214,20050215,20050216,20050217,20050218,20050219,20050220,20050221,20050222,20050223,20050224,20050225,20050226,20050227,20050228]},"dim":"date","parent":649},{"children":[1068],"coords":{"ints":[20051201,20051202,20051203,20051204,20051205,20051206,20051207,20051208,20051209,20051210,20051211,20051212,20051213,20051214,20051215,20051216,20051217,20051218,20051219,20051220,20051221,20051222,20051223,20051224,20051225,20051226,20051227,20051228,20051229,20051230,20051231]},"dim":"date","parent":650},{"children":[1069],"coords":{"ints":[20051101,20051102,20051103,20051104,20051105,20051106,20051107,20051108,20051109,20051110,20051111,20051112,20051113,20051114,20051115,20051116,20051117,20051118,20051119,20051120,20051121,20051122,20051123,20051124,20051125,20051126,20051127,20051128,20051129,20051130]},"dim":"date","parent":651},{"children":[1070],"coords":{"ints":[20051001,20051002,20051003,20051004,20051005,20051006,20051007,20051008,20051009,20051010,20051011,20051012,20051013,20051014,20051015,20051016,20051017,20051018,20051019,20051020,20051021,20051022,20051023,20051024,20051025,20051026,20051027,20051028,20051029,20051030,20051031]},"dim":"date","parent":652},{"children":[1071],"coords":{"ints":[20050101,20050102,20050103,20050104,20050105,20050106,20050107,20050108,20050109,20050110,20050111,20050112,20050113,20050114,20050115,20050116,20050117,20050118,20050119,20050120,20050121,20050122,20050123,20050124,20050125,20050126,20050127,20050128,20050129,20050130,20050131]},"dim":"date","parent":653},{"children":[1072],"coords":{"ints":[20060901,20060902,20060903,20060904,20060905,20060906,20060907,20060908,20060909,20060910,20060911,20060912,20060913,20060914,20060915,20060916,20060917,20060918,20060919,20060920,20060921,20060922,20060923,20060924,20060925,20060926,20060927,20060928,20060929,20060930]},"dim":"date","parent":654},{"children":[1073],"coords":{"ints":[20060801,20060802,20060803,20060804,20060805,20060806,20060807,20060808,20060809,20060810,20060811,20060812,20060813,20060814,20060815,20060816,20060817,20060818,20060819,20060820,20060821,20060822,20060823,20060824,20060825,20060826,20060827,20060828,20060829,20060830,20060831]},"dim":"date","parent":655},{"children":[1074],"coords":{"ints":[20060701,20060702,20060703,20060704,20060705,20060706,20060707,20060708,20060709,20060710,20060711,20060712,20060713,20060714,20060715,20060716,20060717,20060718,20060719,20060720,20060721,20060722,20060723,20060724,20060725,20060726,20060727,20060728,20060729,20060730,20060731]},"dim":"date","parent":656},{"children":[1075],"coords":{"ints":[20060601,20060602,20060603,20060604,20060605,20060606,20060607,20060608,20060609,20060610,20060611,20060612,20060613,20060614,20060615,20060616,20060617,20060618,20060619,20060620,20060621,20060622,20060623,20060624,20060625,20060626,20060627,20060628,20060629,20060630]},"dim":"date","parent":657},{"children":[1076],"coords":{"ints":[20060501,20060502,20060503,20060504,20060505,20060506,20060507,20060508,20060509,20060510,20060511,20060512,20060513,20060514,20060515,20060516,20060517,20060518,20060519,20060520,20060521,20060522,20060523,20060524,20060525,20060526,20060527,20060528,20060529,20060530,20060531]},"dim":"date","parent":658},{"children":[1077],"coords":{"ints":[20060401,20060402,20060403,20060404,20060405,20060406,20060407,20060408,20060409,20060410,20060411,20060412,20060413,20060414,20060415,20060416,20060417,20060418,20060419,20060420,20060421,20060422,20060423,20060424,20060425,20060426,20060427,20060428,20060429,20060430]},"dim":"date","parent":659},{"children":[1078],"coords":{"ints":[20060301,20060302,20060303,20060304,20060305,20060306,20060307,20060308,20060309,20060310,20060311,20060312,20060313,20060314,20060315,20060316,20060317,20060318,20060319,20060320,20060321,20060322,20060323,20060324,20060325,20060326,20060327,20060328,20060329,20060330,20060331]},"dim":"date","parent":660},{"children":[1079],"coords":{"ints":[20060201,20060202,20060203,20060204,20060205,20060206,20060207,20060208,20060209,20060210,20060211,20060212,20060213,20060214,20060215,20060216,20060217,20060218,20060219,20060220,20060221,20060222,20060223,20060224,20060225,20060226,20060227,20060228]},"dim":"date","parent":661},{"children":[1080],"coords":{"ints":[20061201,20061202,20061203,20061204,20061205,20061206,20061207,20061208,20061209,20061210,20061211,20061212,20061213,20061214,20061215,20061216,20061217,20061218,20061219,20061220,20061221,20061222,20061223,20061224,20061225,20061226,20061227,20061228,20061229,20061230,20061231]},"dim":"date","parent":662},{"children":[1081],"coords":{"ints":[20061101,20061102,20061103,20061104,20061105,20061106,20061107,20061108,20061109,20061110,20061111,20061112,20061113,20061114,20061115,20061116,20061117,20061118,20061119,20061120,20061121,20061122,20061123,20061124,20061125,20061126,20061127,20061128,20061129,20061130]},"dim":"date","parent":663},{"children":[1082],"coords":{"ints":[20061001,20061002,20061003,20061004,20061005,20061006,20061007,20061008,20061009,20061010,20061011,20061012,20061013,20061014,20061015,20061016,20061017,20061018,20061019,20061020,20061021,20061022,20061023,20061024,20061025,20061026,20061027,20061028,20061029,20061030,20061031]},"dim":"date","parent":664},{"children":[1083],"coords":{"ints":[20060101,20060102,20060103,20060104,20060105,20060106,20060107,20060108,20060109,20060110,20060111,20060112,20060113,20060114,20060115,20060116,20060117,20060118,20060119,20060120,20060121,20060122,20060123,20060124,20060125,20060126,20060127,20060128,20060129,20060130,20060131]},"dim":"date","parent":665},{"children":[1084],"coords":{"ints":[20070401,20070402,20070403,20070404,20070405,20070406,20070407,20070408,20070409,20070410,20070411,20070412,20070413,20070414,20070415,20070416,20070417,20070418,20070419,20070420,20070421,20070422,20070423,20070424,20070425,20070426,20070427,20070428,20070429,20070430]},"dim":"date","parent":666},{"children":[1085],"coords":{"ints":[20070301,20070302,20070303,20070304,20070305,20070306,20070307,20070308,20070309,20070310,20070311,20070312,20070313,20070314,20070315,20070316,20070317,20070318,20070319,20070320,20070321,20070322,20070323,20070324,20070325,20070326,20070327,20070328,20070329,20070330,20070331]},"dim":"date","parent":667},{"children":[1086],"coords":{"ints":[20070201,20070202,20070203,20070204,20070205,20070206,20070207,20070208,20070209,20070210,20070211,20070212,20070213,20070214,20070215,20070216,20070217,20070218,20070219,20070220,20070221,20070222,20070223,20070224,20070225,20070226,20070227,20070228]},"dim":"date","parent":668},{"children":[1087],"coords":{"ints":[20070101,20070102,20070103,20070104,20070105,20070106,20070107,20070108,20070109,20070110,20070111,20070112,20070113,20070114,20070115,20070116,20070117,20070118,20070119,20070120,20070121,20070122,20070123,20070124,20070125,20070126,20070127,20070128,20070129,20070130,20070131]},"dim":"date","parent":669},{"children":[1088],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":670},{"children":[1089],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":671},{"children":[1090],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":672},{"children":[1091],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":673},{"children":[1092],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":674},{"children":[1093],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":675},{"children":[1094],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":676},{"children":[1095],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":677},{"children":[1096],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":678},{"children":[1097],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":679},{"children":[1098],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":680},{"children":[1099],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":681},{"children":[1100],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":682},{"children":[1101],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":683},{"children":[1102],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":684},{"children":[1103],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":685},{"children":[1104],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":686},{"children":[1105],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":687},{"children":[1106],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":688},{"children":[1107],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":689},{"children":[1108],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":690},{"children":[1109],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":691},{"children":[1110],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":692},{"children":[1111],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":693},{"children":[1112],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":694},{"children":[1113],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":695},{"children":[1114],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":696},{"children":[1115],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":697},{"children":[1116],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":698},{"children":[1117],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":699},{"children":[1118],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":700},{"children":[1119],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":701},{"children":[1120],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":702},{"children":[1121],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":703},{"children":[1122],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":704},{"children":[1123],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":705},{"children":[1124],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":706},{"children":[1125],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":707},{"children":[1126],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":708},{"children":[1127],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":709},{"children":[1128],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":710},{"children":[1129],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":711},{"children":[1130],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":712},{"children":[1131],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":713},{"children":[1132],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":714},{"children":[1133],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":715},{"children":[1134],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":716},{"children":[1135],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":717},{"children":[1136],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":718},{"children":[1137],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":719},{"children":[1138],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":720},{"children":[1139],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":721},{"children":[1140],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":722},{"children":[1141],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":723},{"children":[1142],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":724},{"children":[1143],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":725},{"children":[1144],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":726},{"children":[1145],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":727},{"children":[1146],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":728},{"children":[1147],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":729},{"children":[1148],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":730},{"children":[1149],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":731},{"children":[1150],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":732},{"children":[1151],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":733},{"children":[1152],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":734},{"children":[1153],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":735},{"children":[1154],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":736},{"children":[1155],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":737},{"children":[1156],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":738},{"children":[1157],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":739},{"children":[1158],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":740},{"children":[1159],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":741},{"children":[1160],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":742},{"children":[1161],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":743},{"children":[1162],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":744},{"children":[1163],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":745},{"children":[1164],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":746},{"children":[1165],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":747},{"children":[1166],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":748},{"children":[1167],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":749},{"children":[1168],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":750},{"children":[1169],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":751},{"children":[1170],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":752},{"children":[1171],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":753},{"children":[1172],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":754},{"children":[1173],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":755},{"children":[1174],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":756},{"children":[1175],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":757},{"children":[1176],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":758},{"children":[1177],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":759},{"children":[1178],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":760},{"children":[1179],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":761},{"children":[1180],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":762},{"children":[1181],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":763},{"children":[1182],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":764},{"children":[1183],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":765},{"children":[1184],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":766},{"children":[1185],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":767},{"children":[1186],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":768},{"children":[1187],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":769},{"children":[1188],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":770},{"children":[1189],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":771},{"children":[1190],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":772},{"children":[1191],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":773},{"children":[1192],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":774},{"children":[1193],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":775},{"children":[1194],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":776},{"children":[1195],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":777},{"children":[1196],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":778},{"children":[1197],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":779},{"children":[1198],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":780},{"children":[1199],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":781},{"children":[1200],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":782},{"children":[1201],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":783},{"children":[1202],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":784},{"children":[1203],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":785},{"children":[1204],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":786},{"children":[1205],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":787},{"children":[1206],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":788},{"children":[1207],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":789},{"children":[1208],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":790},{"children":[1209],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":791},{"children":[1210],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":792},{"children":[1211],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":793},{"children":[1212],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":794},{"children":[1213],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":795},{"children":[1214],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":796},{"children":[1215],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":797},{"children":[1216],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":798},{"children":[1217],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":799},{"children":[1218],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":800},{"children":[1219],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":801},{"children":[1220],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":802},{"children":[1221],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":803},{"children":[1222],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":804},{"children":[1223],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":805},{"children":[1224],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":806},{"children":[1225],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":807},{"children":[1226],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":808},{"children":[1227],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":809},{"children":[1228],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":810},{"children":[1229],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":811},{"children":[1230],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":812},{"children":[1231],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":813},{"children":[1232],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":814},{"children":[1233],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":815},{"children":[1234],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":816},{"children":[1235],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":817},{"children":[1236],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":818},{"children":[1237],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":819},{"children":[1238],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":820},{"children":[1239],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":821},{"children":[1240],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":822},{"children":[1241],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":823},{"children":[1242],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":824},{"children":[1243],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":825},{"children":[1244],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":826},{"children":[1245],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":827},{"children":[1246],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":828},{"children":[1247],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":829},{"children":[1248],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":830},{"children":[1249],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":831},{"children":[1250],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":832},{"children":[1251],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":833},{"children":[1252],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":834},{"children":[1253],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":835},{"children":[1254],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":836},{"children":[1255],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":837},{"children":[1256],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":838},{"children":[1257],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":839},{"children":[1258],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":840},{"children":[1259],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":841},{"children":[1260],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":842},{"children":[1261],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":843},{"children":[1262],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":844},{"children":[1263],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":845},{"children":[1264],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":846},{"children":[1265],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":847},{"children":[1266],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":848},{"children":[1267],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":849},{"children":[1268],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":850},{"children":[1269],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":851},{"children":[1270],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":852},{"children":[1271],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":853},{"children":[1272],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":854},{"children":[1273],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":855},{"children":[1274],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":856},{"children":[1275],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":857},{"children":[1276],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":858},{"children":[1277],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":859},{"children":[1278],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":860},{"children":[1279],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":861},{"children":[1280],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":862},{"children":[1281],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":863},{"children":[1282],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":864},{"children":[1283],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":865},{"children":[1284],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":866},{"children":[1285],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":867},{"children":[1286],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":868},{"children":[1287],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":869},{"children":[1288],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":870},{"children":[1289],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":871},{"children":[1290],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":872},{"children":[1291],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":873},{"children":[1292],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":874},{"children":[1293],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":875},{"children":[1294],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":876},{"children":[1295],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":877},{"children":[1296],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":878},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":879},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":880},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":881},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":882},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":883},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":884},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":885},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":886},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":887},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":888},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":889},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":890},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":891},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":892},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":893},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":894},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":895},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":896},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":897},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":898},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":899},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":900},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":901},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":902},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":903},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":904},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":905},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":906},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":907},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":908},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":909},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":910},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":911},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":912},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":913},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":914},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":915},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":916},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":917},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":918},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":919},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":920},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":921},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":922},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":923},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":924},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":925},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":926},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":927},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":928},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":929},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":930},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":931},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":932},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":933},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":934},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":935},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":936},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":937},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":938},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":939},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":940},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":941},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":942},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":943},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":944},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":945},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":946},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":947},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":948},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":949},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":950},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":951},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":952},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":953},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":954},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":955},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":956},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":957},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":958},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":959},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":960},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":961},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":962},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":963},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":964},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":965},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":966},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":967},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":968},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":969},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":970},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":971},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":972},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":973},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":974},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":975},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":976},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":977},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":978},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":979},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":980},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":981},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":982},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":983},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":984},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":985},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":986},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":987},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":988},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":989},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":990},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":991},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":992},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":993},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":994},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":995},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":996},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":997},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":998},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":999},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1000},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1001},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1002},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1003},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1004},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1005},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1006},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1007},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1008},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1009},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1010},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1011},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1012},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1013},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1014},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1015},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1016},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1017},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1018},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1019},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1020},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1021},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1022},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1023},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1024},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1025},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1026},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1027},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1028},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1029},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1030},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1031},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1032},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1033},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1034},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1035},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1036},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1037},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1038},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1039},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1040},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1041},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1042},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1043},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1044},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1045},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1046},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1047},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1048},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1049},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1050},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1051},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1052},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1053},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1054},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1055},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1056},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1057},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1058},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1059},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1060},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1061},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1062},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1063},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1064},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1065},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1066},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1067},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1068},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1069},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1070},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1071},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1072},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1073},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1074},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1075},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1076},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1077},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1078},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1079},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1080},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1081},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1082},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1083},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1084},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1085},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1086},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1087}] \ No newline at end of file diff --git a/qubed_meteo/qube_examples/medium_extremes_eg.json b/qubed_meteo/qube_examples/medium_extremes_eg.json new file mode 100644 index 0000000..1778c9f --- /dev/null +++ b/qubed_meteo/qube_examples/medium_extremes_eg.json @@ -0,0 +1 @@ +[{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2],"coords":{"strings":["d1"]},"dim":"class","parent":0},{"children":[3],"coords":{"strings":["extremes-dt"]},"dim":"dataset","parent":1},{"children":[4],"coords":{"ints":[20260303]},"dim":"date","parent":2},{"children":[5],"coords":{"strings":["0001"]},"dim":"expver","parent":3},{"children":[6],"coords":{"strings":["oper"]},"dim":"stream","parent":4},{"children":[7],"coords":{"strings":["0000"]},"dim":"time","parent":5},{"children":[8],"coords":{"strings":["sfc"]},"dim":"levtype","parent":6},{"children":[9],"coords":{"strings":["fc"]},"dim":"type","parent":7},{"children":[10],"coords":{"ints":[31,34,78,134,136,137,151,165,166,167,168,235,3020,228029,228050,228218,228219,228221,228235,260015]},"dim":"param","parent":8},{"children":[],"coords":{"ints":[0]},"dim":"step","parent":9}] \ No newline at end of file diff --git a/qubed_meteo/qube_examples/oper_fdb.json b/qubed_meteo/qube_examples/oper_fdb.json new file mode 100644 index 0000000..11e8446 --- /dev/null +++ b/qubed_meteo/qube_examples/oper_fdb.json @@ -0,0 +1 @@ +[{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2,3,4,5],"coords":{"strings":["od"]},"dim":"class","parent":0},{"children":[6],"coords":{"ints":[20231102]},"dim":"date","parent":1},{"children":[7],"coords":{"ints":[20240103]},"dim":"date","parent":1},{"children":[8],"coords":{"ints":[20240118]},"dim":"date","parent":1},{"children":[9],"coords":{"ints":[20240129]},"dim":"date","parent":1},{"children":[10],"coords":{"strings":["g"]},"dim":"domain","parent":2},{"children":[11],"coords":{"strings":["g"]},"dim":"domain","parent":3},{"children":[12],"coords":{"strings":["g"]},"dim":"domain","parent":4},{"children":[13],"coords":{"strings":["g"]},"dim":"domain","parent":5},{"children":[14],"coords":{"strings":["0001"]},"dim":"expver","parent":6},{"children":[15],"coords":{"strings":["0001"]},"dim":"expver","parent":7},{"children":[16],"coords":{"strings":["0001"]},"dim":"expver","parent":8},{"children":[17],"coords":{"strings":["0001"]},"dim":"expver","parent":9},{"children":[18],"coords":{"strings":["oper"]},"dim":"stream","parent":10},{"children":[19],"coords":{"strings":["oper"]},"dim":"stream","parent":11},{"children":[20],"coords":{"strings":["oper"]},"dim":"stream","parent":12},{"children":[21],"coords":{"strings":["oper"]},"dim":"stream","parent":13},{"children":[22],"coords":{"strings":["0000"]},"dim":"time","parent":14},{"children":[23],"coords":{"strings":["0000"]},"dim":"time","parent":15},{"children":[24],"coords":{"strings":["0000"]},"dim":"time","parent":16},{"children":[25],"coords":{"strings":["0000"]},"dim":"time","parent":17},{"children":[26],"coords":{"strings":["sfc"]},"dim":"levtype","parent":18},{"children":[27],"coords":{"strings":["sfc"]},"dim":"levtype","parent":19},{"children":[28],"coords":{"strings":["sfc"]},"dim":"levtype","parent":20},{"children":[29],"coords":{"strings":["sfc"]},"dim":"levtype","parent":21},{"children":[30],"coords":{"strings":["fc"]},"dim":"type","parent":22},{"children":[31],"coords":{"strings":["fc"]},"dim":"type","parent":23},{"children":[32],"coords":{"strings":["fc"]},"dim":"type","parent":24},{"children":[33],"coords":{"strings":["fc"]},"dim":"type","parent":25},{"children":[34],"coords":{"ints":[167]},"dim":"param","parent":26},{"children":[35],"coords":{"ints":[167]},"dim":"param","parent":27},{"children":[36],"coords":{"ints":[49,167]},"dim":"param","parent":28},{"children":[37],"coords":{"ints":[167]},"dim":"param","parent":29},{"children":[],"coords":{"ints":[0,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,93,96,99]},"dim":"step","parent":30},{"children":[],"coords":{"ints":[0,1,2]},"dim":"step","parent":31},{"children":[],"coords":{"ints":[0]},"dim":"step","parent":32},{"children":[],"coords":{"ints":[0]},"dim":"step","parent":33}] \ No newline at end of file diff --git a/qubed_meteo/qube_examples/small_climate_eg.json b/qubed_meteo/qube_examples/small_climate_eg.json new file mode 100644 index 0000000..a4b665b --- /dev/null +++ b/qubed_meteo/qube_examples/small_climate_eg.json @@ -0,0 +1 @@ +[{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2],"coords":{"strings":["highresmip"]},"dim":"activity","parent":0},{"children":[3],"coords":{"strings":["d1"]},"dim":"class","parent":1},{"children":[4],"coords":{"strings":["climate-dt"]},"dim":"dataset","parent":2},{"children":[5],"coords":{"strings":["cont"]},"dim":"experiment","parent":3},{"children":[6],"coords":{"strings":["0001"]},"dim":"expver","parent":4},{"children":[7],"coords":{"ints":[1]},"dim":"generation","parent":5},{"children":[8],"coords":{"strings":["ifs-nemo"]},"dim":"model","parent":6},{"children":[9],"coords":{"ints":[1]},"dim":"realization","parent":7},{"children":[10],"coords":{"strings":["clte"]},"dim":"stream","parent":8},{"children":[11],"coords":{"ints":[1990]},"dim":"year","parent":9},{"children":[12],"coords":{"strings":["sfc"]},"dim":"levtype","parent":10},{"children":[13],"coords":{"ints":[1]},"dim":"month","parent":11},{"children":[14],"coords":{"strings":["high"]},"dim":"resolution","parent":12},{"children":[15],"coords":{"strings":["fc"]},"dim":"type","parent":13},{"children":[16],"coords":{"ints":[19900101]},"dim":"date","parent":14},{"children":[17],"coords":{"ints":[167]},"dim":"param","parent":15},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":16}] \ No newline at end of file diff --git a/qubed_meteo/qube_examples/small_extremes_eg.json b/qubed_meteo/qube_examples/small_extremes_eg.json new file mode 100644 index 0000000..123fdd2 --- /dev/null +++ b/qubed_meteo/qube_examples/small_extremes_eg.json @@ -0,0 +1 @@ +[{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2],"coords":{"strings":["d1"]},"dim":"class","parent":0},{"children":[3],"coords":{"strings":["extremes-dt"]},"dim":"dataset","parent":1},{"children":[4],"coords":{"ints":[20260303]},"dim":"date","parent":2},{"children":[5],"coords":{"strings":["0001"]},"dim":"expver","parent":3},{"children":[6],"coords":{"strings":["oper"]},"dim":"stream","parent":4},{"children":[7],"coords":{"strings":["0000"]},"dim":"time","parent":5},{"children":[8],"coords":{"strings":["sfc"]},"dim":"levtype","parent":6},{"children":[9],"coords":{"strings":["fc"]},"dim":"type","parent":7},{"children":[10],"coords":{"ints":[34]},"dim":"param","parent":8},{"children":[],"coords":{"ints":[0]},"dim":"step","parent":9}] \ No newline at end of file From 57c07e068b4161e7b4a3a5b322617bbe107a0439 Mon Sep 17 00:00:00 2001 From: mathleur Date: Mon, 9 Mar 2026 13:56:55 +0100 Subject: [PATCH 08/26] fix qa --- qubed_meteo/Cargo.toml | 1 - 1 file changed, 1 deletion(-) diff --git a/qubed_meteo/Cargo.toml b/qubed_meteo/Cargo.toml index f328ffc..58b3502 100644 --- a/qubed_meteo/Cargo.toml +++ b/qubed_meteo/Cargo.toml @@ -7,7 +7,6 @@ edition = "2024" qubed = { path = "../qubed" } serde = "1.0.228" serde_json = "1.0.145" -rsfdb = { path = "../../rsfdb" } [lib] path = "src/lib.rs" From 696d6eab279d3c3a1f18e6d10add7fe32fb58508 Mon Sep 17 00:00:00 2001 From: mathleur Date: Mon, 9 Mar 2026 14:20:48 +0100 Subject: [PATCH 09/26] add old stac catalogue --- stac_server/POLYTOPE_AUTH_TESTING.md | 47 + stac_server/__init__.py | 0 stac_server/favicon.ico | Bin 0 -> 15406 bytes stac_server/key_ordering.py | 84 ++ stac_server/main.py | 698 ++++++++++ stac_server/run.sh | 3 + stac_server/run_prod.sh | 3 + stac_server/static/app.js | 1299 +++++++++++++++++++ stac_server/static/logo.png | Bin 0 -> 551141 bytes stac_server/static/qube_styles.css | 50 + stac_server/static/styles.css | 1749 ++++++++++++++++++++++++++ stac_server/templates/index.html | 355 ++++++ stac_server/templates/landing.html | 526 ++++++++ stac_server/test_api.py | 66 + 14 files changed, 4880 insertions(+) create mode 100644 stac_server/POLYTOPE_AUTH_TESTING.md create mode 100644 stac_server/__init__.py create mode 100644 stac_server/favicon.ico create mode 100644 stac_server/key_ordering.py create mode 100644 stac_server/main.py create mode 100644 stac_server/run.sh create mode 100644 stac_server/run_prod.sh create mode 100644 stac_server/static/app.js create mode 100644 stac_server/static/logo.png create mode 100644 stac_server/static/qube_styles.css create mode 100644 stac_server/static/styles.css create mode 100644 stac_server/templates/index.html create mode 100644 stac_server/templates/landing.html create mode 100644 stac_server/test_api.py diff --git a/stac_server/POLYTOPE_AUTH_TESTING.md b/stac_server/POLYTOPE_AUTH_TESTING.md new file mode 100644 index 0000000..7ccc8bf --- /dev/null +++ b/stac_server/POLYTOPE_AUTH_TESTING.md @@ -0,0 +1,47 @@ +# Polytope Authentication + +The STAC server's Polytope integration collects authentication credentials directly from users through the web interface and queries the **Destination Earth** Polytope service. + +## User Flow + +1. Navigate through the STAC catalogue and select your data +2. At the end of the catalogue, you'll see the "Query Data with Polytope" section +3. Enter your Destination Earth Polytope credentials: + - **Email Address**: Your email address registered with Destination Earth + - **API Key**: Your Polytope API key +4. Click "Query Polytope Service" to submit your data extraction requests + +## Getting Your Polytope API Key + +1. Visit [https://polytope.lumi.apps.dte.destination-earth.eu](https://polytope.lumi.apps.dte.destination-earth.eu) +2. Log in with your Destination Earth credentials +3. Navigate to your profile or settings +4. Generate or copy your API key + +## Technical Details + +The service connects to the Destination Earth Polytope instance: +- **Address**: `polytope.lumi.apps.dte.destination-earth.eu` +- **Collection**: `destination-earth` + +## Security Notes + +- Credentials are sent securely with each request +- Credentials are not stored on the server +- Each user provides their own authentication +- Credentials are only logged in a masked format for debugging + +## For Developers + +The credentials are sent in the request body as: +```json +{ + "requests": [...], + "credentials": { + "user_email": "user@ecmwf.int", + "user_key": "your_api_key" + } +} +``` + +The backend passes these credentials directly to `earthkit.data.from_source()` when querying Polytope. \ No newline at end of file diff --git a/stac_server/__init__.py b/stac_server/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/stac_server/favicon.ico b/stac_server/favicon.ico new file mode 100644 index 0000000000000000000000000000000000000000..3663761885fecbef48b1c75784c3b759b77c102a GIT binary patch literal 15406 zcmeHOd2Ae48DCRc3KUU}ic&QYAV3w6NJ|AsC5WR!DlL@|h^iG5mD27yEfP)Q-2^I< zNt1YI*PGZm?Ck8?-o*AE9$)d9IF9Yy2TmO4axMpyliYV`nkE^3->jcK`*vn`cD#xC zBbG*Q=gs@x_xry0z3;vEz0WpVj_o1aQ$ z`29OJ+vX>1wr9`=B%p}bqsYqN9M|OU3QqgZSx)tR0L?ls(Kb~VKJ<;;{ zV~X-;oM808oj@BdcYiZ1iHC_sF7+y_NM1!7>BEh1sFubgc1wHQ(?WUH} zAv#9S%AWRROrE)nj+NlO1&?xZf14rw72v3bTqGl-V`U`ZxztoyWJt>}tcoor40mNg zc!beXiMsPEDhkumw?$R@+uhv)tbO#%(v(72POgfhmY|yA2C$A z>^DA`I_cSaiNTQfke_wb-7Eg-c#|HWmqYi0zZu@~ad32In?LcM<+4jd<2cE zzSLA3_+C@ge|r9$Jar$F#M^|c-%7JqxJp#@4L0j3a_@v0i`MCSF{++>KrnQ zdVE{M3ze-a%auKA!|Fr(hE>%|6zHGFpvdL(6~fRM^Y6o0grI|cGpFY|*!UQg;OpRd zx64bE6FXN7t($Dmz{)dwnw7P~>*x@cno!~CRyp*f5ih>Jve-QivfR+}-wqj#)_umG zmHq3Z3hk9N^mijc_b+)qM(^0e#Wb|aHt3r5ZMNLEE~4d6zk6xjGvdkWWl8)RWdE4) zZ^2k!JFLIoNr$DY&Yy^3X?h(*CHEA@o619*<&0%#xc;-NDUrV<`k9d_1Mo^<;&=L zJL2aO)+g;@885vO?M|__G?!UFR!ep+VtvBCKd;A^)nR?v!P>S(7LAxc>5%n@@_M>C z81;)G);@mTT4@;r`71gju>LT%o0*(OCFVZP2E%^5ud~uJ|A8$v8r~w-2ajOHm(|mm zJS=%GF${DzzR+)c<}|VkIukcl7Har=ZioHeZ!1l+$*$4~EjO!EF3{1Y%RJdKD2bkvk6YidiB z=BgsBx5GBe+Mv9R`nUD^Hd_}hbw7)K4ruz+*px0$_Wg9MM109CpH%HA_7juD8NhHl z9S-RGDs0D>&d;XeXY{RY(V|b${u*{sgr^f&_TuTs-g|v~U+#XLkEa>+^`Kr~0~9Ag zh}QNdp3#nz0D_gj9AQT8*x4?-bC&b%ZHTcP7o3ibGhOy+g6plP={#(u)B8a~*kIr)q1Rc&Uv{blI(Us{Z*e#5?MMh$Qxki2!C^oznA#Z^$iRSW^}D>LwbkJcV-JaozbfN`QxJ{`4g-C z;?KeX?}X(`^1qZ0JADT((|(f409)&tWsfk;n$5(@#2-Y0p1HuiTh@3LYuWFOGsOyD_=^TJRp zF#(?@#*m`^4!)hkxGam7&mGfRD@{Qx`D$&&BE=(2Nr%4+er6m$e(ByTai0O6hyi*s z({~zqU{_}vqa`;f7EVun)snaj`s0wXpHXmJpt%TrZ;RV<%Co6@&s`hxDRp@0&OXH$ z41I$Pz`a;$sg_h3XdHZVrrm_y+#%Z;iOp0m&3^$H4yM9Uhu8w;FC5+?D-_$MyL@`+ zF8$yCtW)S7A~EKZtOJUvHINMPaX3{`BEBKyIYju!Zmh}k=Dt6i>yge@*msJpAjYv) z4?FQ&vAj^BINGHH>0@~mXF9kkrcm5i%|+0$s~E-sc_LSuqyAqp3|33J^GA%N6xeC5 z4UIMZt_Gh?&B26R1wPhg^iFvqI}rP=DUav2@O?us2P46GNqH)n%26E@|Ad%_?)_MA zM@2%Oj1g9&`fG>Vm4U4_y7PnP82Q(coCW2O_etFE?c;Sr<4*TYMz}JqKa4mm%Q513 zovvEyeIZkwQ+tYIQ)~^oPq-(8PL#C`k||p^E5}ug1L;F&KEOwNd=!_;R0g^SfUm6K z^r8C0qucAVrh6vi`F(BhO+^Xwi+ID1c2xyEPiKms?kGWjoX1ajMArx6d0~uqw#vQ9 zcZwv>?MSe|^xYI~(EaGsTl>`vV(eNpk==u4U>+;b;1I{3E%m zGAjq!C(oDO>rI}2nEr7V8Q}Zr$NVyj!)iO)H^mZj6I6M^IPWlQW=ddB+ND*n0*eJJMdCSL!ve>983YCGDe@_gy6(JVZT;s`o7x5dX^Kr*p{VgX#CkX0h_^t|MQ%9eGMT-*7-&p@%V5T~sRgG4>Dt z<@=&FlINSP_fvh1dV3(;vAX|~3aj3?=wi=Pu)7`}e`{o6R`+g9cG{D0xe#m|F2+g= zzORQdRUKj)k6=IO1O9|P1f5wZFD={aFwNWAav#I2EnBSKwNg$P_RwefF`#|o$(@Z^ zvm?r%=)nIO@O-d_-oXBSa;9r98y6Y_tYZneYK%uqxX4t#0<#aJlJc**8~nOHA2Fug zp<=J;ygr6oThh9R`J;QUPI(05g7 z|0-YFlkV!O$|#5C%Ar*X?b9gd1oo+i{}%0kt=f%N|MWW)3Ox#2oCo|L>B&Ix4jPM{ zYbsLO)Mdn1DEE?ZQ?80$U#Pnao0lV!@5?-nk-V4T|ANAPak-HU3=8z8#&$L|1=V=f z_V(p!Olwv3V#He#az^#=ldoGR2MfM260AnFBm?Z|1ITfn;mu-dd@12 zkohLp5-BU=P>{A6buivkxZs(ZK%zqm$?g literal 0 HcmV?d00001 diff --git a/stac_server/key_ordering.py b/stac_server/key_ordering.py new file mode 100644 index 0000000..a5ccb24 --- /dev/null +++ b/stac_server/key_ordering.py @@ -0,0 +1,84 @@ +climate_dt_keys = [ + "class", + "dataset", + "activity", + "experiment", + "generation", + "model", + "realization", + "expver", + "stream", + "date", + "resolution", + "type", + "levtype", + "time", + "levelist", + "param", +] + +extremes_dt_keys = [ + "class", + "dataset", + "expver", + "stream", + "date", + "time", + "type", + "levtype", + "step", + "levelist", + "param", + "frequency", + "direction", +] + +on_demands_dt_keys = [ + "class", + "dataset", + "expver", + "stream", + "date", + "time", + "type", + "georef", + "levtype", + "step", + "number", + "levelist", + "param", + "frequency", + "direction", + "ident", + "instrument", + "channel", +] + +default_keys = [ + "class", + "dataset", + "stream", + "activity", + "resolution", + "expver", + "experiment", + "generation", + "model", + "realization", + "type", + "date", + "time", + "datetime", + "levtype", + "levelist", + "step", + "param", +] + + +dataset_key_orders = { + "climate-dt": climate_dt_keys, + "extremes-dt": extremes_dt_keys, + "on-demand-extremes-dt": on_demands_dt_keys, + "default": default_keys, +} \ No newline at end of file diff --git a/stac_server/main.py b/stac_server/main.py new file mode 100644 index 0000000..863399d --- /dev/null +++ b/stac_server/main.py @@ -0,0 +1,698 @@ +from .key_ordering import dataset_key_orders +import base64 +import json +import logging +import os +import subprocess +import sys +from io import BytesIO, StringIO +from pathlib import Path +from typing import Mapping + +import yaml +from fastapi import Depends, FastAPI, HTTPException, Request +from fastapi.middleware.cors import CORSMiddleware +from fastapi.responses import FileResponse, HTMLResponse, JSONResponse +from fastapi.security import HTTPAuthorizationCredentials, HTTPBearer +from fastapi.staticfiles import StaticFiles +from fastapi.templating import Jinja2Templates +from pydantic import BaseModel +from qubed import Qube +from qubed.formatters import node_tree_to_html + +logger = logging.getLogger("uvicorn.error") +log_level = os.environ.get("LOG_LEVEL", "INFO").upper() +if log_level in ["DEBUG", "INFO", "WARNING", "ERROR", "CRITICAL"]: + logger.setLevel(log_level) + logger.info(f"Set log level to {log_level}") +else: + logger.warning(f"Invalid LOG_LEVEL {log_level}, defaulting to INFO") + logger.setLevel(logging.INFO) +# load yaml config from configmap or default path +config_path = os.environ.get( + "CONFIG_PATH", f"{Path(__file__).parents[1]}/config/config.yaml" +) +if not Path(config_path).exists(): + raise FileNotFoundError(f"Config file not found at {config_path}") +with open(config_path, "r") as f: + config = yaml.safe_load(f) + logger.info(f"Loaded config from {config_path}") + +prefix = Path( + os.environ.get( + "QUBED_DATA_PREFIX", Path(__file__).parents[1] / "tests/example_qubes/" + ) +) + +if "API_KEY" in os.environ: + api_key = os.environ["API_KEY"].strip() + logger.info("Got api key from env key API_KEY") +else: + with open("api_key.secret", "r") as f: + api_key = f.read().strip() + logger.info("Got api_key from local file 'api_key.secret'") + +app = FastAPI() +security = HTTPBearer() +app.add_middleware( + CORSMiddleware, + allow_origins=["*"], + allow_credentials=True, + allow_methods=["*"], + allow_headers=["*"], +) + + +@app.on_event("startup") +async def startup_event(): + """Install required packages on startup.""" + required_packages = [ + "covjsonkit", + "earthkit-plots", + "xarray", + "matplotlib", + "numpy", + ] + logger.info("Checking and installing required packages on startup...") + + for package in required_packages: + try: + # Try to import to check if already installed + __import__(package.replace("-", "_")) + logger.info(f"{package} is already installed") + except ImportError: + logger.info(f"Installing {package}...") + try: + result = subprocess.run( + [sys.executable, "-m", "pip", "install", package], + capture_output=True, + text=True, + timeout=120, + ) + if result.returncode == 0: + logger.info(f"Successfully installed {package}") + else: + logger.warning(f"Failed to install {package}: {result.stderr}") + except Exception as e: + logger.warning(f"Error installing {package}: {e}") + + logger.info("Package installation check complete") + + +app.mount( + "/static", StaticFiles(directory=Path(__file__).parent / "static"), name="static" +) +templates = Jinja2Templates(directory=Path(__file__).parent / "templates") + +qube = Qube.empty() +mars_language = {} + +for data_file in config.get("data_files", []): + data_path = prefix / data_file + if not data_path.exists(): + logger.warning(f"Data file {data_path} does not exist, skipping") + continue + logger.info(f"Loading data from {data_path}") + with open(data_path, "r") as f: + qube = qube | Qube.from_json(json.load(f)) + logger.info( + f"Loaded {data_path}. Now have {qube.n_nodes} nodes and {qube.n_leaves} leaves." + ) + +with open(Path(__file__).parents[1] / "config/language/language.yaml", "r") as f: + mars_language = yaml.safe_load(f) + + +logger.info("Ready to serve requests!") + + +async def get_body_json(request: Request): + return await request.json() + + +def parse_request(request: Request) -> dict[str, str | list[str]]: + # Convert query parameters to dictionary format + request_dict = dict(request.query_params) + for key, value in request_dict.items(): + # Convert comma-separated values into lists + if "," in value: + request_dict[key] = value.split(",") + + return request_dict + + +def validate_api_key(credentials: HTTPAuthorizationCredentials = Depends(security)): + logger.info( + f"Validating API key: {credentials.scheme} {credentials.credentials}, correct key is {api_key.strip()}" + ) + if credentials.credentials != api_key.strip(): + raise HTTPException(status_code=403, detail="Incorrect API Key") + return credentials + + +@app.get("/favicon.ico", include_in_schema=False) +async def favicon(): + return FileResponse("favicon.ico") + + +@app.get("/api/v1/{path:path}") +async def deprecated(): + raise HTTPException(status_code=410, detail="/api/v1 is now deprecated, use v2") + + +@app.get("/", response_class=HTMLResponse) +async def read_root(request: Request): + index_config = { + "title": os.environ.get("TITLE", "Qubed Catalogue Browser"), + } + + return templates.TemplateResponse(request, "landing.html", index_config) + + +@app.get("/browse", response_class=HTMLResponse) +async def browse_catalogue(request: Request): + index_config = { + "api_url": os.environ.get("API_URL", "/api/v2/"), + "title": os.environ.get("TITLE", "Qubed Catalogue Browser"), + "message": "", + "last_database_update": "", + } + + return templates.TemplateResponse(request, "index.html", index_config) + + +@app.get("/api/v2/get/") +async def get( + request: dict[str, str | list[str]] = Depends(parse_request), +): + return qube.to_json() + + +@app.post("/api/v2/union/") +async def union( + credentials: HTTPAuthorizationCredentials = Depends(validate_api_key), + body_json=Depends(get_body_json), +): + global qube + qube = qube | Qube.from_json(body_json) + return qube.to_json() + + +@app.post("/api/v2/polytope/query") +async def query_polytope( + body_json=Depends(get_body_json), +): + """ + Query the Destination Earth Polytope data extraction service with MARS requests. + Expects a JSON body with: + - 'requests': array of MARS request objects + - 'credentials': object with 'user_email' and 'user_key' fields + + Connects to: polytope.lumi.apps.dte.destination-earth.eu + Collection: destination-earth + """ + try: + import earthkit.data + except ImportError: + raise HTTPException( + status_code=500, + detail="earthkit.data is not installed. Please install it with 'pip install earthkit-data'", + ) + + requests = body_json.get("requests", []) + if not requests: + raise HTTPException(status_code=400, detail="No requests provided") + + # Get credentials from request body + credentials = body_json.get("credentials", {}) + user_email = credentials.get("user_email") + user_key = credentials.get("user_key") + + if not user_email or not user_key: + raise HTTPException( + status_code=400, + detail="Credentials required: provide user_email and user_key", + ) + + # Prepare kwargs for polytope connection + polytope_kwargs = { + "stream": False, + "address": "polytope.lumi.apps.dte.destination-earth.eu", + "user_email": user_email, + "user_key": user_key, + } + + logger.info(f"Querying Polytope with user email: {user_email}") + + results = [] + successful = 0 + failed = 0 + + for idx, mars_request in enumerate(requests): + try: + logger.info(f"Querying Polytope for request {idx + 1}/{len(requests)}") + logger.debug(f"Request: {mars_request}") + + # Query Polytope service + ds = earthkit.data.from_source( + "polytope", "destination-earth", mars_request, **polytope_kwargs + ) + + # Get JSON representation of the data + try: + ds_json = ds._json() + logger.info(f"Successfully extracted JSON from request {idx + 1}") + except Exception as json_error: + logger.warning( + f"Could not extract JSON from request {idx + 1}: {json_error}" + ) + ds_json = None + + # Get some basic info about the result + data_info = ( + f"Retrieved {len(ds)} fields" + if hasattr(ds, "__len__") + else "Data retrieved" + ) + + result_entry = { + "success": True, + "request_index": idx, + "message": data_info, + "data_size": str(len(ds)) if hasattr(ds, "__len__") else None, + "mars_request": mars_request, + } + + # Add JSON data if available + if ds_json is not None: + result_entry["json_data"] = ds_json + + results.append(result_entry) + successful += 1 + logger.info(f"Request {idx + 1} successful: {data_info}") + + except Exception as e: + error_msg = str(e) + logger.error(f"Request {idx + 1} failed: {error_msg}") + results.append( + { + "success": False, + "request_index": idx, + "error": error_msg, + "mars_request": mars_request, + } + ) + failed += 1 + + return { + "total": len(requests), + "successful": successful, + "failed": failed, + "results": results, + } + + +def follow_query(request: dict[str, str | list[str]], qube: Qube): + rel_qube = qube.select(request, consume=False) + + full_axes = rel_qube.axes_info() + + seen_keys = list(request.keys()) + + dataset_key_ordering = None + + # Also compute the selected tree just to the point where our selection ends + s = qube.select(request, mode=Qube.select_modes.NextLevel, consume=False).compress() + + if seen_keys and "dataset" in seen_keys: + if ( + not isinstance(request["dataset"], list) + and request["dataset"] in dataset_key_orders.keys() + ): + dataset_key_ordering = dataset_key_orders[request["dataset"]] + elif isinstance(request["dataset"], list) and len(request["dataset"]) == 1: + dataset_key_ordering = dataset_key_orders[request["dataset"][0]] + else: + dataset_key_ordering = dataset_key_orders["default"] + + if dataset_key_ordering is None: + available_keys = {node.key for _, node in s.leaf_nodes()} + else: + available_keys = [ + key for key in dataset_key_ordering if key in list(full_axes.keys()) + ] + + frontier_keys = next((x for x in available_keys if x not in seen_keys), []) + + return_axes = [] + for key, info in full_axes.items(): + return_axes_key = { + "key": key, + "dtype": list(info.dtypes)[0], + "on_frontier": (key in frontier_keys) and (key not in seen_keys), + } + if isinstance(list(info.values)[0], str): + try: + int(list(info.values)[0]) + sorted_vals = sorted(info.values, key=int) + except ValueError: + sorted_vals = sorted(info.values) + else: + sorted_vals = sorted(info.values) + return_axes_key["values"] = sorted_vals + return_axes.append(return_axes_key) + + return s, return_axes + + +@app.get("/api/v2/select/") +async def select( + request: Mapping[str, str | list[str]] = Depends(parse_request), +): + return qube.select(request).to_json() + + +@app.get("/api/v2/query") +async def query( + request: dict[str, str | list[str]] = Depends(parse_request), +): + _, paths = follow_query(request, qube) + return paths + + +@app.get("/api/v2/basicstac/{filters:path}") +async def basic_stac(filters: str): + pairs = filters.strip("/").split("/") + request = dict(p.split("=") for p in pairs if "=" in p) + + q, _ = follow_query(request, qube) + + def make_link(child_request): + """Take a MARS Key and information about which paths matched up to this point and use it to make a STAC Link""" + kvs = [f"{key}={value}" for key, value in child_request.items()] + href = f"/api/v2/basicstac/{'/'.join(kvs)}" + last_key, last_value = list(child_request.items())[-1] + + return { + "title": f"{last_key}={last_value}", + "href": href, + "rel": "child", + "type": "application/json", + } + + # Format the response as a STAC collection + (this_key, this_value), *_ = ( + list(request.items())[-1] if request else ("root", "root"), + None, + ) + key_info = mars_language.get(this_key, {}) + try: + values_info = dict(key_info.get("values", {})) + value_info = values_info.get( + this_value, f"No info found for value `{this_value}` found." + ) + except ValueError: + value_info = f"No info found for value `{this_value}` found." + + if this_key == "root": + value_info = "The root node" + # key_desc = key_info.get( + # "description", f"No description for `key` {this_key} found." + # ) + logger.info(f"{this_key}, {this_value}") + stac_collection = { + "type": "Catalog", + "stac_version": "1.0.0", + "id": "root" + if not request + else "/".join(f"{k}={v}" for k, v in request.items()), + "title": f"{this_key}={this_value}", + "description": value_info, + "links": [make_link(leaf) for leaf in q.leaves()], + } + + return stac_collection + + +def make_link(axis, request_params): + """Take a MARS Key and information about which paths matched up to this point and use it to make a STAC Link""" + key_name = axis["key"] + + href_template = f"/stac?{request_params}{'&' if request_params else ''}{key_name}={{{key_name}}}" + + values_from_language_yaml = mars_language.get(key_name, {}).get("values", {}) + value_descriptions = { + v: values_from_language_yaml[v] + for v in axis["values"] + if v in values_from_language_yaml + } + + return { + "title": key_name, + "uriTemplate": href_template, + "rel": "child", + "type": "application/json", + "variables": { + key_name: { + "type": axis["dtype"], + "description": mars_language.get(key_name, {}).get("description", ""), + "enum": axis["values"], + "value_descriptions": value_descriptions, + "on_frontier": axis["on_frontier"], + } + }, + } + + +@app.get("/api/v2/stac/") +async def get_STAC( + request: dict[str, str | list[str]] = Depends(parse_request), +): + q, axes = follow_query(request, qube) + + end_of_traversal = not any(a["on_frontier"] for a in axes) + + final_object = [] + if end_of_traversal: + final_object = list(q.datacubes()) + + kvs = [ + f"{k}={','.join(v)}" if isinstance(v, list) else f"{k}={v}" + for k, v in request.items() + ] + request_params = "&".join(kvs) + + descriptions = { + key: { + "key": key, + "values": values, + "description": mars_language.get(key, {}).get("description", ""), + "value_descriptions": mars_language.get(key, {}).get("values", {}), + } + for key, values in request.items() + } + + # Format the response as a STAC collection + stac_collection = { + "type": "Catalog", + "stac_version": "1.0.0", + "id": "root" if not request else "/stac?" + request_params, + "description": "STAC collection representing potential children of this request", + "links": [make_link(a, request_params) for a in axes], + "final_object": final_object, + "debug": { + "descriptions": descriptions, + "qube": node_tree_to_html( + q, + collapse=True, + depth=10, + include_css=False, + include_js=False, + max_summary_length=200, + css_id="qube", + ), + }, + } + + return stac_collection + + +# Pydantic models for notebook execution +class ExecuteRequest(BaseModel): + code: str + data: dict | None = None + + +class InstallPackageRequest(BaseModel): + packages: str # Space or comma-separated package names + + +@app.post("/api/v2/execute") +async def execute_code(request: ExecuteRequest): + """ + Execute Python code on the server with optional data context. + Allows installation of any Python package, including C extensions. + Captures matplotlib figures and returns them as base64 images. + """ + try: + # Create a namespace with the data available + namespace = {} + if request.data: + namespace["polytope_data"] = request.data + + # Capture stdout and stderr + old_stdout = sys.stdout + old_stderr = sys.stderr + sys.stdout = StringIO() + sys.stderr = StringIO() + + images = [] + + try: + # Set matplotlib to non-interactive backend before execution + try: + import matplotlib + + matplotlib.use("Agg") # Non-interactive backend + except ImportError: + pass + + # Execute the code + exec(request.code, namespace) + + # Capture matplotlib figures if any were created + try: + import matplotlib.pyplot as plt + + figures = [plt.figure(num) for num in plt.get_fignums()] + + for fig in figures: + # Save figure to bytes + buf = BytesIO() + fig.savefig(buf, format="png", dpi=150, bbox_inches="tight") + buf.seek(0) + + # Convert to base64 + img_base64 = base64.b64encode(buf.read()).decode("utf-8") + images.append(img_base64) + + # Close the figure + plt.close(fig) + except ImportError: + # matplotlib not available, skip figure capture + pass + except Exception as fig_error: + # Log but don't fail if figure capture fails + sys.stderr.write(f"\nWarning: Could not capture figures: {fig_error}\n") + + # Get the output + stdout_output = sys.stdout.getvalue() + stderr_output = sys.stderr.getvalue() + + return JSONResponse( + { + "success": True, + "stdout": stdout_output, + "stderr": stderr_output, + "images": images, + } + ) + finally: + # Restore stdout and stderr + sys.stdout = old_stdout + sys.stderr = old_stderr + + except Exception as e: + return JSONResponse( + { + "success": False, + "error": str(e), + "error_type": type(e).__name__, + }, + status_code=400, + ) + + +@app.post("/api/v2/install_packages") +async def install_packages(request: InstallPackageRequest): + """ + Install Python packages using pip in the server environment. + """ + try: + # Split packages by space or comma + packages = [ + pkg.strip() + for pkg in request.packages.replace(",", " ").split() + if pkg.strip() + ] + + if not packages: + return JSONResponse( + { + "success": False, + "error": "No packages specified", + }, + status_code=400, + ) + + results = [] + for package in packages: + try: + # Run pip install + result = subprocess.run( + [sys.executable, "-m", "pip", "install", package], + capture_output=True, + text=True, + timeout=120, # 2 minute timeout per package + ) + + if result.returncode == 0: + results.append( + { + "package": package, + "success": True, + "message": f"Successfully installed {package}", + } + ) + else: + results.append( + { + "package": package, + "success": False, + "error": result.stderr, + } + ) + except subprocess.TimeoutExpired: + results.append( + { + "package": package, + "success": False, + "error": "Installation timed out after 120 seconds", + } + ) + except Exception as e: + results.append( + { + "package": package, + "success": False, + "error": str(e), + } + ) + + all_success = all(r["success"] for r in results) + + return JSONResponse( + { + "success": all_success, + "results": results, + } + ) + + except Exception as e: + return JSONResponse( + { + "success": False, + "error": str(e), + }, + status_code=500, + ) \ No newline at end of file diff --git a/stac_server/run.sh b/stac_server/run.sh new file mode 100644 index 0000000..b3293b6 --- /dev/null +++ b/stac_server/run.sh @@ -0,0 +1,3 @@ +parent_path=$( cd "$(dirname "${BASH_SOURCE[0]}")" ; pwd -P ) +cd "$parent_path" +API_KEY=asdf LOCAL_CACHE=True uv run fastapi dev ./main.py --port 8124 --reload \ No newline at end of file diff --git a/stac_server/run_prod.sh b/stac_server/run_prod.sh new file mode 100644 index 0000000..0ca9a14 --- /dev/null +++ b/stac_server/run_prod.sh @@ -0,0 +1,3 @@ +parent_path=$( cd "$(dirname "${BASH_SOURCE[0]}")" ; pwd -P ) +cd "$parent_path" +sudo LOCAL_CACHE=True ../../.venv/bin/fastapi dev ./main.py --port 80 --host=0.0.0.0 --reload \ No newline at end of file diff --git a/stac_server/static/app.js b/stac_server/static/app.js new file mode 100644 index 0000000..79d0c69 --- /dev/null +++ b/stac_server/static/app.js @@ -0,0 +1,1299 @@ +function toHTML(string) { + return document.createRange().createContextualFragment(string) + .firstElementChild; +} + +// Take the query string and stick it on the API URL +function getSTACUrlFromQuery() { + const params = new URLSearchParams(window.location.search); + + let api_url; + // get current window url and remove path part + if (window.API_URL.startsWith("http")) { + // Absolute URL: Use it directly + api_url = new URL(window.API_URL); + } else { + // Relative URL: Combine with the current window's location + api_url = new URL(window.location.href); + api_url.pathname = window.API_URL; + } + + for (const [key, value] of params.entries()) { + api_url.searchParams.set(key, value); + } + + console.log(api_url.toString()); + return api_url.toString(); +} + +function get_request_from_url() { + // Extract the query params in order and split any with a , delimiter + // request is an ordered array of [key, [value1, value2, value3, ...]] + const url = new URL(window.location.href); + const params = new URLSearchParams(url.search); + const request = []; + for (const [key, value] of params.entries()) { + request.push([key, value.split(",")]); + } + return request; +} + +function make_url_from_request(request) { + const url = new URL(window.location.href); + url.search = ""; // Clear existing params + const params = new URLSearchParams(); + + for (const [key, values] of request) { + params.set(key, values.join(",")); + } + url.search = params.toString(); + + return url.toString().replace(/%2C/g, ","); +} + +function goToPreviousUrl() { + let request = get_request_from_url(); + request.pop(); + console.log("Request:", request); + const url = make_url_from_request(request); + console.log("URL:", url); + window.location.href = make_url_from_request(request); +} + +// Function to generate a new STAC URL based on current selection +function goToNextUrl() { + const request = get_request_from_url(); + + // Get the currently selected key = value,value2,value3 pairs + const items = Array.from(document.querySelectorAll("div#items > div")); + + let any_new_keys = false; + const new_keys = items.map((item) => { + const key = item.dataset.key; + const key_type = item.dataset.keyType; + let values = []; + + const enum_checkboxes = item.querySelectorAll( + "input[type='checkbox']:checked" + ); + if (enum_checkboxes.length > 0) { + values.push( + ...Array.from(enum_checkboxes).map((checkbox) => checkbox.value) + ); + } + + // Get text inputs but exclude the filter input + const any = item.querySelector("input[type='text']:not(.filter-input)"); + if (any && any.value !== "") { + values.push(any.value); + } + + // Keep track of whether any new keys are selected + if (values.length > 0) { + any_new_keys = true; + } + + console.log(`Checking ${key} ${key_type} and found ${values}`); + return { key, values }; + }); + + // if not new keys are selected, do nothing + if (!any_new_keys) { + return; + } + + // Update the request with the new keys + for (const { key, values } of new_keys) { + if (values.length == 0) continue; + + // Find the index of the existing key in the request array + const existingIndex = request.findIndex( + ([existingKey, existingValues]) => existingKey === key + ); + + if (existingIndex !== -1) { + // If the key already exists, + // and the values aren't already in there, + // append the values + request[existingIndex][1] = [...request[existingIndex][1], ...values]; + } else { + // If the key doesn't exist, add a new entry + request.push([key, values]); + } + } + + const url = make_url_from_request(request); + window.location.href = url; +} + +async function createCatalogItem(link, itemsContainer) { + if (Object.entries(link.variables)[0][1].on_frontier === false) { + return; + } + + const itemDiv = document.createElement("div"); + itemDiv.className = "item loading"; + itemDiv.textContent = "Loading..."; + itemsContainer.appendChild(itemDiv); + + try { + // Update the item div with real content + itemDiv.classList.remove("loading"); + + const variables = link["variables"]; + const key = Object.keys(variables)[0]; + const variable = variables[key]; + + // add data-key attribute to the itemDiv + itemDiv.dataset.key = link.title; + itemDiv.dataset.keyType = variable.type; + + function capitalize(val) { + return String(val).charAt(0).toUpperCase() + String(val).slice(1); + } + + itemDiv.innerHTML = ` +

${capitalize(link.title) || "No title available" + }

+ +

Key Type: ${itemDiv.dataset.keyType || "Unknown"}

+

${variable.description ? variable.description.slice(0, 100) : "" + }

+ `; + + if (key === "date" && variable.enum && variable.enum.length > 30) { + console.log("Date picker enabled"); + console.log("First few dates:", variable.enum.slice(0, 10)); + + // Create a unique ID for this date picker + const pickerId = `date-picker-${link.title}`; + const hiddenInputId = `date-input-${link.title}`; + + itemDiv.appendChild(toHTML(``)); + itemDiv.appendChild(toHTML(``)); + itemDiv.appendChild(toHTML(`
💡 Click a date twice to select it individually, or click two different dates to select a range.
`)); + + let dates = variable.enum.map(d => String(d)); + itemDiv.querySelector("button.all").style.display = "none"; + + // Create a set for fast lookup (normalize to YYYY-MM-DD format) + const availableDatesSet = new Set(dates); + console.log("Available dates set size:", availableDatesSet.size); + + // Parse dates from enum to get min and max dates + let parsedDates = dates.map(d => { + // Handle both formats: "YYYY-MM-DD" or "YYYYMMDD" + const dateStr = String(d); + if (dateStr.includes('-')) { + return new Date(dateStr); + } else { + const year = parseInt(dateStr.substring(0, 4)); + const month = parseInt(dateStr.substring(4, 6)) - 1; + const day = parseInt(dateStr.substring(6, 8)); + return new Date(year, month, day); + } + }); + + let minDate = new Date(Math.min(...parsedDates)); + let maxDate = new Date(Math.max(...parsedDates)); + + console.log("Date range:", minDate.toISOString(), "to", maxDate.toISOString()); + + // Track selected dates manually for better control + let manuallySelectedDates = new Set(); + let lastClickedDate = null; + + let picker = new AirDatepicker(`#${pickerId}`, { + position: "bottom center", + inline: true, + locale: exports.default, + multipleDates: true, + multipleDatesSeparator: ",", + minDate: minDate, + maxDate: maxDate, + onSelect({ date, formattedDate, datepicker }) { + // Prevent default behavior - we'll handle selection manually + }, + onRenderCell({ date, cellType }) { + if (cellType === "day") { + const year = date.getFullYear(); + const month = String(date.getMonth() + 1).padStart(2, '0'); + const day = String(date.getDate()).padStart(2, '0'); + // Check in the format that matches the input + let dateStr; + if (dates[0].includes('-')) { + dateStr = `${year}-${month}-${day}`; + } else { + dateStr = `${year}${month}${day}`; + } + const hasData = availableDatesSet.has(dateStr); + + return { + classes: hasData ? "has-data" : "", + disabled: !hasData, + }; + } + return {}; + }, + }); + + // Custom click handler for date cells + const hintElement = document.getElementById(`${pickerId}-hint`); + + // Wait for datepicker to render, then attach event handler + setTimeout(() => { + const datepickerContainer = document.querySelector(`#${pickerId}`).parentElement.querySelector('.air-datepicker'); + + if (datepickerContainer) { + datepickerContainer.addEventListener('click', (e) => { + const cell = e.target.closest('.air-datepicker-cell.-day-'); + if (!cell || cell.classList.contains('-disabled-')) return; + + // Get the date from the cell's data attributes + const dayNumber = cell.getAttribute('data-date'); + const monthNumber = cell.getAttribute('data-month'); + const yearNumber = cell.getAttribute('data-year'); + + if (!dayNumber || !monthNumber || !yearNumber) return; + + const cellDate = new Date(parseInt(yearNumber), parseInt(monthNumber), parseInt(dayNumber)); + + const formatDate = (d) => { + const year = d.getFullYear(); + const month = String(d.getMonth() + 1).padStart(2, '0'); + const day = String(d.getDate()).padStart(2, '0'); + if (dates[0].includes('-')) { + return `${year}-${month}-${day}`; + } else { + return `${year}${month}${day}`; + } + }; + + const clickedDateStr = formatDate(cellDate); + + // Check if this date has data + if (!availableDatesSet.has(clickedDateStr)) return; + + const isSameAsPrevious = lastClickedDate && + cellDate.getTime() === lastClickedDate.getTime(); + + if (isSameAsPrevious) { + // Clicking same date twice - toggle individual date + if (manuallySelectedDates.has(clickedDateStr)) { + manuallySelectedDates.delete(clickedDateStr); + console.log("Removed date:", clickedDateStr); + if (hintElement) hintElement.textContent = `🗑️ Removed ${clickedDateStr}. Total: ${manuallySelectedDates.size} dates selected.`; + } else { + manuallySelectedDates.add(clickedDateStr); + console.log("Added single date:", clickedDateStr); + if (hintElement) hintElement.textContent = `✅ Added ${clickedDateStr}. Total: ${manuallySelectedDates.size} dates selected.`; + } + lastClickedDate = null; // Reset for next selection + } else if (lastClickedDate) { + // Two different dates clicked - create a range + const [startDate, endDate] = [lastClickedDate, cellDate].sort((a, b) => a - b); + + console.log("Creating range from", formatDate(startDate), "to", formatDate(endDate)); + + let currentDate = new Date(startDate); + const rangeEnd = new Date(endDate); + let rangeCount = 0; + + while (currentDate <= rangeEnd) { + const dateStr = formatDate(currentDate); + if (availableDatesSet.has(dateStr)) { + manuallySelectedDates.add(dateStr); + rangeCount++; + } + currentDate.setDate(currentDate.getDate() + 1); + } + + console.log("Range added, total dates selected:", manuallySelectedDates.size); + if (hintElement) hintElement.textContent = `📅 Added range: ${rangeCount} dates. Total: ${manuallySelectedDates.size} dates selected.`; + lastClickedDate = null; // Reset for next selection + } else { + // First click of a potential range + lastClickedDate = cellDate; + console.log("First date clicked for range:", clickedDateStr); + if (hintElement) hintElement.textContent = `🎯 First date selected: ${clickedDateStr}. Click another date to create a range, or click this date again to select it individually.`; + return; // Don't update selection yet, wait for second click + } + + // Update the visual selection in datepicker + const selectedDateObjects = Array.from(manuallySelectedDates).map(dateStr => { + if (dateStr.includes('-')) { + return new Date(dateStr); + } else { + const year = parseInt(dateStr.substring(0, 4)); + const month = parseInt(dateStr.substring(4, 6)) - 1; + const day = parseInt(dateStr.substring(6, 8)); + return new Date(year, month, day); + } + }); + + picker.selectDate(selectedDateObjects); + + // Update hidden input + const hiddenInput = document.getElementById(hiddenInputId); + hiddenInput.value = Array.from(manuallySelectedDates).join(','); + console.log("Total selected dates:", manuallySelectedDates.size); + console.log("Selected dates:", hiddenInput.value.split(',').slice(0, 10).join(', '), '...'); + }); + } + }, 100); + + console.log("Datepicker initialized"); + } else if (variable.enum && variable.enum.length > 0) { + // Add filter input at the top if there are many options + if (variable.enum.length > 5) { + const filterWrapper = toHTML(` +
+ +
+ `); + itemDiv.appendChild(filterWrapper); + } + + // Add checkbox list + const checkbox_list = renderCheckboxList(link); + itemDiv.appendChild(checkbox_list); + + // Add filter functionality if filter exists + if (variable.enum.length > 5) { + const filterInput = itemDiv.querySelector(`#filter-${link.title}`); + if (filterInput) { + filterInput.addEventListener('input', (e) => { + const filterText = e.target.value.toLowerCase(); + const checkboxRows = checkbox_list.querySelectorAll('.checkbox-row'); + + checkboxRows.forEach(row => { + const label = row.querySelector('label'); + const code = row.querySelector('label.code code'); + const labelText = label ? label.textContent.toLowerCase() : ''; + const codeText = code ? code.textContent.toLowerCase() : ''; + + if (labelText.includes(filterText) || codeText.includes(filterText)) { + row.style.display = ''; + } else { + row.style.display = 'none'; + } + }); + }); + } + } + + itemDiv.querySelector("button.all").addEventListener("click", () => { + let new_state; + if (checkbox_list.hasAttribute("disabled")) { + checkbox_list.removeAttribute("disabled"); + itemDiv.querySelectorAll("input[type='checkbox']").forEach((c) => { + c.removeAttribute("checked"); + c.removeAttribute("disabled"); + }); + } else { + checkbox_list.setAttribute("disabled", ""); + itemDiv.querySelectorAll("input[type='checkbox']").forEach((c) => { + c.setAttribute("checked", "true"); + c.setAttribute("disabled", ""); + }); + } + }); + } else { + const any = toHTML(``); + itemDiv.appendChild(any); + } + } catch (error) { + console.error("Error loading item data:", error); + itemDiv.innerHTML = `

Error loading item details: ${error}

`; + } +} + +function renderCheckboxList(link) { + const variables = link["variables"]; + const key = Object.keys(variables)[0]; + const variable = variables[key]; + const value_descriptions = variable.value_descriptions || {}; + + function renderCheckbox(key, value, desc) { + const id = `${key}=${value}`; + let more_info = desc.url + ? ` ?` + : ""; + + let human_label, code_label; + if (desc.name) { + human_label = ``; + code_label = ``; + } else { + human_label = ``; + code_label = ``; + } + + // Pre-check the box if there's only one option + const checked = variable.enum.length === 1 ? "checked" : ""; + + const checkbox = ``; + + return ` +
+ ${checkbox} + ${human_label} + ${code_label} +
+ `; + } + + const checkboxes = variable.enum + .map((value) => renderCheckbox(key, value, value_descriptions[value] || {})) + .join(""); + + return toHTML(`
${checkboxes}
`); +} + +// Render catalog items in the sidebar +function renderCatalogItems(links) { + const itemsContainer = document.getElementById("items"); + itemsContainer.innerHTML = ""; // Clear previous items + + console.log("Number of Links:", links); + const children = links.filter( + (link) => link.rel === "child" || link.rel === "items" + ); + console.log("Number of Children:", children.length); + + children.forEach((link) => { + createCatalogItem(link, itemsContainer); + }); +} + +function renderRequestBreakdown(request, descriptions) { + const container = document.getElementById("request-breakdown"); + const format_value = (key, value) => { + return `"${value}"`; + }; + + const format_values = (key, values) => { + if (values.length === 1) { + return format_value(key, values[0]); + } + return `[${values.map((v) => format_value(key, v)).join(`, `)}]`; + }; + + let html = + `{\n` + + request + .map( + ([key, values]) => + ` "${key}": ${format_values(key, values)},` + ) + .join("\n") + + `\n}`; + container.innerHTML = html; +} + +function renderMARSRequest(request, descriptions) { + const container = document.getElementById("final_req"); + const format_value = (key, value) => { + return `"${value}"`; + }; + + const format_values = (key, values) => { + if (values.length === 1) { + return format_value(key, values[0]); + } + return `[${values.map((v) => format_value(key, v)).join(`, `)}]`; + }; + + // Add feature object to each request if polygon is selected + const requestsWithFeature = selectedPolygon ? request.map(obj => ({ + ...obj, + feature: { + type: "polygon", + shape: selectedPolygon + } + })) : request; + + // Store for copying + currentMARSRequests = requestsWithFeature; + + let html = + `[\n` + + requestsWithFeature + .map( + obj => { + const entries = Object.entries(obj); + return ` {\n` + + entries + .map( + ([key, values], idx) => { + const isLast = idx === entries.length - 1; + if (key === "feature" && values && typeof values === "object" && values.type === "polygon") { + // Format the feature object specially + const shapeStr = JSON.stringify(values.shape, null, 0); + return ` "feature": {\n` + + ` "type": "${values.type}",\n` + + ` "shape": ${shapeStr}\n` + + ` }${isLast ? '' : ','}`; + } + return ` "${key}": ${format_values(key, values)}${isLast ? '' : ','}`; + } + ) + .join("\n") + + `\n }`; + } + ) + .join(`,\n`) + + `\n]`; + container.innerHTML = html; +} + +function renderRawSTACResponse(catalog) { + const itemDetails = document.getElementById("raw-stac"); + // create new object without debug key + let just_stac = Object.assign({}, catalog); + delete just_stac.debug; + itemDetails.textContent = JSON.stringify(just_stac, null, 2); + + const debug_container = document.getElementById("debug"); + debug_container.textContent = JSON.stringify(catalog.debug, null, 2); + + const qube_container = document.getElementById("qube"); + qube_container.innerHTML = catalog.debug.qube; +} + +// Fetch STAC catalog and display items +async function fetchCatalog(request, stacUrl) { + try { + const response = await fetch(stacUrl); + const catalog = await response.json(); + + // Check if we've reached the end of the catalogue (final_object has data) + const hasReachedEnd = catalog.final_object && catalog.final_object.length > 0; + + // Get section elements + const currentSelectionSection = document.getElementById("current-selection-section"); + const marsRequestsSection = document.getElementById("mars-requests-section"); + const nextButton = document.getElementById("next-btn"); + + if (hasReachedEnd) { + // At the end: show MARS requests, hide current selection and next button + currentSelectionSection.style.display = "none"; + marsRequestsSection.style.display = "block"; + nextButton.style.display = "none"; + catalogCache = catalog; // Store catalog for re-rendering with features + renderMARSRequest(catalog.final_object, catalog.debug.descriptions); + } else { + // Not at the end: show current selection, hide MARS requests, show next button + currentSelectionSection.style.display = "block"; + marsRequestsSection.style.display = "none"; + nextButton.style.display = "flex"; + renderRequestBreakdown(request, catalog.debug.descriptions); + } + + // Show the raw STAC in the sidebar + renderRawSTACResponse(catalog); + + // Render the items from the catalog + if (catalog.links) { + console.log("Fetched STAC catalog:", stacUrl, catalog.links); + renderCatalogItems(catalog.links); + } + + // Show region selection at the end of catalogue + const regionSelection = document.getElementById("region-selection"); + const catalogList = document.getElementById("catalog-list"); + const polytopeSection = document.getElementById("polytope-section"); + if (hasReachedEnd) { + regionSelection.style.display = "block"; + catalogList.classList.add("region-active"); + if (polytopeSection) polytopeSection.style.display = "block"; + } else { + regionSelection.style.display = "none"; + catalogList.classList.remove("region-active"); + if (polytopeSection) polytopeSection.style.display = "none"; + } + + // Highlight the request and raw STAC + hljs.highlightElement(document.getElementById("raw-stac")); + hljs.highlightElement(document.getElementById("debug")); + hljs.highlightElement(document.getElementById("example-python")); + } catch (error) { + console.error("Error fetching STAC catalog:", error); + } +} + +// Initialize the viewer by fetching the STAC catalog +function initializeViewer() { + const stacUrl = getSTACUrlFromQuery(); + const request = get_request_from_url(); + + if (stacUrl) { + console.log("Fetching STAC catalog from query string URL:", stacUrl); + fetchCatalog(request, stacUrl); + } else { + console.error("No STAC URL provided in the query string."); + } + + // Add event listener for the "Generate STAC URL" button + const generateUrlBtn = document.getElementById("next-btn"); + generateUrlBtn.addEventListener("click", goToNextUrl); + + const previousUrlBtn = document.getElementById("previous-btn"); + previousUrlBtn.addEventListener("click", goToPreviousUrl); + + // Add event listener for the "Raw STAC" button + const stacAnchor = document.getElementById("stac-anchor"); + stacAnchor.href = getSTACUrlFromQuery(); +} + +// Copy MARS requests to clipboard +function copyMARSRequests() { + const copyBtn = document.getElementById("copy-mars-btn"); + const btnText = copyBtn.querySelector(".copy-btn-text"); + + // Use the stored MARS requests with feature if available + const jsonContent = JSON.stringify(currentMARSRequests, null, 2); + + navigator.clipboard.writeText(jsonContent).then(() => { + // Change button text temporarily + btnText.textContent = "Copied!"; + copyBtn.classList.add("copied"); + + // Reset after 2 seconds + setTimeout(() => { + btnText.textContent = "Copy"; + copyBtn.classList.remove("copied"); + }, 2000); + }).catch(err => { + console.error("Failed to copy:", err); + btnText.textContent = "Failed"; + setTimeout(() => { + btnText.textContent = "Copy"; + }, 2000); + }); +} + +// Download JSON data as a file +function downloadJSON(data, filename) { + const jsonString = JSON.stringify(data, null, 2); + const blob = new Blob([jsonString], { type: 'application/json' }); + const url = URL.createObjectURL(blob); + const link = document.createElement('a'); + link.href = url; + link.download = filename; + document.body.appendChild(link); + link.click(); + document.body.removeChild(link); + URL.revokeObjectURL(url); +} + +// ============================================ +// Geographic Region Selection with Map +// ============================================ + +let regionMap = null; +let drawnItems = null; +let selectedPolygon = null; +let currentMARSRequests = []; // Store current MARS requests for copying +let catalogCache = null; // Store catalog for re-rendering when polygon changes + +function initializeRegionMap() { + const mapElement = document.getElementById('map'); + if (!mapElement || regionMap) return; + + // Initialize map centered on the world + regionMap = L.map('map').setView([20, 0], 2); + + // Add OpenStreetMap tile layer + L.tileLayer('https://{s}.tile.openstreetmap.org/{z}/{x}/{y}.png', { + attribution: '© OpenStreetMap contributors', + maxZoom: 18, + }).addTo(regionMap); + + // Initialize the FeatureGroup to store editable layers + drawnItems = new L.FeatureGroup(); + regionMap.addLayer(drawnItems); + + // Initialize the draw control + const drawControl = new L.Control.Draw({ + position: 'topright', + draw: { + polyline: false, + circle: false, + circlemarker: false, + marker: false, + rectangle: true, + polygon: { + allowIntersection: false, + showArea: true, + shapeOptions: { + color: '#0066cc', + weight: 2, + fillOpacity: 0.2 + } + } + }, + edit: { + featureGroup: drawnItems, + remove: true + } + }); + regionMap.addControl(drawControl); + + // Handle polygon creation + regionMap.on('draw:created', function (e) { + // Clear previous polygons + drawnItems.clearLayers(); + + const layer = e.layer; + drawnItems.addLayer(layer); + + // Get the coordinates + const coordinates = layer.getLatLngs()[0].map(latlng => [ + parseFloat(latlng.lat.toFixed(6)), + parseFloat(latlng.lng.toFixed(6)) + ]); + + // Close the polygon by adding the first point at the end + coordinates.push(coordinates[0]); + + selectedPolygon = coordinates; + displaySelectedRegion(coordinates); + }); + + // Handle polygon edit + regionMap.on('draw:edited', function (e) { + const layers = e.layers; + layers.eachLayer(function (layer) { + const coordinates = layer.getLatLngs()[0].map(latlng => [ + parseFloat(latlng.lat.toFixed(6)), + parseFloat(latlng.lng.toFixed(6)) + ]); + coordinates.push(coordinates[0]); + selectedPolygon = coordinates; + displaySelectedRegion(coordinates); + }); + }); + + // Handle polygon deletion + regionMap.on('draw:deleted', function (e) { + selectedPolygon = null; + document.getElementById('selected-region').style.display = 'none'; + }); + + // Force map to resize properly + setTimeout(() => { + regionMap.invalidateSize(); + }, 100); +} + +function displaySelectedRegion(coordinates) { + const selectedRegionDiv = document.getElementById('selected-region'); + const coordinatesDisplay = document.getElementById('region-coordinates'); + + const regionFeature = { + type: "polygon", + shape: coordinates + }; + + coordinatesDisplay.textContent = JSON.stringify({ feature: regionFeature }, null, 2); + selectedRegionDiv.style.display = 'block'; + + // Re-render MARS requests with the feature appended + if (catalogCache && catalogCache.final_object) { + renderMARSRequest(catalogCache.final_object, catalogCache.debug.descriptions); + } +} + +// Event listeners for region selection +document.addEventListener("DOMContentLoaded", () => { + const enableRegionBtn = document.getElementById('enable-region-btn'); + const skipRegionBtn = document.getElementById('skip-region-btn'); + const clearRegionBtn = document.getElementById('clear-region-btn'); + const mapContainer = document.getElementById('map-container'); + + if (enableRegionBtn) { + enableRegionBtn.addEventListener('click', () => { + mapContainer.style.display = 'block'; + enableRegionBtn.style.display = 'none'; + skipRegionBtn.textContent = 'Continue Without Region'; + initializeRegionMap(); + }); + } + + if (skipRegionBtn) { + skipRegionBtn.addEventListener('click', () => { + // User chose to skip region selection - could proceed to next step + console.log('User skipped region selection'); + // Here you could trigger the next action or inform the user + }); + } + + if (clearRegionBtn) { + clearRegionBtn.addEventListener('click', () => { + if (drawnItems) { + drawnItems.clearLayers(); + } + selectedPolygon = null; + document.getElementById('selected-region').style.display = 'none'; + + // Re-render MARS requests without the feature + if (catalogCache && catalogCache.final_object) { + renderMARSRequest(catalogCache.final_object, catalogCache.debug.descriptions); + } + }); + } +}); + +// ============================================ +// Polytope Query Handler +// ============================================ + +async function queryPolytope() { + const polytopeBtn = document.getElementById('polytope-btn'); + const polytopeBtnText = document.getElementById('polytope-btn-text'); + const polytopeStatus = document.getElementById('polytope-status'); + const polytopeResults = document.getElementById('polytope-results'); + const emailInput = document.getElementById('polytope-email'); + const keyInput = document.getElementById('polytope-key'); + + if (!currentMARSRequests || currentMARSRequests.length === 0) { + polytopeStatus.textContent = 'No MARS requests available to query.'; + polytopeStatus.className = 'polytope-status error'; + polytopeStatus.style.display = 'block'; + return; + } + + // Validate credentials + const email = emailInput.value.trim(); + const apiKey = keyInput.value.trim(); + + if (!email || !apiKey) { + polytopeStatus.textContent = 'Please provide both email and API key to query Polytope.'; + polytopeStatus.className = 'polytope-status error'; + polytopeStatus.style.display = 'block'; + return; + } + + // Disable button and show loading state + polytopeBtn.disabled = true; + polytopeBtnText.textContent = 'Querying...'; + polytopeStatus.textContent = `Submitting ${currentMARSRequests.length} request(s) to Polytope service...`; + polytopeStatus.className = 'polytope-status loading'; + polytopeStatus.style.display = 'block'; + polytopeResults.innerHTML = ''; + polytopeResults.style.display = 'none'; + + try { + const response = await fetch('/api/v2/polytope/query', { + method: 'POST', + headers: { + 'Content-Type': 'application/json', + }, + body: JSON.stringify({ + requests: currentMARSRequests, + credentials: { + user_email: email, + user_key: apiKey + } + }), + }); + + const result = await response.json(); + + if (!response.ok) { + throw new Error(result.detail || 'Failed to query Polytope service'); + } + + // Show success message + polytopeStatus.textContent = `Successfully submitted ${result.total} request(s). ${result.successful} succeeded, ${result.failed} failed.`; + polytopeStatus.className = 'polytope-status success'; + + // Store results globally for notebook access + window.polytopeResults = result.results; + + // Display detailed results + if (result.results && result.results.length > 0) { + polytopeResults.innerHTML = result.results.map((res, idx) => ` +
+
+ Request ${idx + 1}: ${res.success ? '✓ Success' : '✗ Failed'} +
+
+ ${res.success + ? `Data retrieved successfully${res.data_size ? ` (${res.data_size})` : ''}` + : `Error: ${res.error || 'Unknown error'}` + } +
+ ${res.message ? `
${res.message}
` : ''} + ${res.success && res.json_data ? ` +
+ + +
+ ` : ''} +
+ `).join(''); + polytopeResults.style.display = 'block'; + + // Add event listeners to download buttons + document.querySelectorAll('.download-json-btn').forEach(btn => { + btn.addEventListener('click', (e) => { + const idx = parseInt(e.target.getAttribute('data-request-idx')); + const resultData = result.results[idx]; + if (resultData && resultData.json_data) { + downloadJSON(resultData.json_data, `polytope_request_${idx + 1}.json`); + } + }); + }); + + // Add event listeners to notebook buttons + document.querySelectorAll('.open-notebook-btn').forEach(btn => { + btn.addEventListener('click', (e) => { + const idx = parseInt(e.target.closest('.open-notebook-btn').getAttribute('data-request-idx')); + const resultData = result.results[idx]; + if (resultData && resultData.json_data) { + openInNotebook(resultData.json_data, idx); + } + }); + }); + } + + polytopeBtnText.textContent = 'Query Complete'; + } catch (error) { + console.error('Polytope query error:', error); + polytopeStatus.textContent = `Error: ${error.message}`; + polytopeStatus.className = 'polytope-status error'; + } finally { + // Re-enable button after a delay + setTimeout(() => { + polytopeBtn.disabled = false; + polytopeBtnText.textContent = 'Query Polytope Service'; + }, 2000); + } +} + +// ============================================ +// JupyterLite Notebook Integration +// ============================================ + +let codeEditor = null; +let currentNotebookData = null; + +// Server-side execution - no Pyodide initialization needed +// Python code runs on the server with full package support + +function initCodeEditor() { + if (codeEditor) { + return codeEditor; + } + + const editorElement = document.getElementById('code-editor'); + codeEditor = CodeMirror(editorElement, { + value: getDefaultNotebookCode(), + mode: 'python', + theme: 'monokai', + lineNumbers: true, + indentUnit: 4, + tabSize: 4, + indentWithTabs: false, + lineWrapping: true, + }); + + return codeEditor; +} + +function getDefaultNotebookCode() { + return `# Polytope Data Visualization - Request 1 +# The data is available in the 'polytope_data' variable + +import json +import numpy as np +import covjsonkit +import earthkit.plots + +from covjsonkit.api import Covjsonkit + +decoder = Covjsonkit().decode(polytope_data) + +ds = decoder.to_xarray() + +print(ds) + +# Handle missing/masked values +if '2t' in ds: + data = ds['2t'] + # Replace NaN with a fill value or drop them + data_filled = data.where(~np.isnan(data), drop=True) + + chart = earthkit.plots.Map(domain="Germany") + chart.point_cloud( + data_filled, + x="longitude", + y="latitude", + auto_style=True + ) + + chart.coastlines() + chart.borders() + chart.gridlines() + + chart.title("{variable_name} (number={number})") + + chart.legend() +else: + print("Variable '2t' not found in dataset") + print("Available variables:", list(ds.data_vars)) + +# chart.show() # Not needed - figure is captured automatically +`; +} + +async function openInNotebook(jsonData, requestIdx) { + const notebookSection = document.getElementById('notebook-section'); + + // Show notebook section + notebookSection.style.display = 'block'; + notebookSection.scrollIntoView({ behavior: 'smooth', block: 'start' }); + + // Store data globally + currentNotebookData = jsonData; + window.currentNotebookRequestIdx = requestIdx; + + // Initialize code editor if not already done + if (!codeEditor) { + initCodeEditor(); + } + + // Update the default code with the request index + const defaultCode = `# Polytope Data Visualization - Request ${requestIdx + 1} +# The data is available in the 'polytope_data' variable + +import json +import numpy as np +import covjsonkit +import earthkit.plots + +from covjsonkit.api import Covjsonkit + +decoder = Covjsonkit().decode(polytope_data) + +ds = decoder.to_xarray() + +print(ds) + +# Handle missing/masked values +if '2t' in ds: + data = ds['2t'] + # Replace NaN with a fill value or drop them + data_filled = data.where(~np.isnan(data), drop=True) + + chart = earthkit.plots.Map(domain="Germany") + chart.point_cloud( + data_filled, + x="longitude", + y="latitude", + auto_style=True + ) + + chart.coastlines() + chart.borders() + chart.gridlines() + + chart.title("{variable_name} (number={number})") + + chart.legend() +else: + print("Variable '2t' not found in dataset") + print("Available variables:", list(ds.data_vars)) + +# chart.show() # Not needed - figure is captured automatically +`; + + codeEditor.setValue(defaultCode); +} + +async function runPythonCode() { + const runBtn = document.getElementById('run-code-btn'); + const runBtnText = document.getElementById('run-code-text'); + const outputDiv = document.getElementById('notebook-output'); + const outputContent = document.getElementById('output-content'); + const outputImages = document.getElementById('output-images'); + const loadingDiv = document.getElementById('notebook-loading-exec'); + + if (!currentNotebookData) { + outputContent.textContent = 'Error: No data available. Please query Polytope first.'; + outputDiv.style.display = 'block'; + return; + } + + // Disable button and show loading + runBtn.disabled = true; + runBtnText.textContent = 'Executing...'; + loadingDiv.style.display = 'flex'; + outputDiv.style.display = 'none'; + + try { + // Get code from editor + const code = codeEditor.getValue(); + + // Send code to server for execution + const response = await fetch('/api/v2/execute', { + method: 'POST', + headers: { + 'Content-Type': 'application/json', + }, + body: JSON.stringify({ + code: code, + data: currentNotebookData + }) + }); + + const result = await response.json(); + + if (result.success) { + // Display output from stdout and stderr + let output = result.stdout || ''; + if (result.stderr) { + output += '\n\nErrors/Warnings:\n' + result.stderr; + } + outputContent.textContent = output || '(No output)'; + + // Display images if any + outputImages.innerHTML = ''; + if (result.images && result.images.length > 0) { + result.images.forEach((imgBase64, idx) => { + const img = document.createElement('img'); + img.src = `data:image/png;base64,${imgBase64}`; + img.alt = `Plot ${idx + 1}`; + img.className = 'output-image'; + outputImages.appendChild(img); + }); + } + } else { + // Display error + outputContent.textContent = `Error (${result.error_type || 'Error'}): ${result.error}`; + outputImages.innerHTML = ''; + } + + outputDiv.style.display = 'block'; + loadingDiv.style.display = 'none'; + runBtnText.textContent = 'Run Code'; + runBtn.disabled = false; + + } catch (error) { + console.error('Python execution error:', error); + outputContent.textContent = `Error communicating with server: ${error.message}`; + outputImages.innerHTML = ''; + outputDiv.style.display = 'block'; + loadingDiv.style.display = 'none'; + runBtnText.textContent = 'Run Code'; + runBtn.disabled = false; + } +} + +function resetCode() { + if (codeEditor) { + const requestIdx = window.currentNotebookRequestIdx || 0; + const defaultCode = `# Polytope Data Visualization - Request ${requestIdx + 1} +# The data is available in the 'polytope_data' variable + +import json +import numpy as np +import covjsonkit +import earthkit.plots + +from covjsonkit.api import Covjsonkit + +decoder = Covjsonkit().decode(polytope_data) + +ds = decoder.to_xarray() + +print(ds) + +# Handle missing/masked values +if '2t' in ds: + data = ds['2t'] + # Replace NaN with a fill value or drop them + data_filled = data.where(~np.isnan(data), drop=True) + + chart = earthkit.plots.Map(domain="Germany") + chart.point_cloud( + data_filled, + x="longitude", + y="latitude", + auto_style=True + ) + + chart.coastlines() + chart.borders() + chart.gridlines() + + chart.title("{variable_name} (number={number})") + + chart.legend() +else: + print("Variable '2t' not found in dataset") + print("Available variables:", list(ds.data_vars)) + +# chart.show() # Not needed - figure is captured automatically +`; + codeEditor.setValue(defaultCode); + } + + // Clear output + const outputDiv = document.getElementById('notebook-output'); + outputDiv.style.display = 'none'; +} + +function closeNotebook() { + const notebookSection = document.getElementById('notebook-section'); + notebookSection.style.display = 'none'; + + // Clear output + const outputDiv = document.getElementById('notebook-output'); + outputDiv.style.display = 'none'; +} + +// Call initializeViewer on page load +initializeViewer(); + +// Add event listener for copy button +document.addEventListener("DOMContentLoaded", () => { + const copyBtn = document.getElementById("copy-mars-btn"); + if (copyBtn) { + copyBtn.addEventListener("click", copyMARSRequests); + } + + // Add event listener for Polytope button + const polytopeBtn = document.getElementById('polytope-btn'); + if (polytopeBtn) { + polytopeBtn.addEventListener('click', queryPolytope); + } + + // Add event listener for close notebook button + const closeNotebookBtn = document.getElementById('close-notebook-btn'); + if (closeNotebookBtn) { + closeNotebookBtn.addEventListener('click', closeNotebook); + } + + // Add event listener for run code button + const runCodeBtn = document.getElementById('run-code-btn'); + if (runCodeBtn) { + runCodeBtn.addEventListener('click', runPythonCode); + } + + // Add event listener for reset code button + const resetCodeBtn = document.getElementById('reset-code-btn'); + if (resetCodeBtn) { + resetCodeBtn.addEventListener('click', resetCode); + } +}); \ No newline at end of file diff --git a/stac_server/static/logo.png b/stac_server/static/logo.png new file mode 100644 index 0000000000000000000000000000000000000000..5c449526e61d8a8744d4e5c018c198f69707c5d8 GIT binary patch literal 551141 zcmeGE2U}B37xxWQ1XK`2dPh-E0jbg<7K)03bdVBy@4Y4<3erVHqy|Anx)A9l^xk_9 zJ@n9$5JHld>wWH1&+B^b=Nm|leatY&WG8#p{Qhgr+Ore&QbX;^W%kP?BqUd!K2g>t zA)z=qKhPH`&s(N`b!VLyq+Z%;k4Q=eI5*G#d1GVv)b_;-lDp^iizF1J*GS0!)8+g{ zLds4;@&B)rkUS&h_+8f~z5Rdskdcr?I*?rWKYd=Em;d>De}0_5`~Q^W*`$BYm`(Oi zZ;F#_^51pzf8NGk6()IJTylS6*++?*S22I8fcvaR9-@U(r>*XV-(SM=%^mW zbi48ih!#5#lCslyXbLDg#aGe^tsE1|4?$ z?-hH;$0z^mt4dQ}Jb~{lvHjjr8CLbN>FH0fA0-YUF@-c>VWC{>VJS2WT$folDD9jY zw)iD)MW2^G9O8acO0&NMg?(4J9qF-l+UwzCH3MU~G#@h?W6sfxk*ze^Ig>7jA&52|DgwzefdWPD)CYKWX*b`rYIv97Y!+^GP!^ zD)mUPxP8rQyhmFi9AC(`11$N}_>1|-VA5*mG4O`!zu_yGOzwIa+u%GbF*`uEy?@* zZmNoC0-ohpSD%&0gq%KivH%smGI_VuGo`vRcVtlTZLs0$QHr0{PDk%B+d?#&pzPzR zz4maS-}(nI@+^oxbM4)NwJm`SZGf@q&B8F_{Qy!U=>P*C0odGZ;A(fr>D0#RR{u(K z^7!UTAxGx=X%ZmUXV7>B_%8S6Kig#e^Ddv8I3H4f#Q#szNhQn4P~`G)4_}!-lDxle zP*@K$fc)5N0Gl)PN2hvPxa55f0ZDYYma68-GwilzCOyJWLGp9@ItA3Z_7kjsKvKcU zahOP>cA&|Q@`1lVLBYEkBuCq0L?Ax6MjDMB-a8X`Wt^fPxxEt9KaTPW7n~gYWFYP8 zJqbDcJfR3j6Ad|e|Cw@4^4brYi1BArnUcSos_L55l&)b!G}{h)MEBAPmctOAmiL@Q z+FD`;J5DMPIbJ5pLDD&jTq-+uV0>U|UjaU;(veqQt>E%rI;?3r-&!sSAP<7YEYtSGX#Su zo>Jibvhlx1k$2za2Ja$K3d_q$`Omi`3466@eK^-WF*4oIjNQzwK6#tifi_0nBt_#b@H1ym7~}31An)Yd zoz=pRwmv`e`gUe2QI(DjV*S;48IWPg&*eFZsV z5GJ&I2>!zBX0_LJL=-ssS1crJjWQwA!KPoq;*qXF_3z9Yhj?sVf$K4;htfSaUd0t5 zQn?cjpVPO8q;3F|xcZ4mUP_J?Ev`7#vgw$+le_cpWU2+JC>up`aA)>jxSExL4lh02 zVa#}2OlSMfhE|_qU||~MPQi4(zzjnIzS|PLq`uZ=r^IHAb!GkspYwqxyt|;gPo!@S zGXB#DzzF@;numYmZpUtZ~s9kbfr-; zRkf;m=b4i!-_t{=cj{lS1h0sy-n(LTNMw&W*>N2^I*!+5#&2$J6lX;5t+Y-Bo`o60 zoo!TzEaf>wRsCb>^TO_U1FW*Z^=G~Sbk7xv=WdlW-#;kwUOfO3lB;noxy4WfvS2_Y z!=bp(`MySje~m1$rI^q%fVK49d1P0Fs{kQ-h{0oo2--V@cs2to`yPIlyGZ&G-3k|c4x%h9b{Q!NyxYgUd1Of(W6%*4{rd^eX9n_ApQyM~4E%)sZx!9In zR+H{8VP_$$&JDw<19u7CthQjn5=+`}quteTp1aHYeTI^gEIDP0v8^I|QdBUHF}B9w zIZ&;Sg2#$e=JfL0rMc;viL+@}FV`;x-{RT8f?rBcfLq0rNO9m#4Jf!Yy$(2lcylqK`|hiB?5Q-{{$x<` zW5U3bh%+l2&UhZRBfCMBqmbz>L}_v7qR!Fq%yjgjF2UhvV#+1SNG;nYU|dx$bSTEM zCYG>*^>m#*br$FVdEKB);IxBfn+b6_w;y=Lc^z-ndth zl@JM3ct_={p~q6%fB(}&%s`(6z)J!9yvk8E0u6Ix>qpDd*)4)xCHaZ%9y{YUvPP!B zsxb$fSMb4Le7|}_i?rdP!E`jBYFll)nqeM9xU^qdnS`7?@H|~l%pW^9K0Oy~=}Wf1BRWztn8A7QN^thsT((lvaDZIQW8m$L<*UU~W)qIkkb zjy+-U`3y;#1Fhdi9~uYo0S8NDwAT2;;Rek>HzMjWq1&JZ-?zAOTa7+?Cl^Q~FSdco z!RI&FD@ii9@^HsY2>9j#<5ZzRtYV3{0>3H~ zt52hu(CIE!i1q8p0Sw1CU=<*apX=CmcbMYP-YrM@0 zTzen4zruD5)>Z-IH;w*0Z*_*d7>tLJ5kk<`9DjTsSXL&3DpcVl;9FT^ZN@=@mi5Nt0YQ}``QWpKHB>2j6#Fxz9O{fnA|<*mu(!%@ zr=Tk1bZVgeG+TwA11FVt@NuM{Jh4ms&c!RsT_#w$td&3wD&&tXS}N_%IOlM z?wR)e#d3s#=8Dz77Z9IIDCdlc!rtJosuMd2W(wcA@5gvT@IJ` zk*`gdk1Yn20gI4Awh094_T-8QchuHH=eb&Xc^)FrYIi{E^y!}m)S7sd7g6Vf#_MDp z`5U1od6UIF06XShM$Frq;fb@kxUJ(BP{oKzj2A4Z;Z@+)^k=YZrI=J;+0LqN?XKKS zz(7}Rppw@Mux(FY?%40%2}0fsZ2H1%^stGl*!TK=@!5pbpg<*gZdKa6wWWDguoIjeQA8%)L17 zsy|~O_Nh~wFcqRj7<+gO5)~L}s0qn)8EO;cyAULM;2Qr(a^a;tBmg8Se#FD9qZOP@ zKVFxTyEB0^iAi057#kvoqZM8!tamP(m$8L&@QI1d#~^Nlj~HHu8e>64a6$Y3F}uH0Y$)*s}#{t)Fu&(eMm-UH#6RZB(+4C)A1 zUwvj*NrR3__Pneamp*_56ZIt0Wq_NDwj;ucDs#ES9%@57tXLiD^{5u>)=N>7W;P zJmOueGWsIBgPH(cWw5M>kjw^(|CNd#Ry6<@CfLxgmT+pkHt*qdWKtIB^Q-#wP(6H` zi0jZ{iB)$eWu-_8IeQ3;y|De8~9#ljn+gT}B zn^Ke09^XDU9=o65_w5^2dbt60j{2!#2J@S&&b!uYgiH`NHCD}bX1H(Rc$eCU2C{V8 zWse>LD}?V2({w}n;Wq9-8~WgR)x6rQFrqpZ6@0UB1ybw9>C*)9TF#POkPZI!15^tN z2cZI~v*ZgK505ax4TE^q$`e_KUL87;)w3GZh`n_aI8a0m6$B{foG0E8z=tRa%;SNs zYBi}AXRZ-Alw8e=+&*9VQsL4)@V!Ee#3Hb-mnpuH9Und&IIa-3vji+@U;I*Z217Ky zs}t|yF^jPjF14HLN{mRH<~05slZbh)vZ6R$X$QI~H(1=+Wst?L(U0zNwEF7j2=&=- zni=j_4+>}T-MiOVS*sB2up3yUh%NKqt7zT-BaS3t3}FVaFDrkd$_Km@dlzuU-=LXW zXCr|=9;?+2hv{{3-$WXR(&6*bWqVrQw7mt2eR~pYdupk&Cl-`vHt6~8N2rXXN)Bvc zQjyaj_KB|qv-;M1 z@pn5U6bFll)@;_ZnXNSVP6>2rAr9BT`O<&Q4~E+g*8}vrb#4^Y;CPlQAyE@HS799{uM>6=-Hpq z+>Z_og##%5OyWEHui8O?0g+wld+{Pw294#DW~bhEGGG}ltGcx(cF0%5+`;?;W%x%C zlQ;nfkbb#cXhY)CnTbeGQKOqp8(84lpl(C5-T}3dGQ`5yv=}hgBV9nf3=Mx_q*^yu(H^|iHT@5=dZl<$IJ1@T!mSP7Hfna0OP z&k@cl3AkFEKRBPNlMSlrVd(#+wfcr!_GAds%eRBT6@TsO>aTaq=4nqp*oc$P4RF8O zx>9tCT)o)2YQ_k*<^SG@N$A|@^A#dYz+#&Xq^(wcJq$zg6@r%)t&Dj-yA)yM)h4A< z3deV&GGhHkt?LD*K)>Bm{R+i}Gvo=FjO3r-2X))%}~%OF(EW}j6nIQ zkEB=Zi#Uo0%#LTM1bnd5f&6@DwH%;KFS^5FQT3JH4QnJm76t5?EcID2S8P3Hksl7Y zPEHtK+0jnIZ%7~k1N$&qSd5NQGsx>|W{1bI_)bEGu-~B~+Z57{hN?AYqK8nEpn zLMZV9ZlC>(6u{SZkn49x*%lzWdx(V78==y|vWD*3hY%*hN~U}>A$vRupRA$F)BEXR z$}6K6Fotn3Jem;WH9Xb#KIC&awFuZr0zez1@O|^ z7_xviVVrNb-)(%4IM_-ng-==#-7T)}Ivb5aOyeyMN4YRe*sN1K$7|; z8BRiqqq6s5X{HCj)3wZjj=Y4~&MMDmvpY`#Qw2#UMK2-q2{&Q}b5p}k!bgYwWpW8n zDzPp{+}4@2HbFKjfqnx2I(2Aq}dV;NS#-^`^LOQOS zR=VaD=Xf{XV!?IQ1%R0y3=6Ggd5NA&$UWOq`eAv@3&jP$s@mGLy9)6W2sjfZKeYfr zR?F@mp>k+9jdO?VM7ib@G|n@uZCyQ~AQ z?GqIWZ@%R~c5%3*N!1`a)A&6cd=ehATGrfw&Nnm#3Z7?#IQ?cY!D7Cij}|Hn65192 zc*&}|^Q8DL;gUSy9~}ytyZ|~q&y2kF>ui~uo;Wkfm1__M7R8GE8dQ|0SBD*GTM>E; zR6AXf+&;8Km8y`>Z+F(7YsjQyilH`~Tp2wJ$3`w$OM!i>lN<9zmB6k^Dd?>i_*cyN zo&5%<;|5r3Pd@e8g6aZ zI$wmbYYR6u7+SxF^eP|Q4EcnfR5vY$OcR|NP9@&EY1qKerZ-vd*`m%E_=Zmo#9w*g z6@JxUSX|$|O<32`1$M6tnA!p|S!tn)0}GOjssG&+niS9-p|Wzs`VO6}GNsrGQQ1Pimw zmpf89^^y$Z@LIt%Vz-VKDk1kYH8S^9Ai!CgeRyFY?5)C*xP}S}k5NM*2G!0+dp-C; z^6~e0vSK}+uYQSD0A9iA$nG|8=pvhSg65I_H!8U^L?$o^y-w+~Wwi|pwKXALKa+X7 z*Wp;Z#1t08eysd z5xzlN-?9MiXM|vPx(qR!8P_Xiol_EgtxjT$K4?ByhW#S%d42>cEJ2vF=9lNVf~Qma{LDZVXT4g^PF+Nb9Z=&WC6B@Iqs zgFXg8tjNdL4QXH*gRo%M_AXwy#3*qm6S%Ha=v0%d;i_XWhA@>)%O`AN?StKKrojR1 znK2E0h)InOium4ed;B9>nlo*)5O>Ad{V_dsgLw2^I6}sl=#0>#@Cs0A-pD*9+G6x2 zw@BYAL_S1Q6rj~|Yb0V-?f80P0*dHjS7mLszyY6Kf)ABC+0*1@Z@+I2X&7U;0uhp@ z7VwMf-Zin2Efq2xL^w!{$1XvDQN!)^9~NOXoH!OQ@8uw`pNj_R!;PurH)XN=h3a4r zS$3X*?f~iZvi&G{)Go$sP*GP5=Se>c={9{4*I}mdL;<^(OUO^%$RvbqEZk?VvU6ie zhd1cB&YL;S)mNCAglxL|V+A2`<3z->Ie#Dc-ladjYW~8ZCi$PdWLQ;c69kvA+!FN3 zm~LTGc)_a{IOioP(Re&4jm`rE)N*b!=Vs+QQ@$SY)EI-vWe_lGS4~I5efOjt+ ztsWAmiwa7k?H9T_PUDIi2Tedj88HQvUA^RKYB;U=lv#Lk1A4ppO^R3cqKq1I^jvj% zT%_yR+G**YD9_p`VdQxPLDv7}YN%Q~sdBPQXgTmDw3=&;2U0(}LPSjF5ch0<4ct6L z+EVAvt_<_^A7yl1Cd|0qz)Y87(ixaE*K96p{;~=d#=Bjy+BeL?<}wTy4z77ol>uUX zgT!V;;?xiw`K*x45{)a6s6C8G$H3WWoP-raYt(|`)0>N$n!hd8G^=-hQ_L4{oyqc# zmNrE-VfBL!_STlj5#VBf>*Eqb>@2ju8+=6AaF&WuRgjnvQpH$G>g+VAv*|+mmro>& z-a|qT1WGm977bp>I=E6U2FYseJ!X47sIjgj@7IC`0gO9$?3_+x7bGwx;m1FysBFJm zdJoBMHUg`L?`+ox0!Fvz=X}Kk_n@AQdyWhYd`4?o*H5Q-C%cX3qY-`*O+*tsv+Qlr zWTs;)KYj!k=PISqefU)GGu*ro0+Q8(KFhSPpcJca^wWL_Y#6zb*T+UuKA=c`SR10j zt%E1TIVUE0T~MwAt(XJ`z*2UD%ZoMVi@-96=4Nc7?{2hWb25uP2iD8tS2M^&5D@Bs zYJu>}^RBcPy)8ep$Q^T3JXT!Y?;&jId9E(soEy}+t;RmAP|wx+ZTdFcPmWH2ib|=5 ztFtpe?@^Y{Q9Gwe^>jQ4Kly}~^JB4OR#y|)nLnCNkulRt?-u~d6loPevpLL}8oS3* zZmM0$xz!*-#jAgq2^@F<=^ES)nWneDIg<{FPb|%diposs?S_rH{z{;;^!vgjlEs8pqq+w%ebiIeeJT zto6GQN6v0KHWQ{ao;fqQMGB?m(G8j1ff0Lgau-XX`wcW$uXI9RzH@OB%++>0uo7`+ zn^}>gciP8JI0%PWIjz{7D;Yp|v5Y$|XsBL2MD;E8hN})l%Cqk_+Y;mqez>6sK%>0G zZ~LwJG|0lDtWq7~P8ATjwCWkQbHb46j7`!z8n^$n>*qP^3rH(=Vyj2m4mG|fCuLjU zK_rtJ9FllKYd1rVUQr$;B0j3;a`&Ccsn6SNSa)yXRTU9UsS34TY=?e%xo0TO%&8LN zi?`!me4I z>HjvF?SD)*O||9y+hpfS{?_@#_3ZJPomk19a<7l1`@{Y7_DY$0$OO&yW3W=X@S%t@ zQN%gxS0w;f1${|KeK@zLsZ5-#^*F&gUqAXnb4cv0y`d;L>o?H0ktbeGoD3Qc+C)Ef zO0&=}s!}Vox4jL_>b?p~W|%^Y7cUGNDjCmMHwQ^dNQihg+@)Sm@245?dXT+Qk(1U> zz#3uUMaE;Ri63PjxPRPcGI9WLS|hMDD;#TrNjvL(Rjn43YXZe5&=&(9`fGOaW*Lxp zef=XfiPqD4%j~S7N?_GUx3nO-!%8OIO&@u~_)uAJvb#w!dc`@$i;r@5+Wv+0`-M$g zBz}!%80s=);8_x?%8#4Y`;o|SiOy>zRMiB`g}Rc^bC*hR%Vuw)n~CyZAvoA?;gHjk z&#o13Qpr8j-$Tgwh#9!N%Xy*ZvjNX4C;3s`u+okyOrE=6=h9IwJUN`KW(I)urs;%o zX-D8%qnvlW4n(PVeXT5|5P}ODqZxtOw3zKG)~BIcEQiZc@TWK;q(PcANm#Jg8`j|0 zm&lgLCX47+2O;_gimvOsgDbhIAHG{E(q9i>#PDMGqh@Ef9fl zFwZD2<a2 zyc^>?`3Gj#wx7CV^t+E6EoMhst8NvLVCm*3hMJ%~GuRS`ey^bk&2f*f%^1RD*CKJQ zpk6+bX+DWmv~`td3DrXJR+@aw>4Dqj0ms_wJpQx`2F`376a=x#cw{3}OU3I-_BPvy z{&gEV&xo{@0ITNE8)LA6>}Pf25s)|c12SJ=i!SanJWz=IZl0A8^f|2$XQuKLmi;D1 z%Fk9d|A)zxfi(4WWq5>TlQd~Km(be+Mr!UQYaze-i#V?Gtp;(@$j{G%qxU=TX&B(@<%f8Rs*WPJGJ?SK+l?=Mh z8E4}4k1_tSjeE0UqWqORF%p| zMyjt^pXds!#+ZuLOxEm?`2c`B)uct1b zrhR7iFt>00IyUJ2QSqh0XWemF$ZOp|eM-iORTuA?dvBx4E?mxk!{P09;R37jM?GB& zjgwu30RI{f;K!=0b73L~R$oAP%oLDtteeF@B-ZB7k7GZvh*yaYXU+@wJkH3|>loW= z%tC&7Pn<%s#OFr8G@r{G(<>5EQ1xr61Z9{1i($SqxrY+PLW1Vco%uOE{}@b$V&wTL z^UKtha@!a%odWJ^DoT1K6FNTVfW4>bME92c-efZFB;IqdU~@ISWb)E{QJg`Adk6gG zc5dOJ$Ol=-ok9$gI3CbYlGz;i>Vfn!ix2g7x;y_%Ff;3m*TIccHxVDMo=D2W^rD%5 z-f{TU{YhZteb|Y?e)pic5mcozUKnIDLp)XKt!@!Hd?_>6t==P`cp8Whm(7$MHck5BjSM8zp8N0VR zjaO8Jn}YdZ2Aq@86vh%DH!HXsC92;Kz)uYWrngX01)4Q!5_wnbi@&M7YZxuEZpsC0 zU28Un4Eiv@q9I_G^y}+=j%3@{NeG4BPY84GKCsx17c1Q;t@+w#^qPUC=VWs-->Yfs zwVRDziv(s4)cBUe|5z|<3wh*?CUv|e z6y+4+{{lx*DEV2!THW^g`X7BehvuLpRLtG!(i^!8a(<6(!deaDu&-|A;!DP}W*#gC z%jfO(m%l>rt?f+>wfn&fHW8EF8}R3wZwz!+zKy=pevEOc_!y+A_N`UribW^1j*)CK z{jQtp<&8WJ?ACH3k3gaviCyoAh(%4(YNX7)++e1yIdhUL^$tJF4m3!XA7^7JwIWAq zKLnN4UE1uDo^rLt)%QQYT|~N1w`>D=Zj0kJLd$>6<7qWtxWQ~R&`&Y}HPE`6;*95> z?4q}^mr52&YKD_Xdwqs~33V?ooVR@}>+Bz_PrGV?x|Lw%(9v?G6=!&8oCs%4=dSlb zHzpO83Kdd3ImPso1Ef=#`{USKduA%0j3*on4=S-On+e~kPaucAZ+;Bdki5RZrk1ms z7Jix5BFx)Ut=re2+0-Y%86z>qv!Ts-BJaznn3V6)p-zgMqz~Ra1N{(LV0Q9~iu)*I zX!%^;de`fgKJ(YdW0Y1(uW3e2m{WNBz4{W>DDKFN{a^fy_J90LQq}m2o`3t9CM&hD zZi5%>juVHtl&3@jht#6Sv)5P9zK?bS4i7_HWTVFkSh-4R>n>v&bLmY7QLeImrL`V|2m=u#*O6iDzD;dDhX=2!;pVmvr=T_qkl!j|G`6hHt zBPOB2xa+JTPBL1NP9M9ik@0I|clsX=sGsZ^J2viSUvrKlhcfP%&g+eJ%!0UIYupWd zPmz(Xt{M5L+>ppBkT8X?2u~ud#Dw2%JmPdZQ-IOjigZkuesM9g^l@FjcwuNV6-tP3 z;%o`_&F$VWbTOy!%cq??k`cL&rk9ur`t}|S2LmYZ65cLj8J11V6i+5nAd~R2ax;OQ4w+bEUxdd0%NqsjFrJHE`i;Wvv430c zoGhYpn3WqFAPvI);|h%m`N`H-m=VHEjK#MqeBRx`@2Ih=7_^c-PI6LPI$u&6PZx`M zrg$J5W2Zz8l<^sTO26M6nd~d)v60FD()C`+g_yZ4V<1WbaZ%$ zX|yohesJ2134EpWn&%Av;MksTZEbaZ6s!{9?D+a=iQ+>vf#2*%K4sPILqy{PlIu6> zxSV)Uy*+y+-#y!t@5smwg+w;%O{vkFL5AB}N*5|6%$)FFF7GUy?OdPcGE-t!=zYUn z5L+MS^PY=wWf!2J5dl&clX}3ulveRny-gD{Ya-GbB0twe;9kXyJ$F2g+qp%}`d~uw zY(KBM?`G+1QXJETf;-%4$pe;;f3;3eYC{&gUD|m_PB5yBu~x#88r|>|O90~|_?@5I zrZa8d?Ty3=dCG<4-T@z9U9r!xBSiyyX(0Xr(ktX&l)Qp8F_}s3gkhC?ZZX%Uk|J&x zeto}C_2$krjl0=1D^4Tp?1i86$}VXdQrGJ+;8t`8pPZ7?kEo~5?#Ch|lY1RQopwq- zRd~B=>$F+uFMv|Gu^hhJw0{2^W&D5J)h)Lvu_~5}r{2;(M}e#F_^5{5V}p)KL4*o= zOSWNFkbBqJ$8;j7GwH&g75R>0c{}5`e7K8xVO(4F4?ihQUallr;(lurNmEGP zRO6d=!_DC^xMP?KlKO!DA=%^UMhf!s>>$3GF9~h{M)^Bsp5{@|PJfTrngw;uE<&$Y z-43n~PUyMN^LD9HdpnMUbSMXuoHm%aEVISa~9j7U@;Zl~^)m5NruQ(Uo@n&1vmztGbcdk;B!xyW%7Qy-ZbE3ePmCFS+? zvPYI*wn8cneq)id6WtUner8EFq-lOC`t0T2i32O9iTChJ{I4H~g;N=7Y&VH+1~&~*7>z_V!`u}X0< zw47;$v{S*SDn_L|5hU6ge!oMGZoKq7)EU#3G1mJ2&gI1$(-#ad{Nt~^R69;-OtjgJ zKa*TFLnmbRd#OM7C6<3My-Z~9k{TpD<^RC9!qe!g_Le&=3}oEULc$wt&~K(^^!hTe zlwMiO_GjKeg<|xq_JbXBLyCF*s{L|Q)zuqMkVavK7(|Bsd<)z1Ah5#;S_;PKx=aUyqlCk%hr9FP_lb1;X# z1^y1Mm8LIMsc;w2ajx*_d)hQ9h8B4$II#Bm%Ydz!h<34$J*!UR?S}OxOG4V)HhKT+<1pQ^<@` z1X9cQa@(&qa1hv0n|abMPR+4JxgTKE>+YaF@0R2D8m-be+t9r~UyiZbQ|Tf|HbC%b zup`Y5W-0=gaN8zZCz!aca02&dV8a=Sqk}^68Gw|*APKs$`Y11|q?wj4W*!yUb8>?a z6^?pCtmSLQ#Aud4k6mR}P0lz{yib4W&IOhQ<{*Ybj-{Si9`9_pwO{}L&KgZp+~&^z zI~GUkh4H~8y@LH+tt}TH$Z%ZoMX;-yL_Gl~3K4s;oD0s`wOFE=!@6QnVW< zsXi;dH`}ZW0Mw2h#!pH`s2RspY*UI*j1wp_;SIln?!5|-+yI}pHJu#A5Evlv*#H7p zfGII3?zyni_dbl-WzdIrI_ z5FCtk#f76!R{KYB3YF5ijWhdR;EFHymwpB(#^_#Yvxtex@>u~K)&i=ZJ=*Yu{~-o5XxM-$84-3!XkV+?M}kSPErpnzS~+? z?_=)&fD-ews1ee}H?z>Gq0cnaZsPhWuU|N}HqatxPO*7g@@hZ5+4Ks5MXHTjM;N*0g$E5r<>* zOw5EkCf_yO(jK}#3?q%dQ>M7WG~R9V(fZMg;qGG{@xTLE{WF6lHCU)oKhH`M*cN24 z4Z)1%_`90)7tmfpcYVN!tc_jwP#TEnakCh0t@P#Ii1!Q0i=+KI7lf*G56=sA{YsE} zm>|{e7+z4XLMf(vIhgtdrD0H0x?2m|s$E9n^ciD~*~jL+h?OEA-la&{Prpu1s!LmX zzw4S!>$wN&Y*TZvo9DNp!>zRA#;Mj!1IA0l3w182X7(^yTa31c|u!zQIw`@eOh4q!qI-tk-iSiZzJ=N5#n&T3bG zuJ+0HCwtho1!nZtlaaN?1eyZyXv}ze;}7&+=E6FY`a;iCt0BhZSVV{xeXkfzg1?sw zca3xUuRKi#8C;oybCJj&yW+m{+1+D-^Madx7FaMG>@hTYZVz z5N`Dp+b0on$ggiZn=GJyVMfL-^ODA}zRHJ-_b#1o?e_+-OgSm-oAP>f#LrWWe%c+p zKDEM_&t%S+R&?|%n*)N}#DPl+Hl0*0kY!5k&)(2UK-PmogdA@78@H9)<>sHt>C5XVOOsbGzv9lloU`Zl2d3--zAT_LZv-0m5wX} zH`~9>c1;1bD_z2Fo=V8>+Rki|8CNbr!_=Bq)tf;U#H=cR+tKgqzxr3553=^-RLY14? z9K5&RHXSC|t0}^{#nr1(v@l!h!`;X9xZ3wlx^?dS_fu+7lacbr@!Ln;WeZ;aGyeAAvl=kW79-z2LEQe!5FCFD^n}r)U<@ab4&#f*;LT22ChOtXpG0@SDR$nuM-$!VpE z4IGo7MMA2-7S}1n zB8^%Olrx%+L%Y{F;m<=aUyhF1%oZbiZA8B8@)~uiJu*di@dVA3D|e{Q7I*yE5Z=H*;=&l9yeIDdc;PBj5%e{0SD~M$S@;yy6_~T} zsQvL}TeJdo^UHc(EXjl-B>Gq2y)lO^YK7`#dyamo(B)4x@Kp&AI(o=y(tCMsCzk+; z3VA-o{l!WdE<@t5dRVq&Z4f9TlnWoIQ0;p(7@SsGC~U41H9MUbdKRs3K*y~*-{(ByScQ~H5PFQ+DHxrft(pEj7z`X79_@d-Ol`jA!D8*|cc z8#zCqt)>x_#9cK%ew~kC(b7V&&@cxm*l?;58uGv|90%{zYdqG;IxLiz*$`!h{a6ev zay>0{ETv^|C;2S0^cH4nK$6VAY1T%vJHL8#m4MJ@fei0#W5m>&zM<#o^+sJ;F|_%g4#o=}kTT#vR&wN5R@ zszyeF)9mnBz^*lQ=*GN+?0x;RH(?py^`&2$!6GMvr+6O+i@vSfOJ71E&bFLU?^e;xJaH1Dg(GU7JM% z+W?7_NDw`QAgAIR!{7+u(`p!Pp zdY9+3i8AVEFb+k#Z{c!WuW!irm>0tVk~urWS*kZK;&qkRiTCiwzv^Z_`tj$QwHlmn z3=#!DS&B>Q$y(&@FV;>XNjgp6l8bmd;d-mAc-vM6Z zth!XScH9lzz9VyWvr5)=cTz#Pky_wO*ES00!H8ynY4&|(xT_=jSyMgf7)HA&ZOrQw zvR5&04c#cSjfLkTe~FO@+VFbs+p&uDvUu(koe4%WLIYy(tx;j17HyRZNTAGAz3p>B zRAdr1nK>Kao(Y=IdnnEo`-T<7E!;y9o*CMF%;yu_Cs|N*PAg8bhOq1}> zS!ef0G-GjGfV|T^$B@vtznUh?3PRGB@%IY>SgjN?|XUD z`!{hu1xe<+X|%Ct`oXtAB>TG+4oWV_(>4SJ%kew8*=1}BUFiT!3Vwq{vovg6wo&49 zhV@p0?s~%ZJ=3iTBEam$`9ARD7Lhb^*>LCp$G|N_>Ktr~W?%AvM~vKiOI{T@xe=*t zKCJLY@GtB?bOik*QV9mMXG#;5N)EovlpVU1Bw-eaZOowgQ?9iHITl8 zCg`)E7fH)hyBR0ZSEnkaeD--$xpjl|@kn1Tf-lULps1>pjBno948 zFPDMj^Z9KO{NGV-bQ~Pkeq{Sl7lpqL4hHdH_;_7i+mb+T^+ws8Idy!3h-{M0spWQ@ zh~%H3-8u-q$JrBK;V(Z%%A~vUX$_SF1WT6H!zSsJf`+R&EzO#r4p&6&clv%I=bWy) z8S!zAk<|YW`r zDL+H2UAsdJ_pM%W2Bwb|SD#KzJDBg{M}s++&{6EYYeI8}7FRpiWs$vDX8wj?Mh4mE zFl>E(8{aI$cP}uC$n*JYSK`2*6T=g}TO>)3QW$By*%zoM&0I-*ARpbwEhSu>27Ywv zD(7jxu8ctWr`Ww$!n3+GhRC)D1_2c}e`Wspv(O29Sf;%isjssxI(!xMvIpacE+oj1 zgjsNrY06KNx2!EI-g-b4rluZz|QCR(STXihsU|cnOk$4 zD6*ManK64fL#a=BntApIQA-PP;I6|*R++5~m@B=An~v~1Sl$#ObDFBP`5(mdf9Y&) zzL8dD=9dfo6Xp=aMoZ%-lPXnBQl3$Tc4b6vvAU!j>baPDeYG^ItVZ5eeGSM?66eun zxBms-^%8%Rfr^)Xvx>7>p82AVvakY4w~BajD)1~~S7#ZKe4g?Odd&Wqsy!2M6aACO zfjQ8uU>N*{a$@>h1iCc6A6r)x~x;R}Dvj zO<3D)iuT_DR{GnyC-!+ngJ(on-MZ67>lY9e{JrL^SObUf%9ZoIG}Bxh5~0@fVu=cL zk5sS{WxN{&nAz88EXt(h1zj&zn-T0uy%mFlMkh$`6*!&o8 z`|*t9y~Wetva%(H_jOVa_mVdU;y-f?-b?>Jez8Dj)Mp<#zDVjx!hcjep&|AZAmf z=5BbSyalClF$Dh9y+-%uT&-zg-C;-Go>B^_uXn8u^C|eZ&n)mRxCVue&V&6okWTlv z-?8xFrNxFVVI(G7UO;5G=ubD-EoflUXvfv!ua}g6Xkkr6 zM^#o248gVj10p8t&SCaF=*r^58+_s`jH~;&lY6Hv9e{s(k=Kv|EdowfZi8`p4O=}w=M-tpj7S}%pwqLWuBY2sBdu@+5_bw;JFvY6?L4( zpWKEjuOz}P_vfY3!W!!CI3f5o_wOSbV@w1tEaq>~hRQcp>;znt-+t-9yPvp>8u6Y$ zpK8t4{3^oqCa_JzhQEFng%KuU{rK4?cuuV>r(r2OL#Q7$C|BH@~78ut%M z$0Z^??WIrMxOQpFW%kSYC%3igtjF_Y%ba`>WA?{w^&5-TDSUujA!vdlLI+HH^K z_w0~eEYA`>n`M~hY4^O?K+xaEuY4Js@MkChW!hIYGpe0hsNWBQQbx;g&VSK`SB`6| zRoBSUhqF41M!wukE}8l)YY>vJ8nrVKwe!N{Ef@S+Y@%;zuVOyOA!dow=F+6kTXVFp zrs-j^=9KZWX285&<}#Zhg7L!fMn>=$2*Fr>m$@!vAt>Y%BQ%1E!*KB(kAkK}jNK>e zhtE{NDkjH!N{5Z_-y1wl#M^4M@j2KAT59LS#Qd+6&*`wuT5yUAy{k(PErfM?YGEm*)|I;IEm)Jibt{E7 zM%ousiP9JBq9`s$_sN+ZrR}MkHN4gHgFn~h)~zT8FZdlPLHdbJ(g!GpNnSo@mKWST zADGL3Y9n^1zgqv^%4F)LpQLACGtJ6E*zNXQ=7){@lQFR;4Hd2h812=hzxe3&7~_43 z4YL>pOfQeb$%~y;Aih)!;0i;?I6Wn+tB$d3@-q z%)95zBbvW{RqGY7!bXg!OYH@p?>Ty5F@Zk2q1}EM$ta4q?>cR3V&1?u44Im@5~avB z`)e&ir5M->WhQ?^E&&(xe!Xd2;%NDT1d|uC@%u(w&z>AEK!+0hbbg#%k4c-x$ng$M zeQQt7j82N9*Ut)BW-tRNY?YzK_=(5Jog+ld|Pu91DPXVqO0SDI^xIy_554TcVozG z1S|XhT#fqJa^iZaRO#0;-&jMty7JBw>c&R&&P?sUo@>EWhI@J#=1x+UE(#*m)QADNP~Spa#p$;mJS)2l+ve4O8(Iwn)sae{r-G9s7UzMIaalBX8tA}+ZL z;f{X9mvPH;`L?$Y!qTYi>ssx3U;CZ^(et0L?sc2272cN@J2w?FO%DjSxxhGFo4p+! z)p}xe*A_r()W`)?x6dRx#ZbeYGMO;K-cht>j{7m$pftiupdV8Dz6{ z%F;vbjh?~=8w0fTwX_awa|Y(OCfItzeVMtA_}C^|-Dh;9hAy&Rr_B(^Lk;9xX2O)= zhj4Kj<~15osesurWD@3WRuzypHv$Ncb+^T)mrcFP;2mWi=` zkGJj^(YBj@eU`w7WV~qR=9!6;FOOGU0y-ih`S3}xvR$mSz@M*db#-s!BfgfB_1h-d?llUbrYBX+kvc}S?bXpr*#=~-Hl5P9|%#2l9atz3q#*bFJw;CZ^|C_lR54!K3h z5mOq|g90#%5}4`;W~TotCPw$Drxbx4A0qhQ30@WKnFjT*ZIoIlIJMQ@2&%aVc|&7`;7x+*qp1z|8~+3f^iX&RsG z{de!Hr=& z=v(o(^mzgM?OOP-9;OR0PVgQLJ$t_^nGsg?TG&<6aHci8;s?1`>9hV_vC6w0g5e71 zA@L*Q!{q`aZZV|%^bUYH)j-a8-tbyNqt0g3x3y>(#I|Q1fkHE{#o!CDHP6iWEVC_n z>l&u%M?C2oJmSyC+N_CQ7(b!DexSEa_pLXdJ4)b_Vlub0#yMazNNxqe46{1sw33HG2-LySuqFj_rn zELQH{8;yt@28#ChU%xI`m0mpyNfO$1_THg+vVTNFk<=XjwsUqec1zmc+u6KSNL=u4 z6t=`tX75%*n`P>d@!_``+i)gW^=rY;QowG5M;(aWt=Z}Z$jOm*GwAj>OsBHhhsgvPjGbKCk*h_I;d-r49`G)F+4lZ0Bl zIB)sDXMI|pikgfsw6M$P>H}IAZ%;H?-xYp>Rcv>Bw1ZN{`3zG?-SSz#dbi*DK=k&` z1*BO!lDr#1Rag3Gwa4{|DM_$wP22E!X7|ZtjUV>3%>m_;RTn{wCowXabi&&FH)1Om zaD%LN{8^o+2G2Ssf?CxN(h_h@awvysPi(GzBx!v_`8jv}aQ1yEE7037vK|_cv&&M} z$$#$b6_=eqb1y>9;g*&+VZckhmmh|7q>Lbqn}!3^xy z&0;oEStg<%I1qW2$;NyWE0W^w$9vLy9>m{s zND`V|k!=e)mU!Tq!N1EjgnV(x{e8_>Q0J9Xkx*DmghYYSA90YJHiyd@|5vZicBSO? zKUn~d_#(@stD66T55;<50}c2j_~w^A1D|E*Sm0C)A*x-lD$bbfy^plE!h_cHbUn@+ zpdJm4z5&u@VsC%4S!(Tz#eIuHrp0;I$1^DX{Hr>}TF7|nbp^%0saC6L8R&!NpE`*P z7oHVGy_NwWv4lva!F8rrJ1p4rA|F))EBtuQ(vs$@n~P|}8|O~CTeP|^b&7pHUY%9o zRo$L(H4-hbU(F!*ZKvuKcmhC$R2IWl%kz~lgMADIg2!w6EVdk4K*KmZ?c$t9EL)$=PN1L*d09{6*@V9A!*pIR{|lB=q+UbI&5^Ha}kY2bWb@U)HV?QB8e%%+de zV?q&v9c>nK78g}b6J|Qz9bZ|mg(P{g zbDXy;^*=;9S@1@NKC~tYW$yQ|DJq|S6$8;9+!GbCgA=Rp?8z%1JEuAE$-$UlK;?jj zf{a+=omDSN!6--xjd^g6cGg}10JS$=aS^Mq*lXL83{_ZSVf0yvrC1q0fS+#um9H{- zJ&dt0laJz`?gLnHcMGIy3!;FOfCnI==7BT_7$quoM@Qa|abH3r^6nk@K`1@#!(txU zl)p~taDiF>E(mx@6h8*SL~;s`K3KLc{Zp73D}#N*xBsupwS7Z7aDe)v?}FXIdG*J6 zwoaSt$L$uk%h|`$y$~UF)&?@_CivZg*F)etoep4D>q+pH2YumQg{sRu8n5z9_**Cl`1>Wz>B=-hR?=Ag*J+sjpIBjNWp+F2u`liRL7&02N1E-Gx` zZ3%!S`N(i!Xm=e;i)0VGxR(>7BvTX7VpvqB#J*|+%AY&&>ix>Irt-@?Qg_S$Cc4o?^*mWaDOge@PcA{; zMXr}Sew|d5`XREJ@-BxY(K+|SG&VKjGWS7553U;I_KaE+$6Y;mF{9#ypM1p5Y0MTE zC>r$_QvK?;u}axLiLQxON7E#4ypxpPxCa1M*a1dSON87FR4smgY2__4MNOB~D(e>U z^#cI|Nq{9O?aG&ldr<0R!2Xt-VOd3`b7DCjm3DUr^y+9iJ1w^GDY2+9{NilT_0HX( z{S0^3z9;IaQ|}wbakMBRa(t6Xq^vd8-ge0Jv|$Hfjd3{dWLR<3b*J_y4R^S`P1NwZ zyWsYAak86bhvyIYvp=XGv@(Er7~(cu;AYbH11g-Qu06*jsJHHlI5EG8uL4V5455qh zs2lmp&EWDsR%cf+T#r-=JPcaDC>=2&=b`oT(hs?VyDKDv_y5o`te%wt#A*M%Jb8++ zD0|7HJ>zajrfNdxe&ns|A?i8~Nnj@C$l~mISu5kJ%e;kyIrsxgwoFm6#ZGpIFa(s$ zQN0PPH!FNC?EAaIne2cHU{xaHq>)wH`pnS<+%qz(Y}iE_vA2D0ZFgDg_IlD=w8WO& z2jrgs{G!y9;f?>L3&YlF=+U)D#Fko0pJv7~7lO?-A^1s^PMz#IgK%ZNn^cG%Wk!9oVD90Fi zkU9t&S2q4oC7zcL+I`y*EQCqZwOlyjDp2QnlnO)(wtL;L>?(^4lAg?9t=zwu68C;H z9N+N7{%2jnM=@5&VC4j6bA9wj;(6m>Zqq@ql110qt6non-tr8^Zw=dMC-V#w)S+3+ z+PqZ&7R6f9uBhhk^|S1@a__c+9P!P)8&Wbrdl%iL|4h;gzuU~8SA<}(fB@N1%tj@q z7E5a$)RXSj#y1uw&AtR!2zTzsB2rOZu91|S4|yhBj&vW+j|>*v-_2kWP0vdGFxZX( zDH6714CqN~w!SD3fYGcEi{kk=Ir&G4{@rDnf!Ji*R+8#E% zjbHgqQ)rziDlE${t|1v*(6rK*b$zG6*Th-I7h}9n2H+|w7@-W3jDPf!(1o4k3X06L zyCTH4&g}P0n+f|P*PYX%@)w7??%y?J%6Z^O6m9$$Ab;BUW%Y}=1xUcfoy6_`Rezl} zYGj=!4xG`)e^ygUGVh}sg4aPtAx&rGgi28~9Fx89ki4+tvLwX-mT5*r-LHkkTtT*4 z?vO;P^Q&n@t-MtM(N0MI*9iN$TSld0n=NC@0&L9QLoTCN(z_`fbJH)hafL!hu-3>z?4cRRr3 zsN{K~A7F`)a>Y#6tKw6YVfD4kBj&GcK6k{H;*F)INV#Yw!%@d~(*yeNtc`MycX$SN zWV9G6!-{MkJ(m8Imx-~VG?o90oyKTcRcH3P4!_soLxh06fjSDNH|~bi*Cz#;Q+Vuc zh$Hbop72J2toyK_ShiIi1&ILdL+BGZ-kjP>juGCyeJqm!ev-7L4xh9%zKf;`YLXRH zYPGHWTY-LijOgc=F6RLBo#0W40L`11N6<)MnqFgii15H4l2W6_+G8t{WZO?$w8uZL z-mm-aUpd_C2J{Ya8a@_yNqX}$u8!{gL6I5MBZ{`4=1{QZl@}e!0k7G`VGSw%290j1 zv7hV5tTcnP8F;)m$07K#3Fq+Z2X zAYD5nO*jRDQPbnUTdq6o9}Np+TUi;ew8k3V&oJ?r!P`hlWAF-h)uCej^jh3;{DbEO z5?v5=qD%$bREIA=3mggO?mpVPhdOCxuLDgEs`sVthP8-0f-IZ1lo!=PpP+IcH`Q^X=2{%I)#LFCx4Mv{|VFC17|WLFH=P~NI>3}c$Ov|syjC}w-tKPwKY zXar&%o>mDo;TnokTX)&?I{;E~X0=y{=p60k;@+62ww?U!6lugf-6~)u7Ql)UIJQxq z`|RAAd{p`b{JW+{x@87`7S9cg%*)miU66UNAA!NVxP76e+0hUFHoNoGbT@OLDB-}W zfkZ{pD2y#Y*2Xsw*98_{oX1I@FN(2z?dX8%E!TnHDV6Hi zyF>3cqOfbiUtHOQ!3%ibo;vXIUEAs8W@VbNg}3Xg{DAA44yUE5P|}N8_c>LQM(A(T zT0q`*EG9SV!y`I$_?xdxSn_>Sh_Ku12nO$NNjNN1kU|FT#Lx1`1rBn=I7>*4h9geh z1E+Exxfah@xOE-4cu!P8cuF2AEi2W{Mt{1GjD9K#4pn`QaphCsITmQvxX@$!m7fa| z3{VEe>J|)L#rygL8=fYE*j@I>&ok_N;P{yeG^yIR$z142iUXS1k$085Lc>BLjOKO0 z!IK6w{jcq#y>v?)M@IZXKDy}rmFMRRzLX0yLH;!a5!%?s7~wa3A`2^B#w(I#0L(XS zq9T4HD3;9~-q95qiD0x9{nvC8ueb8ujX+N>XHg}Q*Yl#oawNeh+4vo$oZxNA?sWXH zxxQz_tO^oiW+KSePR{p z{8Qes|MXvJdV&K_PXemHvoAT{f#%7sACzzs&KKf zeo|_64}u?68UofH^PQ^5ya(1tzeOi#X2j6|7ZbOP5E5 z!lJ_QQ`E~mSp~2VQC1Ng5UcgkVI2DQgF+;NPWb@uU{YGJs~GI&W%4LW5p((b=a@nL>y-i}8riMCpy#Je)Jpi2Fk%BlbsKUHtW4sZGU&MLZc{bdju)@II3qPts4 z{Dj^l08|<8150Xkka79UA5L0n-7ZmcHu+iP1JDy#lA65U{%fBW)ZPHg%~b{JdGL9< z2YX^V!X#2%&E>U==Tl>Svp*8$QGK7*>ZwI&l8#z1Vb&16qAGU4E%ARgBJ)nn!L`(mLdeq&mIqMEXD9C4#oYFX(QxB>E$S4 zU0-7ZN#p>3zJ1OUj4#Wc-_drx^&mfM09{yv)H_;mbupzPq7retFCAKX+FgJcw@+k02#E zdk%+`sEY6w05&caK7DIVvm~i`tlb@Wu)q?$`sjk+a%A==^=x1IPZVO=j*E_{zAe;a zo97g78%YV-;JByDDp9}IUhVtMI}NySZ`-peGs#+heLln2d!{}}_czU(*b0a23kK9D zu?il6@vtuUMb_mb(^R9fvM$^x~EPD`z?e4d}Gdh6P)|Kcxst7rIo@ z zZ$L^`AU19zy>gSd)&z0VO6SfiRfw9{!WS=|F%JNQC~l|Cr>%6T=VaRSEzpsDukAP( zsd8Im4YO8{cW5)<%*QP0*yHn)%JfGQS>M(->lkxxwaO;9>0XPR=ibe5*o=ZkN+{d1 z(x;o4+)K^QP!i?~4$#@zOEazE?OIB4{z%ZlD)CG!ZpiW+6UsfN441hEW{iOJu7|$e zSkb_kt&94kR9QAq$MIXC>jl$WR{X`aoHGx5*j+Z%|6Vh87dhki4oS!|qc>URfO~2G zn}FPcXJ5ooZtOJp((fCX*eHO;GCF1%tF+$e^GD$PR*)BRh)Z1es>9^RH1X~nFYabN zDgD^fYuXJYz(KcaRh#UAp^b0KPTdLlMjJ|;=CY|c&GUPlXCQ5 z{<2d~4WmQ$+l`*0MJZ=7UR|hG#-KSgWlunp$-dD#nWy0W8Ds^Pj2Z|-&Gm}Rodc#S zqdA4MgdabB$*n8q7_aok^y-sFtOdij_74^6Gw)aTvV#M4h}SX{6&5CO%u;_YC~B85}$eEGid7v))ZKNH@o==czZ_?cKkJt_k}s~hhyc~!Q^jmr#~`C+{3 z?<8R{BR#oj%d!}fh^g$7I8XTUDCM^0=@-VP=Rcm0nJTd$qb0EXUy+smQNr`9iq-=(KjE zC!myfEG}_*mDRIL{>rqKMSrW(9m$BCEHNlR2B#INM!t758S4FBM%gcrsAn#B{k21K z-whrVHrcSU0d^JdqZn%FEmyNK8GJKnUfwPI_G3Xo;C|5zjMkDoM;q9dkv4yRYQK{_ z&kuwE6rAm`3T-2~`I~4dB`%nae8V1-LZSZ0Akf(36{JdcQxFxlF0xxmaSsupUZ!G8 zZw=MF$2sm=-g|Erj{6+}~Bq@5#mqyr)pe182E>-y@=tvfSL)ciC+j%ZaWIswx?U^hz0^)|Q~iN$ECQg1Rn*L&x!kPf*C=D3_p z`%`lN)_x`aFkoB zfhKV#Nip}Ie)zzZ#QDoSKOidVJ}uuSYkOTE=FIQWm+4xqAmJzXIWVwS(B~$56Fku? z{8-t{WdkFal|It*M%#2R9^KMHX}P#EsakR7wo^9VY7w^OK##)I!tG)){B4pLU`|IY6N8u~MY?HZ z$hyynaN6F!XoiJYZ+SF-9vidK;cV)Aba+PB;x`6&h$Pj8lK{bOzu#I$+tBM}w!p)t z%A;W41~2j^&C0D>ic=QUu)s31e!~DAYko;`LbEwv!I&mC%`T3{Xg%0)nCU#o&nxj) zy@&fN-cERobI#5i-FzJJVcCGLTH)O2zo1@{Kydh_ZmIs++^LL%w~78*Bp;M*_)y!( z`K2<&t~R_WmtSo0T8%B{)5p~_{#83ag3%q0omu>_|@1X-aI2~WK+&Td+&NpYvYQfFe*mCiZiAA|{M6AzC> zg4UO$8V)Ldb(R)z;4t{M1V*j+r1qra(y?94#pLD9ysB(x{M9@56P$$?>$hcp{4@^s zNq}~H(9UEl5?L4HEmD6}U{UAQwf6in6ZQ*FDMPHJ=E9;5iH6T10skJl(b;d>;bQ-B z%D}>PQIoKNmI~<1WQQYnfZGweO(}CH)ESM}#o0QQ3v6Pi3-V3x#G8NG0q{1&q{iES z=l!NW%LxTv_$IKq;qR02n(A)cJ_DGb06p`AeYJN@cA|SJ!Oh3}3T|+u_e0q2o~*RL zKluQzLT?Wa*z%hIo*#Hq%u%u!mivs@lIq?(0PvZ;6lmI}^uAHE{~A$??Mg64FWIr``}CJ}sGpUj zB&2xieY8Yn^b&u^=Dh)9Xw47o_n+VKbPVGxd)h^E*OALivTqyJN}7f_RH=Y#fVklz z4doWJ?8TFi7ikaD3M&&Db-JomcXDM2CiOlGb3PX$9Y1B&%vM~_fEGoSTEV~y|5E{j z+!}|LSX8$<;H)>!r`_6y(YGM+z`!KU?`^EF$#l!-x!EeGy;jPj44;^ze7?w6)K?8knmoIOGxxT{+3}6pTA!jY@vrGgUzun>nrKG!m#3*oePZ(6*TwTFI|&sLp1gC4{_DHIsY{KMC!)3TNoV4k-s zDgu((Nz$ynyB2pv-{lwo)60NncoTjRX&`x5BEETTnmhO6TB+gR0K264L_2qbdo3i0KdVC+uEeeSr91 zyUFT_PN)XG>Ewvzsnt#4jOdc1S?<{OH;wr~^f~LO?0AQtT|2($jkQ9nbXGYm`@Q7@ zADm*Wj+5YWMf}(9>gTL&&B|9qyz|<_#Va9i$*TG~dYQ-xyVkro9oF*Wcdr7tb3Gm& z4qNdW^DMOUQKbRHK9I0teHV3>PiBQLhlqa?htz_DKJ&Om(vL=m)!TJwD7Pd4Ypv!r zY>A1TK73^S3SgjDrN?6+`TM<^^>UpJ{9@i`_+SyOyZS>xq`q%5_HX|BH%lHokMK15kKOeH+k6}9$#_#KFki%D z5AW6ja7E>lN+|D!y-q$OSSZoMRHhyYY<|6CkLXc32c)$(UD&>9B@4G}rq!qeo%bmp zBl_HTzePIl)6ADJGBp&RI2P2GtNIHBd>^<4sTNg#obpvC+7kOcv^6n*g(F@hfAu%8 z%vfn}5ZS)PNx#&#-$R7)T(c>u%?-`X#J@NUsJj=FpHW2f?~Hu$67b;&fXTY%O7R(} z5fjR0gHK;>@Hgf+0d8BsqxK8nm20Hnb8I4yuOOBQdrnlVccAl=dE_L9-|Ay=xppHa zN|aZ^iq?!S^A(rR3AWBs5AIL#g1Gatf#@$%Gx=x>N~V-eh7$iDn#Y+yE8>L|4)FDB zM73vWp4&)O60~8mX=lRZa@N;ys4_BYj8%UA2b}@ImeBG9{ISXMW?MOT2!RFK$5{_F zvevWCmEpeH6{Jmk(7v782z;O>8`VKIHe6(S4bHr@HLeR=8OzkfYfJ=Rk3ZkAzWtWI znf&hDAKo{^4XPk?#4xLnJ2fUa`#hG!i--@_LvbmK_5FdoOAX<^Y1xm52clPp;j=-A z2f}ZCe819gRjtN7f(Sb{{uriUK?AH8GGR9a$4lh1G8f&+ALtne1s#7CSFwCGLB)}A zWR6ZQk8NIlW^r@2ZgTRz{&IKg5S0b0TPGt8$CtwXjrk?8P(p3>0T=tu#$xe*Khm=h z|My!ok@70N5v-2!osMC!R)xC9^DxxwYcU@qSKVx`%Inac^=wYXZ8{NdNZBi8y8_D! zNHFSp`OLxZ+i$S6#W9X96>8yKOS0{zNM$o7g^~bO_G^0r>-p9KT_3LZoDl7?M8EMQ z5Y5DVk(V15R}HvdXQgpq@O3s=+V|S!-M6a|CD;8GI+5SB;$zu_n zWIF}wDu^#mCK zb7D=u0i;`VzjL))595^@xZj#&w*;hX&Qx6p@fDX{ckLZY2Fp)2+&a9CzW0*Zb|1!C z2YGLa>ED!V?z`>Y?nD|+XS@q|X=<Zk;=H>Dlmg1f>C7<|! zKP~)7C{;hTtODC7bt%0;YKApkb4!XTxrNr^52~}ht_x(@CuBceI;SCkeNA*_`j=a} z^C>l3{(at}xMu<5&#M~>Qmi0gt-E?1e)fwe)|W5$u4UJ`vxi+TeV?#$^jole_DC>; z_#p6Hm-2xh*=pl4ekDioVg|D;~@^}_LU>D{m;(h-NV ziA|?c;#w<|;uuj-o>d>KqOhk~;KxeguTJ4)w`VS9;fnD`HcxKh4#p{;d=~BD7;(`Y z)mMno*Oek4z5Q{;6r3<{2=4t1*3tKMl>u!FlJL`|3!f82iJK9W;5c5B@ezvN^}>cC z5`NKr*HvRZ9pEp&yCR0VV)TuzcN8m8>cj`L#g{RRHu)3}?paorPCh-p@_Uq%Z)K65 zJ(?f3eInr?No}HSC$go&PIovn^xPELpRi-GnB#T@Sw!aj&{zBNgdju^u!juR9(V;n6KDa`yaKunk@hUcG6` zzc$dCIl~4B4hu;e86CJRi2N{QO**~A$$fp(PxDanlMo8hP1XA{m=8&Aov~m@-ZP^p z_;dbK<<>u1$+g`FvHRGDR9ygZfNiv;E}~$qR(r%YZ2gK?I{4dRDJAn-0o(>ylcPa$5EN{*_IXtOHToRA%VQs9-Y)q&7JUWE~x#pR}w z{mfhqalH=$jZp%nd<#`Z_H zP4VUd@!3^el9UZD$HH13f-4BP+xITNO+AqNbo0gsGXvuhWCh4a>vnBPn9on`;R)Y6j{8$t+tZ=kdhTTl z%vBFZ!k;Q7noVJGhsNc+r-b`3<$I+_S+`ykDug9yjV8~XwdSvIe zI=+E&r5Kw+Wsp(Esw7TeYE;b@+^(L9MHe8xV*d_DiYa{ccN?~b_vTTPWI!2;G8p@1 z|HcJP_h~HWTDBFIZ$M?CSZo{AORxOtQJ^64&n>Dpf4i~o?JuSD^^%j07iMlL^t~|@ z8_#wY*5^Y$;3+^5AzsCx_lbf|#_Y2}XAAkSdQfeD!2hnR z_CM|8zq?8MhFYM-{rd4yPjK0N8CDb4Ra*QKEje4P+r!p&`(mq2PfHSSlY*X}?Ti8a z#iIX4+Avi;w=SSez5V3(IoGUr#*0SkPqK97T^M%nCOWf3LOYt)+8Tf;XW}JkmM`Qf z4{vT9Ljp$l1;}sGzYxOWh3N$deu&*b6B8|% zk)IY`_Du+=P5!EVKfoWi;%9M+>vdM*-2AW`;ks64zCIvklJt|2ul!TGD*?eP8s(Eb zwbS1bQ4BcjWln5;=@YAy(g;iw;Pr$mAz(p){E4nf3WxruZ8V_Aqo5?MIr#ZGsz#=E zV z&wD1z5``dgtGD#Bqxp3-73VhmB`>C@Wi?OqUJ-K_zHWOsSduS&>FDkkM#!}CI$3#I zilyKvbkK6+*>LG{sm!H_zJ!gq^IVIo44P4AqwR&yYWMbH|J=9jc4JBZuY?%$E%f#s z{_ogvg}MeD^RE!*vHmVw&n_yeC+1N02X~2K%q_G`!PFcTT)sCIz@|cp&=vX22Hjh6 zbe#V~gv?~>!PNYzTd~Ln*_A1|nlLK-5>Uo18+`wEqjE|qet`-&h~f%#$r5!n0*@%i z*Fe1=u%eDipgfvH!gGBSoypoIMoxdPN)Y|#)Z1$l4^Y0Q@YA9|&f+24+qaGEdsUi^mTh)Qmwa)8cl7UJR+)n(Sd^5%O}Fq*m&SM;=*aC(`$PL9B8kJO zPXgZ|jbi;FU4-CPrdBzr;<-QgWNje%D2!k=OjZT-JuR_DBq&m*x z#%i_a6~Jry%`o^nZdmjeKqIZ$Q#^53TW&egyI+HI-`^Py(-*_Ew6``(e9>v+xk(-O zLM`>Ns=nWV*=OaHr!GY%eH&8*+l9b9hz+(p1W=G+y_AmG?9EBdlm|v>E#t&-(wDJz znF|8}i;*4Pc?sI;l!NKV+qkUHvI-|fEo0tmGo_{OAB`Iwluomn2xlCtoaIrvZOP5M zFIjv_7}+mxI;eH=OgqL#d*Dnww7W-IAvWjz|jTk zJ|Bmqm+rQS&dunCq7R^j?TfR}lv!ENx)t=x6N2W9o>aKSI^8OHIiHt2Xezr! zQ37Y4OO5YgeVfBrt4zkPB;z}WL>@7OzZd-)@%AsKK#s^gotdVs{O*JBHy@eWurM$cnRB zzZruDzr`s%2t9`9R*Zukg-#g56-dgvs`}aNfoU`{ndmoP$?mx=La5hL?j0pMF(~@Myz&GYQ zzQcqzCU4xP13@Y=rnVw;;#2Ku~2weUSzKNJGh#V&>uD|&dd!* zg8?{pxo=q445*wu+MYI^$?Aoky!9WhJb3z6f=rrASoN8zh}jQZGGdKCU|r#hOa@vH ziRpJt6?F;mA{7U6nZ8Rza;!^ z4?LJ!W<&e3LK62OCqrJF>SP%&=rZNiBC*?|yAugoXMXuOyoSNBMqCZ+cWr@wBsp!< zrh8w{%*BNIyn<1Xqbj$IK2Xsl>L*3%_3~cLB_M=@@@hzBO1kzbZ)lZeoLOCuHRA3S z*6rP<EWhOyTOgCX7Cn#0TMpHFnqFSn`uD2ZIuFQ8+kILerC&}3Su_# zdv=gqW!5T+jg5c$a+oAZkYZh=vxW4ADaX0pT&%%aNAra60Bb~aR>2GO^AZm>LJL<%2?bVJ&yj@FTAa+!&A`DNPM zbZ$8>mTLd>Yy6w4a`S5WjH&!+Q*diztP)ndzgATh7{oA55Ia)>AL)-icb_5}`}1E- zqevF_F0QBfQ4jUMZtYlj-4#z5Dy%tEcPn4Z=$HKE@%6LzJvP-TF67$2M3#Oz6C^3Y ze#}55!dQya@6H{*@5bny7-1oDyIC1Zhl}-^zAp>vk#I76GrUHj-_}Y4v(YeSi4l(& zB3Pv6AkVaf&{wy0g%gMIZvbjbN!X74fLty?ppzWY$v=B+iWi^5aLBkSwzEdaYqAMu-9|kb`UwZ`HCiO zwWSb%`pui;nJ6dy4oa9(IV ztNTejEgrpKo~JF(uqmj}|I9S=k9FL|qIc*8CH+i8lERCiOX42V=4Sug*{#8QT)m@T zjGX(T)VzHBGzlE4%@xusMD^1tlUBo@+-SOQ^>*5HtrP%*tN)H>Gt`Ss)4 zngQ0YVUL1=I*zlqh4^;JYBDYeI6ggH){rj^K=)ZYK?_YPt6sLV;7pO%^q%pnl_2^z z+^%ZY3Z#Nlz6wcpR*7;NekWV-w1;366>A(b`mQ+03O;+Yw=)x3P|dIq|Fvj#1J<9+ zexqXliX1iKrV5!{Efi8~dc?KxU9E25eP8wMxgTt@ICf`HooNcn=vQUzYiEE+y5UN_ za+>1N9MgBF#DWSoW{x_-oZ^ocixNAMv;);WK`&lgvx?%_jmT-W>DryGSkkkMb^-GtN3#|z?+niYcSuH5tC&p7EH{QE?{Q?xVG5&>kjzGKKBV0ady z)Gi5}JvxeKs8;>Z;B$V2qISgMJ#2I96KJLUWTs1~G@2Cm(CUNzWbdDLBA4&EW&OJk zzWRI){l)W$aNSVkHOroFEcAqNS_JE+4ZNU`2`OcNlQG1}9NySUJ5+y6Ny!1W z-c?yWnAtexJ#3i!X$Q(WvEKh*?Nxm5XJG{^uwva3`$+u~ z7Xnb{n}8Kt9n^yFjAWU?<&TT-7t{hU<4gde6pM>LJ1HqNv^vt;$)@D2aGQ>0VHmJF zKJ34J6||k|D&Oo?SmP~KXp;^uOzLCCH+KC{Ju_K@^_ORRzHrF=s`|I2Bg3RK=4V|D zz!<@i$(D|=@Jn|On*!i?_wxSOQ0?~LVhLZVJJuiFSkF|-9NKY%m`tQjCCp=`B#EAc zm|>Ikx-|8E{rPcGMjPM1lnjNH_ErbYnEME=$jPwP_t+l0j)M5{}ZrSJML!=m5A z^;~vqs}kTdFPQM<=qlk>t%=}e^9~)sx7XlO>QT0$)z464;U75Pcx_5cHq2DjRBT3i z5XG2rzs!p4yCeQ@C_Cf&qV+QddU|dfk5;W6ilb@dbL3c*R;fX+G}hOE(rH4m^X!w7 z^sD%5{%p}%Cua)(1&+AmSwFW`KHw#tfBFf-;aQ;A+>GnO>q~zi0oeunT%Y+P;x<>s zpw>$}3UF9s4XUx&TXV!>%`YG;;jl%~YiaBsC5m&Q6So^i^Sj}ia1)8LQt08tf|r)m zjnl|B$s6YB!(49WnpgS<^TTe$*~5*XtWILn#-OCV>M}~Pq4KpvJ{@CeZzNB@?AKqE zmjfnSBJR#n(&}q$Ich=D80nYSelSR1e77;n+Gh$s1wQ|+{jMX!NxUy!U@Uo0+Vu;@ zfsFM8VwoRI0GJ^M2FB(+Kih-EIF~e=-&Wau7`Rkn=7WI_CVhZsaaT7_w#3AaXZ^P) z;z1UuGZ9?EFC^qpt{G}ZkK>EOlnp9XW;-Y2oE0oNDnDTBv{Kw7*_0J5hluQ8g1W}y z^Iz#oA3lkm-%w1Frm&+RmX99adPw70ADz{XuLSI)h$=|QSWjN1sVYUNXXD7>$b%tA zLDA`t@yZq`5<&mJnd=&Ua3Tg1EBN8iO(&VC&9<`)2^!Qh2PSsO3 zXPF+SubFu-L}$W}{hU^dA4;W@imaA}Z#B@{ZEgm+J@=K3aXigvVJi!~a z3H*Yyl8!02>ly13G~eJ`Bj20fS+#KG#_IJZiugMRTR>T*E0)vmQT6Vx4ey1X31j!U zmk8;+&GX+%{aWtXGNo8OEc?pMVkLcDgr&zuCf#q^==~LeBc;{QX{Ua8uk6fd##>S# zozoDwQh;S4u6*Fj@sC215UNfCrbFGM-jX`-^|$2~yHevkh#X1{j;7_joi490Za^Dv zbQ>6?sR#`=#td=eYWMH<$^;eZagHgZ3Z0T(^~|l-xtt`rye01B&)B5F587YlPpf-N z3A7i+5iKa<-17GQw9e(u97UPp;weMICp02mCEAQq5;tvQSmR?S5kKld_SR-dJ!GJ)gpIuH+0s{Zu~j1x<@vHV@Xq64#D2z!v~2HhMWoDKu!poB zQhN$>i&cc;+3-0kLra;f)bZ6tr2t203TxRngC3Q#_zPS_(UF2O7RVavA+1h-@#_PY zP;{ljru+c6r_PfRroNgulJRUhbiuq&0Jo=P6RJ zT8H)roLgd-$b^4~GQT7S`AN0w^llll&wS1{`poP=0X_mD_;m>47)c17mr;$&I9sLf zz@*D=>W_4#3g`gH(8E|lXSHy&xT7ftxm5pC0_b%{w&5Pu(ivEZX-)EmB{(Qz>~o6e zt+;jYo=y5G9esmRllwQ%2lx62!ov(J4*v*Fm4=Qz36K!oiVTuN#)4yVK<@It0j%Pn zz^?xWurz`%YCSG~`EqDR!O8GhFQzQ7S#hZ~8YE06RM=&%+{~Nyrqzs2CPT8$ekW$# z{El`6kLAgrk{?VV{L>|L$ctbuYVueuZz*Nn(gQAYRNlqohQ&I>L=0`et47&o|O4BV>)PGgYX4Z#s zJS;(my~|ruS+`qqm>ck_P;7p)7_GEG8P=DdHzV2el+&t|qlDC{0c}|h+uy?*u|0_B zzfxc|?|dd0&E$`_YP~thz1@kr+-3IwRL1^;-i7e&83GZy6AbK=Aw@|D{Fv6Nio=|6 zoz3Y=|E!Sz=LPU_FjLd(rqA7?X1B)G3ir5H{s;Fbnr%-0E~^0;l);CVEJ7Op(&yWY z`??4he3|kHQa_rfUw1ZU+jDcDLGhbPKUp{*44pgyQ3RY=QTT$Md3xE1+Ghtc1{moC zo0HA&!-Az~6L0p-J`4+&38hHRPwodL`ZkoCthA&$V=w(>?n8XYa`w_$G~S6WbOO{hc``ia_|MK zmc)hZ3jCg%iaPRB!QO^z-`#3PkbL~G2~O*?oq&0|HE>oCW9DP8_kLL!<1&VKi%a7_ zSpAO}SxnFLI*@>trd}9Aj5%P+9J120)j0BBvlP$c=$1;kF;S5*vlKg zasto+HIDl63=XAL@I^}jUy5GSdog9twMBr6|0eFI>X=EwnEifyrj-jTN6(9C>8A46 z^lExt2Gmsp5m#j;T?I*e6e9`cNF;L9z*jqy!Gp`~7`7#)oGe7%Ay^rOCD_2IZMK#eB{Yi+6sUBnIXtGZ`CCz;~UOdI|O}$rILL71Fbm zC6sOCjwa(v3oV$|Rec|v8i(c*1QqJBTWtD)7G6Nrl;6EBbeS<)n##MD!nzc<2OORm zShI!FISLOb;hy)wLUL?KchAP8vxLnp*O#_W|le)QD-g{c<2Z9J6r z4bJ+r@sJD!Y}PdixMDJRE)5U4_yEIuR&B&O_>e@_At*W(L#EN{{Vw%m?!(m@AK_nE z`^iU3-C*Q=rre=TO8Ycj_8yD%lO$_8Vgz=F!_0biOw@c9<}H#EslRDelbNyp7~hWZ zuV>inK1N^rGx5vbE8#;1nZ;#qRbpzX7vPqTS`UBAjMbw-Ur2I3h`=v{?C=*;93NbP zocGI0GL8Fot`B_QtLNfp+^64LOX7ubi|#r|-^50o4$ixHDfPBcmoqMJ9Qgc-3gs5Yw_`}B9D`NJAh&Mj-8d!h#9dy1 z(s4ew3q-{6v<$M@x>99!L5{gZZpg(_o*f2$YmFW|V)JJ%P^8s5ZukQ2T0Cezx}8Za zAH*Ale1^0htozT5k|#6Yu7reIoNASZaK45=40}pV(QR)qnd7NP$5%w?*laIR1Ju1k zwyNIK4!<;wISSk(c{I)~34maj2-@=B^HhFN;NzJ85Ai|#$KAXtrvs0U8}yYd`oL-S zb&eWK-r0<39Avb(_Az&yy3K|l?d}+2AwT&}yYL>m_elB}bU3xOTWxUti);hYY80wP ziyd|)7YUr|*nT;c-Ls))8VI^aq2xk(diSNLM^`xg5+yRmSI6n!$}SL!P0(x1(67M! z=)c+VfpFjN7Ze?(MNU{;%Ud)*8Ij1v4&)TXCFDKd-k}{{Z)~mb3qp}3&>6MXSJ=Y~ zq>WV?xo;g@7KA$PILuj`a13^>$rux-@Movpd;;H zU_r_zpkEq~<*O|P#fRHJ*&{2W!val%0FzqLqHPn-@gS_my8UA8D>R8~HA%;QqH{r( zH%4G*RJ&XiM5H)LbY8(DW2?xYnbBfkiMoHj5E; zAaNAqERb_Xanf-9~EQ7Pi5Wg*^q)W!cPHk}GsXU4l=1JACXXlT;8A?6VyQliL zDiwPIk~muq@djDIiRjeb4txk5N0-cE#70QPEdDl|$XsX9PlK91O{1XFIU@)QSrF=$ z2;E#Cv*TeRQAz>!kw-S-tfKnR?AbpGF6Faayv8cgr$#NFSu>B&;@+d`G#DPWD=8*| zIo!?US!;whl>VPf@x-#xNWpn&eH59C6XRkL;8Yp+2X=}V!>1!WxwT(El|FjsLu`rqkOtS`o5my2Pz-rSr)Y+&^5V#xICL_C)eBCp5uR2_BsrGZ- zK*6C!`a3}G-muUcLw4(N+%}(^d%QH_CHSVoL8>k5r7_9&o{Udj)RG?AKh%WISq$%0 ztsTtYj(Dj5=dvR`Cv(dJs7)Jpg9*^DQyPmVTzF8~RRr%ILe?Ull z^j{K^25pwR{_6%teMaqnqdeG~ur1`0bp?Z(N%6FD9ARxV#z&18o}QvyvCoRzK(Z!Q zzH)n<$|dSTHRMG1+o5_sp?ZEBpl7gIo_*{!ryP zsl2L2EDk0M;kKaL8JdrD-R2M%BcG>2GW7)uK`4dp*ja{a+rPC$sWasb)|9roCVvtOcwTKC64P6%G1Mfw2DX(N9C+8 zO$u!PVa?|sF;%QK-t7!$_kj93@$ALWu8Kn;SXt!TO9=l@$h%yqS*Y8a$HOCh;a?Na zr|}JbiXa)CIEGqDEgI#LJlz6RcO2R2kcy+(2i^7QJDto5tbY^U)+xZ9-6b z3y}xG^+QSpO9DNxW%p)ZC7_-x*{QzIj{twL^W2~;#^rm>DZVy?vo_x%!Kh;?*s?ELLYN;mdQG23>roAeN&_Gttl2jmdlri7ktC7Oktn=d7Ma! zLhus*>G`kms+IZ}n)F}e72_)y`O-pmwj)yOT_Pjwi{x3DChSsnLeXUHb5idxIXaX1oc>`Sm!0Ku0njSL&u^ad z#udVFl+I@$j<%QD21KJDLNjm@-60ov5(FaiAfzC4fgJC>iPPA7^QegKO>@erL{>nH zX!M5jtY!gpbOlDYANQNdeNyMu&_COSid=bOMQLpgL>jVH)lX(=H5+#2Q|yXMIY>!E zj+Svq$lB;RzKMVRAW#gviFTo z>%IJ77>fb7m_qcE#VZ%P{oqr2M*=8Wwoj5Sf!d-v_Fdgb0M@C>ya#PY4p0QRl|sTm zpdR2E-iEEr_32#9rI04l59s(hHQ1~+SNsyyq-axT&UO1pEaO>+c(p zb(ZD>-`p4(Kg)7gF}dmHzU`IwDPQ(VeOJKSb-FIVv~cp+$q4m4Ou8QY7P&-WQR|5bU)6I0rZbF7a z&I;-Cxs|E1$x&bDvI4N~j~wzpQg?-_ORo)l&q%}G_VleW|MCAec|siwz?u2w$zMH{vpINONNa{Cu{fm7G(~bnFf7Y z2<`J3pDi4_P?PH4Gk`v@14RHxRj7 zbEZqsP3#CCQccU+$U1W>90Y%YrZJS6^3_G)%M$-P& zo4TJb#kxC6gQ3l!Po#a6-MTQwax z(xNY!P-qYI0Wx#E+E{;d580&5i=vh*OYgtkw)PdOX^*7Hx)IkYWelz3HBw|CpH^{U zINF>_XJ6^_Ygyjr<7XuBM)jCi)%&Mp<1kxvMzj$e8F99~^~gjYs`xn?5WW}U6#8lT zF|0g0C1Ptu;pKq8lrGMFe9TBm$Y?$4S^Phd+peuo{b$9Xed5dp;|e&;5nWqT;IFS+ zT5kpwB=z$J=VY9<@QRPGoweY=In z0a+VA)a%@L?WkL26rX+$0Zweom$7U+72h%597R96myZ!(KW^+c_xy+XzL}`RXgZTc z>o--ks>f+d#wIg`J_Hl9uwYySW@V*c`Z?rq&{q@wt!HvXCoLf~Gv=^Qf9QTnnum(< zKb0qe71)^cKqJ(aC&S3Ut@g)(Fl;BMgNd-bAoXJtoIfUj6F-Kae4{+U+tBHTSUddD zz`ub$NvTbz*MCRyeTDRRN~eB&(DgEyBGq5^kadNn29s6*{`jdp0erQ4ELCS`tKt~1 zkNBMzu~s2SyM0Yix3g!mSYQpWD1bCsL9)EYhMK}4T3VuehYp~M{zAz2jXs=Lg@DoW z1PdqV%2X^mt~!N`r#L*_;z32`pkVh@_SPa-{UVlM;6C`bUicR~WmG+&l6Kntjx@}> zvT^PYLB8MsG&7o8R!_4n;)U;|u*TGLmeW6^TTEevo)f2afY122INpW?hobw+M?;)M z^9{oO_LzT;_pbb9FqeLpT8v_&hp}||FP8^6#QVGbY$$AF8+Ev$`6Xk-zTf0g>}ZnFaW}a_Ezpv)geend~|FxSxsvnlZaSGxES$ zC-XnqV&KY|kVz{L`r~A8u%Vs#tK{j8=o{bI<={q!bS$H)qJ-s#1PMA;zIscc0dBI1 zcQSq>3-9iwR=1}44n;)C?NipnM<>oTmw$jq*!pUKdt(8Y@Ef72Vn>7`T)J!9#pm18}MVHX?GLC8(*}(ZFe0WT?m=>y+>fV;{;8=AhHF;|#AHLf#E(4$r8I7=!@L zh}$3A9yhNgoGYz&ds02G@j((kwel%Xc*%a#{{e=)-+JyqKs;;NdqjG_f{|}(iHlG) zd{Xykq{=B#@Wv|}G?FiPeE>&htVsiayTTE@isX}U@;viXy$pyJ0pPiaXoDT4?!b;gB=aR&Sok?4_%t2I=ghcOcw6AX?ns;;2yH)0z3Np9$Os zn_SG&Ui`OU=FqbrX^f(75E@NC58vo0Nqzp4_0pzQWZBP3L>R_%XLEsKk2k>Fs4y;o z34zh-cjDnQ?(VblqcNQE7RJgq|HX4vElTp&`n5Q=fKY13ebI-_Wiw+)4UK$(k4;m) zzpjx-_+%v>ZBlP%M-s9ayShcDhz-zF&BzmB#QRnD;Jy6@WSl%!O} z7IfzF$BTceq>%Lb;>&@7MbOa@3e3^l#c*_qcBTBCV0gGys)#r9mD<_OhM5Q(^l7A2 z&NuvvJWV#l>R0$xs>w{wVr{n)hnk_ey$?OVMI97gxFSH&;oZ`x13Ti$4U_WePFde@|h*#R~!7@+DE=IVjm(kwZBhnuiN=`%k)bPqBcHyM^r6cQN=WPHMz( z&!5`j&p0@*nh^LJ;3hHl=&cy%jgnjQkhy_q=|)8EZBN#v6fh*QEH~YmS2mx;K>L?< zx(SsamF@sqQ;dq8!lkqMS`uE2%$o-r&0xeMz4z5#d{gzjGxRM|$XSVLXu{FGD1GMA z=-`q6vygkB&XIS(zd#P^Qh3)FJpVaRVzlsDY4@Snmq)B_2<(CZbGuezDzF&rLoLjP zV2|PyS#;?Qt!tq zySzUhA^=}6abm@L@FayGafhL{HqHk5cXW4?S39lglESAqX3}=s+2nU-A7+f*^jK&7 z4FXSQbW442S>lh2ca2{JIqxnQs4;!u6>=<+f*z)lwp6{vGNat1)S>1|Hp`gM8;n1o zh|fq*Qp>OK^>4OjIM9~(&G5;%!RHM* zIOOwhWk5^1TV3%MW}n=}WtJri**s?gve%e-c3wxyW~r>{FzVEix?0#gMG;k7e-|Wh zvsWuNT9_ZJFzJu>y7)Wexoh&dtJ(xQHsqB#>V&yOH(?g)J0*ddU@9kYf_jIBX<9hBn18b=~7P&9D5V*u}=|T7n00`Y*%UtH*}t z%Rs|X-V3=Lg-75OBXMvwtXMNPh<0Z4OLP0hAK64o{$sl@87}{PVSNH<1Igpx(yUx# zf%$@d>2H$TUr9MbY(WP56m@TcE2?>G)Q%$)R@M*ZiIxwdT7EQ|2vS>X@>~v>vwHgw z65G4G(R1Q_`x7>zdQ0LAN&YjE8w}57olGKBW*X&K{De*7$Zk(g=xl5D^Twg@We5R* z@l*I+_#54mA}BE7u=&I79h^H;rmOgy0d%8w&;(nI!A5uhINgO8r8uU}|1LDpsiJ(Lqu3(NSkK&<@{>`V0; z&%ep^R3_>|zEui1rGA=kBh|NPO3U}Px$_e~ZjiH=XDO2u{|IfI{_{mRHDhjB>gLc3 z=T;r(HW2hsiAs0guK!wz9C+6b-2YjLAdTQ7JQR1^y}T?+d<8xMR|i}I?`+iy5m{vK zc0&@2qgem;A2zfWbxGq$^fyX2SZy^%-^bOyBg9wPK^L!sV2HpbDm^`@X|h(xaSTp4 ztxizP-mAR6>>l;}42F*W0@|edMV^Y?wG_7APb3)EUh80?Yf`!^#jD?GhP}5vkbIR$ zABP)2ISR(&H$GKwHVAVt6niI9S(~ z?WWE(U!RQHIhGxeZLQNM|ru!)8N#Q zS~xCtcCuYtmrR+T!LU6(pU8C?{isW4d;m4%I?*-g8b+~4{fo3E<~wGmyE2~laK>!D z03Qqe)!l=zisW{B={xvZG#t?62ni75Z9~7%uANgD8>hAPV7QdhyE!)rtiEi`HG!^8 zGflc(#3V?b$C?CcP%NFga0|zUNIB@gN!NQccZzR!gH`&yrABMQtlk5gPSI8b>x%xW zExTbVjom!M1Oa9?l&Jkp?Ljh|bN5nc4>++)+ScNy7gG^T$;rYLzjn%03Vh&uodH>n@f8eI_ss}5TT*+q!tZhH?mqSw@v^K{M z23!2@W-HIYDY{Stc4MX#=jMBbZyM3cWXX*g))*~R18?i7^!}3-8gMiEA9XU-N$511A#rgW4 zR=&%OCkMm5WGGS=nPA0e%)i30wIctG{rU!}hWYl!!7|_1CaODOy+!T4pK-$Y9!D06 z>-S4#lcf7wgs?liDM)q2^w$mhmk|lN{4Y*n8*dVe2ru{_-P&n9H~1I;3wN#O^VdmX zNyM>R45F62<2ba=I6H6b{Y1Y#8VVlqY8>Rm7Aq5#>X2)d_``tFUtkE7Ypy#QP5Lf4 zFC)=qK8{Se-W?G3y%iv%=K1);u)`opXPTcZF6y6~+Vv02lC2e8#X7btYY_&yhW8OK z-X#l*S0_Z@Ujc3_rK7Sj5D$_y#eczLq}r*EkEZ_%g$qCkNz3uymsfpcD zH02CJ>4z}})9Mk^j$iDmzeF6P8n-@0jt;36&u>yH2zUijFk9dTq)7VBIrCNjqMC+n z1kFwbkAD0VQWINCEFyH1X7h}X>`TTA!gxnDfpcSl=7ZqoxLreH=_&@NCt)`0; z2IE`>6W=#SK090P=W%ULz`)ksQeM2pP7;Nqamu%Lg#}x`ObDzlFMkk`mq7=M@NgjIvJRz1n0dw8(K*f@adsq!HD0GlK;Z3hodIXwP2{7HNHV=m z*fZQHc97kilgggqmD6@35Lr-oH>n0c`{)7R4i7QD4x-@Sx9PA=-pWA<=dS%rhztRx(Px6zDC^ClILPmwPmdl`290LONz#xf2 z4$%(ryT7o?$~cg)O{nDuCL7zkkMULlwPA@#l%3fSr>3H)r3waFll#&R{j(g3K<3}v zxGqdVT+67~tLM?H9fkSlkzN)T(Q5c-eN8gxWMSz+e_g^XajcamF?M)DXN}qB{c_wQ zP)!(|;-Z`gOGmrN^9;@s1u@TR6817%r4BT!@viXvN84EdBQMkY$&U`g?XNT)7hu1x zU9U8qdxvCbxflvI~N${cy58G%N7Ad*YUH zDtotdl9Hl=vKcPkX}lUZOfG`W{2LZGwA_Q5)P= zsQGtNf{@rBi6Hs?;$Le14PMqLu|Myuy8K&pn`a(C=Kv-cLO^%&uP6X@Wo^lKkC`3D z7+O= z5s15ce=3V?*Z#@e%f(|c&WEDsgV9BLl9vqJKf_VBmA!u?`zic)=49tbBH*zB(IcYy zft9ZDsp=VWtZBU&sgtojw2(?i}PtruW|Qj1B~z853^OE#*RY zLFiSamio)j=kwAl#v~p8kq>7VUgSm!|DIL!4FHCPTe(y;q<|Nnog_; z)MAY&7Z)a1%FzwXrko4hj}wNev7e9}$%8rv0>6SC-jh6b-}H#Fqi-{qnyoaWCsLJ$ z(2)JKGQtl2>WL*UP5P%4z#*H_p7kF03AU_#>`O)U(lllbuT3QnPg6P}se+hb{l_5J zX5*| zaD)}Ar7#kQBHeyG1+~5-??V!OCoS#@l;+uL{3oqp;n%d{rtlnu6Y(XAn}`XFad%G=H;MPI?kr z#&zANj1iXXw`IPSKM22vR?&ZbL~0SM`&z>^)Ot8*N#@3?efq(5kA|9Su@Xj1bu8MI zow^z^)P`)4HeVSMC(B9>Fn*cZ7V+$sW(pv#ZaHrIX>7EY^Y(l>it50qpsuqL5518Z zd4C%~EWl7Tk>X(0GXB(E4eR?aQQPqs@)U6@{W!<#?Te%fMpQw07ck<2L7(A(tNyq% z23LHs!zls=()r+GIg=joC9K;Drophwl5_a`?9vDls#graEt-ZWPJ5oiOqPYHlia<^ z%+L+GtQ>4GjhJIYpfEC27voy^;_~Xt#gT2(nXZzrGn2Qv1+QN>Ec1xM-1{rLeeoiX zX^WzJ8@+*6{lU&^(jQ`a<#>uDMTSMzGD0TbPX?UW_LpLI`I6^=VIjBjd+YhIgKiB^%7N3N zIQVtv6(&>yD3!OkpHZcHFHw2;v~4xEg@5?P$kvt9XHomO!9x?F5Q)~;oIqwuoT?idEcm-N30|D$x$GWI>D_%Q5st)* zZD+?CZ^Se%e^t4E8)LXpdHSoQ{7594+UQZ@8oQ>PlJe>bmk=hGz#cNw_n?bv??bOP)gHT)Z0T?+D?T21=(7K&mbA-d(ivu>n$=lsHJr_&${&Inz z(0S*v>NbuTRM82_ynhLtW1EW5Z~#lp_NJWIg&Wd$9tBvrkRFps9UT(DVg=!^=DIXy z-4MYNd(3Jj;rd{vyWR*}mU4fQeUBIS`elwH62H=dqATKkkjiHBK?#*Fl{NuAxR1o9 z_{1X;Rd0(HaPSDzj7_pJF8jm5h>SvQy1jHF53)m6ma4E@fZ(eZM80k`>5c@Nn3Iub zGzQqeV+Xl?Snlpcz54~D?cZkFmFiIeUQ55=vw2O^N_D-%cb@))al&Nin1*JL>x5cF zX;?>HS8pze2)+lLF)+`0QeKEW1*$dSml?#pD_7U*lDW_{$sw{Gai=KKo_k#zW&*L$ZU$0}a0vzv{jQe7dWUF3WWN zP~7TA!G#=HN0AP{e_rr~VNJ}%P0m|9oaohOdJ0G#_@?nJ?hXw-)tybzkxX5>b!i)c z+7V6e^alrX%{I+1k^+KqtRij?xr$uAymdlC#`AgmcP?n1Ce&pDwML|Ci$H!`;jNwp z`A{wUApF(6;(jjiQ5#&#{t{h}m7Z-7atyO4b<~kh(kR%oz zTd7+?IM_kH1U?d9Ks_Z%C1x_~^|g;my+V2rI5=jhL}vr3-DkRQL=W5#Sigm^O{pWA ziqO2<6H7gc^MQa%RSIp`maXlJrfJIbk&=q`F%g`dcW2VL4jj8HEL~y&x)dk% z$lS#E275lpfOW6tP;3|B~G<+P}#!~>?7j#%hFL=kNiZ2nv;cN+@E*`tRSB&onw ztXvD?qVG+f=VCs{Vq*Ank^No&dbP=3fW4|)#J)MXUY7fREtdW_OY7aid2H1d05nAq z%|dYY6U0jSWz1m-O-zS`GY*z&viyiQ27EQn7XjOosX&$maaWrt<_7SrKw*xzmPP}7 zymd=f36hss?Ncag^fBO8v62Vpl1g>+*5eWIs_(qTs(Hdd*}T?dUq_%dr?s`&gD8nX z7uk4Mq1?|3IULbtR)u~}%!-#@`~%Eu%xEib_Z#ivYUQA#{6rQ%{e{fV8BAW7mZ;Q| zK?@n@$U?hq=wE0$d(d?(ZvSrBSIl0HWt)2X>pL8@neD(3+IDF~zg(waRLtE!ahG+@j>{-d>;8 zx>Kn5bb@|VfTT@TQ?a?N6u`eS)yjHlb45dpc&&R@R#i0lu6MC80Dvm(!hbpBtg14> zzXcdR8lMj3HuAhmzmQxqnTk6nFFCP86l^X=C8BpCc5urZhBGGXUP_uIO##7cSPu)% z%1P0Eme57qlDAGK#QPN|k!MjyA1C*&s569$!}cG}Y%VZc%AuFcg%W%f8IlX;6|`vU`7B_lqH;9}*0au~^3fi{xJ{MuoVTPgI>PB5yWs?99AP7%sKG zrv*`?2W#EKXSKr>e~cn4cvsW6f&d2+uwNTZPmRS@dHsyv&9vCax`mb9A4_wV1bE87 z#l~mLs%86XWaeB;^qQ$oKJD`X;b^OD;t_Utv!c~KYt4aJm(RQ51+1I$Oh~O&b=2#{ zy}R1(?rO=5;^&N&qMusv{lbb3|wLa=oxRp-oI-%gqd9zl^0`*Uad{3%>R(v6oF;I9dAGG z*L5@^tRjFx;6t2g7%%-r^N$A~H1DXTCihlsuEc@BeVg%{(w(R5Y(G_bE82Sdl+g|A z>B#@ZmZZh&!iMMyrtbtI;odF!GHJlihAX?tJB(aKs{h;P`^too1+CR#@p}ME8hGKM zcvH_9g)JK-ES60oMl`Q0jnv3u7;0rvTPvbSUd;;0tvWzd9#m1J-RZI$VD-q?tv|aI z6#C4p`XO|*bbBsT09uh1`mWQ?S*-uHU&f?RLrzl{G-vi$+q+)cFXZ)2b1kh597o>} zEJ(!h_bn62Eot8G0>_HJ)j62(4X(M$%Z;2$E}e-F&w(w#i*F1UaLLkJueWyQjLnX_ zCa1R+eUZfLOR^Dk=tUFzu66oqWmixwC-9adq_nav7G?%`$1et?eVk+g8?pQi^H4yy zzk(T_@1uEx{FY%>35rIYW>`eF)+4@RfUM~^|AGBTo9=j zq8OY`xmI4!>veysZh5ZHBsj|V9eyehEa|^*b@V)vxW$>z+8AG>4JYFsLClc0HreP8 zkno=LEvx3+GakTe9!Ia$?RcE$Kr~y5`VYCV%*V>QL+po*B8+Io61}Xo=M^KxdM&{? zP!&g{H@mmI{tZ500(D09=s9{6q;(Mv_VSeqy{SkSBPTC*OG{Zb=7rIu+F01-dh4&B znV62#B#7WmEB158*eEbJu1_c@iXU?z9h%Pxzc|$W?aKf5Et;?7_Q)DVItHUnl62#wQ-%{y~PU=&drz`VVreSnOqiOv{iCSr^!H1Xhcv*)Z{e?> zlPAdgLqh-8d9V9ln%U2(Q#iIQ?z#W#u<@U9fphT;ewSUZA8>mW@)!B;mBHX^RrY&I z^s#~dn(%UkWI$1?6tz+nylJBdrz`DGB7>2&mS`6m4P5Y}ia$ICJ--b;VQc%E_9;w| zJzM%+;wzU?9xCuph^2NOQHDwz{K`Z5TvShWGf&5N9iL0E47<*;b&Eizq9)6+G_9`H zpjJ$FkTcHd=H>X;81q+#yp6Zis~oG(*v%B+_FTeEW0M`BB|6{??4)ta#l<-ma_8eU zX_l{H@~!@M%_3XXbQ8#it(PGzkJcT*gQBEyvT{rU6oibBMJjiKxhFf|bD*Mksd)G(Lkat_Hsl$?8buYOJc&Oq zYZykOW2_hN(1C>+Rp<9FQ9dfgJ424IPE=bU#VgCMF!q%hdXbY}DQo@Jg0$~itA?gJ zqsm0G9%iF$vizjNKU$^_@{O;^A|F9g6iW zDu4SdDJX7-{{%H^>GOz{+%tThMci!ysldXQ0roiBd5hyDa!DRL{S>lFgjIR9RGRyt zFL3_7%O)_Qu=uk(f)DZ{cB@i3yVAT0yWqWl{;~D&30;mPz3Lxkf&&L5I#O~+t*ZQl z--vx11U0f&kOuhJJwM3L-qOBQgBHS61nwm+yJ+UlnLR0Y-+lu&CLYhLuxP(r^-_}T z%>t3w{v_5a_~OodYTx+0@;|%dSJKvfuZRJAG5>=ts!vfCkEiH+Xxd=_R5*)yQ#fl( zBb=LcIq+Nngt*59XX-C`W%ib$??|7!J^N`4Gh6MlKP=WSQ(m@8qwB3uaguTs{cpnPU zjn?Y$OPd=e^rD7?`Fk+f?K;@YQ=6H`H9(f@ImHu|!Shy~`sG}mF%DB|ked~YnH=S~pZD9((d zJ9W-*{t;hq>4!)VW)Jy-HzotjuSKez1y&!oUE`)6z(q-SH@`X0G5d&n7RB{F12t>N z<(JuY_W?!a`1==ddt5hrVe&y%;Ts|%1Y0yDCLEa(3u#_>2OSm0P%Ri@K zI*rjkq)8qunixStA7DUM;Vi4dNxkOH%TL~A#%=TC>il^I+U43q^OtJtmB1bkP;dSD zK5M4X^bbj(U#j(zWB8DZV4`~QV085!+iO%z1&-ohtuqKd7jdvJ?D$?<+XZ6oaf#HA zwpHwRcOyqo&(>$l6Cu9c7S|I0owG5W_QLngR0ois6)B$p!7{%>Q6t z5H43=nu{-fiuMv^64IO=VPsK{WXCwvhHNfS5BR;B^)BS?wb(FgrV5&72o(l%VTA%g zV+MBmy6s*Tc(Z<@ICEdb8eIGYS|m-v76G&1`A|O)-U&5@{pLd{|4$_t3zqTb*(P8G z{OMoQC+_}0W8jBr;K#TVmOm!2+hG=1jF3l>mvHn7Y(Jmv66Q3mLKsD^2^`{iMY7{5 z`ppb!Lk&YC*0|xG<}tS9y#_Z3?2g!h1cS;8uW7xr3_N!e{TX4J5Q?mIV1?siG$qz)gwLIu`p1hSr^xcrXA->GG%5DI z{(6(m3xKfcnMuYou`sld$SBnQ_}diBN&*&@b=B{*ekW1Pg-b3|5o(%^bn)5bf`lC0 zy?X_0JEey4TO;n3Q`ZtmzCLk};+cQNKJ%DT{QW^)RU6- z&C?Qrr`=Nft0`=>e${j&slm{97;5UE?GOEhU^d+vmoM&o%LrVrN3vn6k> z17wtksre3^o3GTX_?fquU%NU#)f($vi#wWTb%7zI1H-2^e4m-+%0|B7;SeFUYs*qhwH;F)&vG#$C3&Q6*O*14TRi?z9HIMJ&Y= zKW*E2SSNvrSIsZnUHZ>Da%nlFA3mjHribL6%hQgHN9-sIcqB$ zW3VZ$2T(UrX5=>nh-cQf4nt={vmAt9X+kk3($oZ7VOet3tIcVzGSxteGg(sg73@Qv zkPTi8aSTXL4ezDcthI=A!?zgO5%bL5t7S%P5Dy8Sx)dGIo3hNXmdnS##om)b4_PwkT+cPR-$&J_9`*8>fz4i+}Sk0fP%s$bf%lbo^=xw0{oK`-{H z=B0Q}NXEes2v3e7K*Q!X+@r#2K9WFvAyz+_vwQqbIK`3*&oGs*adtjMGHxSBH8S&H zN8KV$=v3cgOlfGHGGd92(gjxfuvOINk!##&cdxf`|Ib^LhlwsjI7XEJBQc-8j5l_l z;BRk)7TgX0TXX(PVNkSo{nDZIYgU1#m2g-rYrJ1FrQBJNN*d8?VtZ8fO`AEb3_92=k zR)#9wFZYK`xxoV=AMA}PyikWxO!}E3Z<^;wd6O_fqIV@2 znj4K<@Z(z`RwXH__4zm+-+4hpH*nK4uDAnf(p8h&m1445M2@*xX?3cmB_eVbZ*lEyu1{IvkGt4Tq)}f~A<7-3?>x4Jy9nZ(!c8tJt-Ktzov_!xGS*)|^5nLj;`U z1%hiTR4~F2tl#<4-AqD;u?;&(S9(|{CFY`O_hh9EY70PPO~V=VscGqugiffh1T+`2 zv%Ce|W#gSsOz!bJeK5Q8YB}{38Fg96ZpvWxy1KsmEJGx zZx9IoUYOVg!3g~xNvw7Oi+qh!1_Fh2>Q6KM{GImAo1zB46=wD|ik@lWXBO_dxQCi) zIi^x2T}&qPBX2?z90=Ai$ zUFnJLo?E>&-nNpxcS3l+WW}fWur@M2w~C1ejn!EHV>prW$3{wf?&Ja279AajPT|4+ z@ciuhaB9nTdR>5uT6E>;;L8e&rClSo(5vVdcRL-d6eZG7bk&dH{_(1?t~f! zqn@_dMc5Z`Oj>y%$ST$RE4x&a*w1fssjh&No|Oj}2D>A?KEJ?)Fo?5Gc%KAx10K#V zm@HCieN6?l1G7xb)vv)S0nkC8r#+F`EhNTA)jjF7klA7!?1z#iT(yhxZ;fP-)VvfxiB=iEJ~6g3G`MEDOy1CbwQug&p5htt+A{HS^g^uAcd0AE=~lbnd5g?Hw^nt zDFtda5C-{wlqXwSL_MW>RtH}Oxk3-}d~W7%!* zPgEJ|HIc>XT|6fWYy}NxVpk6`$(;mLPt=}Vw)7xWdM2{o@9jg4Fmjq^0tP}EU=Jf; zAK!(Alr8joIHON;8|`1P{*TuDuXe^?DE%+m|6L2ldf{v6!w*!QoyGd=l?f+g)3|0= zu;BP$RJIK6brm+%a#NPKn6}j8bFbcC8j7Mn@Rk_a zO0eqFP&~vl4aFoA_>IX2ozt=#VeYTly)3M8hmS>IWfv=8eyQ8@L8@;qbjMVWVfa45 zeB@jc=(gVMKd#@itGk^0PGuk6LyBK$(hMFnI;SlP6QMhD7y(G`A8QDf#RjuPZLmDX zJY|-{Xvi97pQTVb>ze@(+Rv%hevkYn1h55vCEBfL|C*3_i8%y(+m0a}NYb|~f0Br5 zer2eNosj^Fo5k|HD*S_A%EI9gX9D$6M+~~u@F0B2yLV;V z7XPx?m8E`!@oCL2W*xoP9j~r;qXC^76!8c z84ae1L3pQJlR|TkIH~4JdDe!CA6E|z`Ch!FAYghC@+aZ#!q}WSstOr(?{`S~FSGO~ zDeuKID^vzN(%bLc_qk+{UG zfEnGK{2e2BYfLQi!1FZ+r7Dv$UA98KMN;iwEy*(DeQ*feoWuO;B;~Nn)Q2ePQr}}K zpOn97d$=}i#@J3)Xt|kJRpSS%6)PkqV8_SZ$)niRob)ndY6uJn8Cyl~O4rUpK3pL? zNpouWtyg+aLO5?olx|1K$HoFUHVLHZbG>_*lxl@rV~rV~=YinVGMK#RLWhc4^Ikh zdnkak2{jX))jO&M02ki*NgQSpg??J%BdX0=6LQ^OPeI7C>$%raYbPd?RH!R6^;;6I z2?ugh4(Gf;$cru9%Gu$MiPT^m<7uNxxW^zT=Z)bK7dsW3^$NiTz592Kk`I4;C@0<> zv5@F7K`Zv-Bm4Us{71P4LScAaIK(ZS%H|-Z7sKR~$n%h=w*=btswy9U7SM_33 z`djZv;5N*vhm+(`Lnk9AsEQbSs+9TuUUaF3MuaV5d`dKQ;(SnoU2DLdLKAcMqE8)& zB?jiNKj@pNF+W{6uP6KNC3syhKf)7MZ|5gE!+y)t$3T7X|wuH1_w6x*{yAeQ=hP5hcgXY*We^t^40y z%>O@1eSTx;)0g_s-sivcNMm=YA3j-}7e|`fz!uH~1J#4X4}zOU!vBKg-3}vGZGQuN zT5Cv#1>W~U>JKdbUf)$5xd;t5+GJ-R;p`+TceW4=hOP>;!BhzIKoH?6UZC{lro0A7 zAih$sOour4G%=}kw-GPq`p}2b({ z&*u)F)!VF7;xbZXhv@1h@<^V;YeG`Wd%WCU%4>(i>{%Zyn%>rFkpViKiS=R>EfJWQ ztls}}xF?65p>@7{_)L>uA&pMKMDncIGu_NUszApa1&e5 z@^ZzR%4p|8yblQe)V7BaYUes&m;yUcu0v!m4x$-d-Mk^aTFo0HdOX zm61zW58F}!z#eLlN@jl|yubTr6q!%ab)zcN$(StOSLweo+ZP=M6!u8zdVK%J# z{R&IF=SZXN9JNhhd1I|=ZsOV_bL%PeTHCWNnqRqJ#6_-jxzHB(cTeYASnF#6CB>94 zkA>r=P~u5?Z*kKFWh?o8KAAWXlwJnw&xnIWK;#Jpp2cCKtx$5h4t@sI($u(%Ram+G zbyvIbZ(%=ruKrh`m+SDYB9M`?^I#3v>#UNev#`fxKq0?X!3zpkKO0Ed{)c;k=9Myy zHwgOt#Ro5(fbf`WJG%hWN6}A}7i`6RDZl>9@G2>3qsmXAzvm+&THxcpZ+Ol+!z>n~ zzP7+`$w$Bm@>P?FDN#tlYcr8^%pfCej*1g!NZz!Eey-NKZy3F`pq+A6TvXp8w`=|? zL3tih(IkqyL9N++Jef`STeOl%q}GebyZ56*>8k0<*44WD^U#u=d-~e45tJlMCxT^b zQt!UksPk5&vm!R1<_#U9Dz%tTO81r&POu-hQ!BV1(2_IKUSAA^vm$7{64!l#{HfeC z3-g}KpII$Cazvm+oia?}LIxzBY+vQ_qo?nP;@yz`lSP)zF+K9r-zk3K$c?_SQ9`=& z00J)RnKZ81XPHu;X-_4*(I7)Vn$Ur@?<4A>fv$^+!(w}WakaTiitKbD$)f7K_F7&oxJu^|Es9_zy)5x>7(o+o!dXpEfs zdaoM|n3EZP=oUDBYro}L649VzWpWvCbu{0s8B3f(JK1h6oU5VhTEEh18cZY>Z8?%^ zJkn{-ToLNMqw?DSbZbARa|qYM!o>#Bm1%{Rc%ghaDhDfPJc<_y%$liZva5^G7o$P= z!gEAY{U|DQ*uC7vVM%ZxFWp;d(x&7EL_qxQZ*tLXC>h(A$*2-eTtWM{oMN=C@(!u3 z>{cdlO$>7p&K9;?+#TB@@D@hkf1|kKkE%PCErCz7$ zA1zf7e3@V2fstaO7??XpuWvHP;i2t}?)fPDIF|SE+bh85GZXi1Anv;HN*6hUt1`KM zR$=iuTQ{ZLrDt%x%CJ9A8mWx^-)#m-3lc*tcqd^S1z3^ELhw+@_~t` zuAyHP90(qHVzp8;veqryex+qURTAnqZs$8Oa5kkC_4HCI)ei^C^Kr)R3Dd9|#nqi~ zPw>U&sL(QnftTJW+a(>U{<)%H6%w^}&7X^QcPAij;!}wkw{Bd?q-Qn3scTwm!cU$ed9lLN^s3Oa z9I0(SWS6Zk>#aj+AdMj9^wxH8mSkO|jx@2e6}QO@`u5AU6`q*Tr1mIvu#2;r^p{F$ z;yvBE_C0xDZGP-rC`ngjr;GcFLxmHwh+#DzL+q4tLo(s|$=bOdcC(!Ryg+)(-a)?V*UT^blgkRH~jp*nt zPHh&w9p39X?E-a7uGWWOiL2=rlnx2p{X}CyD$c>r0VJSIVnY8XOvx55DkYJaWdZy5!Y}Cibb0_JJ(wL}NEuZcbFS#B?;0Q``bpxf*VJBNrO?zw zZYVYbU2MCaXG>XLjUK8atILgAV&N3e{p+DPn@mQTwAu%SVO#7=>~9lozqS$4O$C;L zx7n}pnvC_|W9gUW?VeH_YCIVkhC|YEhk+%C+EZ zOG89XjpwPgh|h?N^8XN2Oo|8b-9EsvKY_hJER$vbS;ntJV-*=!RjjZg|9#@0@;t31 zm@TUR3qg(4lwI0{d#;l*@kSykwdR!KE-eOQOp6Z`6Xbd(F0OL>yw-?#!^Y=n4V;hy z;qPsp5|q^r)14BImIEf>3ZGzOm{eh(F|AX+LXQKFSrcieQuWzPC+xJ0ug$=+#2D_l ziE@~A)azh+UE&@eglyNcNCdRLCf)QlFjT}8j)Wbcv?g{lu;cyRkzvMXC4UbrT73Ra zI?AK*ol_8+iG^`~5+JD*f+K+e!1#M2&p8lhX!Y+Eno=5^E=cD-@%LDy-oN8hl3USo zh&2h!OC|CZAf$}4ng%w<#lak&s|*fAIWTa<2R9KG9^cDV1NG zg|ENUT5~T*f~th*XgNMBfrQhSeC1c*?$$No28B;yq%z`P>MlK{ z2TQfM05_()%jUGkEn}zdEuQ#B>Rt|0h~B7G^ew?gQLO|2D0UWjQHPJjg`f)EBEfbO zIYII}kQTK~{9S*?OO4bg68rW9`42QMq|KF0I_{y07TE=`OG}($TZ{&KlJv`?^}uzb zs{?lpt+K-KLWPzZUH3NKn-s~*qmdgv@dFS@a?z$Bmp}X-LD~KpeMh!m#h%aA1_*2uydGdW(4*1iC_kI8fQ@xN780me<8l*E^16$S%&q7=uVZN$7<+% zas2V5%jypvoUDt6*Po!|Ng5%=MD3o zNt$3Jm6{ZRdVF54cOq;K^Qi0~oAP5zMWxo6cArpeqgA_(rLI_NC@Xk-_((8e3Bt`d zv`=uOYjIdj&yrA|jU0BlzV33%EG_#UpX9JJz}Jg$p8V2{pJ)*~ilNCH?FS7ZCWZOC zH|i+-rWsoxjV55%?e5n9U~xTo%C>NVHpCISUB%a)wyGPcY#X_gzV zDhYDs`L?O<7YU}hsCfOdvhWkOxBWPik1<*sk8Rvu`fI8APfpJ(z^-G&Q~@FJ{qQPA zKo*iP3+LR=Mc2$Da?^sT(rV~GD<0~T+so_Vt9H9*m`}ymN0<3llGUZp4)pTzS~$A7 ztYea6kx}w|2l+JfD+=Pmk_o!^(|AjOIiBh zF{@F)!koGGedN$i)O-< z^NSUsm%yW%jE2pc3fe-I%cvXW-Tvu8Elx`%I2WZS(p$FUY2tUx#iR2$PJ|&B~^cW^1N59IMd#5oELl^*R?FhuZ)NpDjH|K(1ec?8G z$9ixF8ne>Pz!%rgddtL0hR&R}|44yJeJ$$vETG$cc6X+*H=@8Ut`h4tyBgEdlyO#3 z&mXA;(hkKf)LkusaPM=kwGGL6#B$1;SD7DBiW_k_Zo#)x+0^8#^K_ds23)vbDBgk_ z8>8K|(;-*ZC_8POU4kB~^(?o7qO9$9s$7r-@Tm@l;{Vg6`3z;~%hmqR+CSq4Nn^Ju z4=HQsTeKG3tq#n&&au83f)q^zN#}ukgu&$8?3sbs`~%w2LT7j`4$U1B%ORch8B8|P zk2tdzRQJOp5=HWjSC%VbJr3s-CsnaZsh{xkfs3aKG!&MrWCrcBn8B4X6sSe@dg~C2 z=0J;NNim@{sx4w&jz#<}$t^{y6;lgBRyuj}0k93<*kAmpT(d=Fe!qNpcil76^n&^2 zJ6|8G`v!QmHPGu1%s`jq+YrmFIL%==!^l>2od1|3>0g>;QSFIZ7h}}%x38uDD6O|{ zi7c+jbqSmYa)?20`VW(>0L!y6rGRelHJA+jJ&nHl2lyQ`+zPVa5U|!o5Q;5n*Yl^P zcBmv;9WDu&p5gXsodK{<{uVB$n=m4q^DYi#_Y3|UMWzL`WC^FwZ{D2``{I9^v58jg z^v9w%i1m_N_GKYlexTy>DGmPKbDGvdqnz*)v`Wj~wi{^xl%&5~U5&3VGs|l19E`3U zmLvq01DK?PGD(zJ)HU^rz7Nm$-JQ&&iF+i>IV24MQa(x6)krY`A1Y0?$WMd5ZwSJy z5)FGsIYK|z6@vq#Sn8qY??QmeZ(`O3t(i4S`aG$wiWmXVSwe$p*qvG9jj2P&zy zO&qyG{k{)pZVpAE2lShXcg!zA*`8l%)_AmJ@7SEu>^(BGvSG>Ar6ZCN=s-wx%AQ?u>C{rxq|w=_CmpdC&TQ^Lu4s!UGV+P%=(CR%&Lg%bMme) zv}qsbZ#U;c4zmyUmmb-U2ZDB9cDFfsf zPn%QStou$AhXp-4I~_xGy|%C!01xV}zbIQ28W#&?qirPvYu-Nw*PfT==goe-@RgdMfL4!d6wNFFO^LuZ>#Zu}^Q{+_$4bUOu zJnC##m##e%?M@&wjp{$BGOxP#rg7f@Er)|e{7Bz=%{5U4$1Rz~c%@Oe~RQvoYkNdWt@!dgPabXDA* zl0_q3psTYXO^A*taWGJ8zK}&uOLXZS?o^ZYZ9z7-;C;>8U&NlM*}87U=gqhC1cPh~ zw`uroN&ljS_yb3hl&iWm1j4!C253Hc-G!2A*XWM_jMiPtFHd=4vTNoEd4? zHs6Agwt)S8VuCxQC&tl>Qh(xkN0E9aG8~#FZ#we_P&b{JUH_Q;h2G-j1>uC`sd~?W z!soL?VM*f^yu*#i$_JmCUOFIC!&-TQt$EVt$I#ESbDQJRUneL;{wKsdaOK5#t^nG! zpf7$<|8lqi{xp4acO1n^6*gx!H(c&eRQK9&gn=vEn0s7VbN{Mm;;pNv*BjNumgqk? z!9ch#m(8Bgf9=}*w~f=M-wO5cZ1X?nsx2&ck#|Wqrvmq$C-N7ei84xUGrXl zXrVBSnd%iWYXbi()^%_p@i{vAG>o}Qz*%v3zWp!Zrao7|WJ+v@W5JKoNt|YM?=S>pf|++I-I2wrU8o9dDpr_1B!6W^q&8%8!dak>TBr{+W_q`~jCypo|g-lTmOmL&bg~+G_i&{6+e4iMDmdRQUnrLtZZH0~=c)`vQWcZR8 z^KfNn-YI^R4l)d*t$Q zt2{5xYK?%Nt?c@@o|~-8m&>-JVmSE^N??7yGy!uxf1T1jBM%Xe(F>77dh#p$yIY7c z+%SO+)XjBf=7ttDr$V5MPZl98I%<^Ec9Ge7pmfJ{qDV4K{7jZHy_WObEb8CRBR-Zp z+<2&!p9SMkdcoq7_@kJ0zq@rE?s;4Zrr~m>UMMs?p2!;YFIe9`oruj5`55u1w0vlh zcHK@gqNHg8bf!(7peIy(r&^L3wv4wF&3RYl{$a4min0u`$~dU^9MC`=fxiFPL)cNf z79G;j%`UqX=@nMP-xXU%Pbj%FXyoR%%TF{G8b-#jG?E9r?_-+Dy$ zcm3$J;CIr`inY0ADq2e!{+LNYE#u)!ZK8>ZkBU6Q?;K19WdVN9W*l`+&&ero8%7RcgSh$p!IEfuiS&!HvmP1B*R!ixvEpaKI_WU+b+rV|60|2G<07N)jGO3W%#_cvOQI|lA0$O#Sn=4gv~=+@vbBRaDmz>tCW$zwk}m66|!-t1x2g2V-Mrj5&SsS?Z`7q=ZY75p5qZUO!5b| zs*mNZ&CK9sm6XE)_Zx~{t8oIuKYoS=UGymO%>|W-cgRjmEZhIuwoJv)*+2X}>~EA( zP1-GHya+ER_P}*rHyK)nv`hqdq7QzO3;rMkdGe)6vlWyw@E;-gdy1C96?1X#{C3C| z{D17{xM>R;`0+TdiI?rOqrPEln3H(qv^7Jz_3>W^NN&HW7TihZ>3946uEaa}h3M%n zJVz`@lri6Ljl|$w>XER7lEVbvsIc$DHTRdS%SV1?y%0A!6D&VC@1Go`R}{NL&YmRD zeV=jorbzcE|B{>cJy6ZxyI%~`ZH&JNdsnEA=BK{O1#_&My=;C>MOiMkI1n}cTw#{E z2NXXuu6*dJl^f<~;Qt+kV=LB|qZ8)eThCSm90j(FThYEs?T7+Gsjf|Ueg3u7+~~yc z8elVWiQf`mZBu=@H25{vN=d*h;0|qHQ=rgGS%rNUk)@Epx~&l1VWv4-u3XApr_D^_p)|aAJ_5#^5MWcK{E`+ed$TFWGZ5LW6|h2Zm0 z1+$O*6OQ_RpDY%NO!cIYJ1>%@`b@rg*JAgVZCUJznY`?r&_~9|Hy1g8tSepeSa+WS zYC}%P7GmE_WEK{{R~bifQ>e?SYLXu_lwdbzpP=rASH^~ShNUjcUTlz80x12M|KWXXGsCD0)o7`Z+Y|hlHOjak)uhLmo0I^o#u_-Bc?8YBAb%kY zURFNmY7Qt}f5C6LbsWTc-DU33#_Nu^oV>>bM{5rih|ID z(S+|HoF`b(r8i(Ej!cb+G;uWXgy~7AYK7+6&gVH^s*Etr;R&gCVyfk4{wQfCDXGF$ zilPWbL$}l^L>>32G>jp6FTnQ*)f0|{B~B!{t{=f>4jT4908xk;dq_I zI>=K^#myO&y*T0zI(y}x&eP(t>=XQ8;#4#Yj+*qm7~`ZzyHAr?2SK9P*Dgrk8t#;n;V(hV+fL?@~9D* z>Nt@4v}siHjJI6E7AQJ|iw}wtRDU^Zy~+MuRX+3qCrI=D)B!hOU9BHnyV^Qx^E>IJe^fwx>sgA#4eKzH66t=eYWj>PKUT@wouSEV9fG?->>j~N=2`1>}DA#{TbfS*8K zEdK~2ZD8%=hDT;!39! zOPAShG);33$t-ibj*rVH313y_#ZnBPuKhz=D`99$v;7a(9qX{8u7Pk{-()AU)Ray1 zTxE*+7`AJ$387fo=^u$)acO5ZXmZJLUDA&sD=0^PFhG$13)NXpA68D(Bp2B;5+(h8 zXuAu$8~8N0IqYQ)MT9*cA5HRSt8lXK@-+qZ-x=NK5ri*r4ZqbA@}y=EQo(Pj3ST*jrNgHr0A8Vbtuj?oj_)w*0V^E*sEfZqH;{R?*8mQdo%ifL0f;AotgCU zj$m4ocTT2RGX~``zZJfehe^gwI5E;zYYlS_K;7}&Y19q=;u!t$n)-zUH{qvPT|B=j z8^n*$BzTfkJJLl|Jk{fYZ&6ES*uPyigq0*oJ{HIKi0_guoakUWzmHZ=sSt~A5ybhI|Bah zg83h{e@T{p1k^uAEJc{>+v*J9X$Mx0e-Uc5q{}auR`64Ja^o=>;w?}+pnym9*dVcp zL99EXaS3MJGEX<{4TIfY1gWpb5Gmn$lpoPXoGElCFv(wB0pg`n>5f-(RsnJRG+#7~ z0QMj=?3&bG?rImWCrw?6x)U(W<28+&hX7$vCFxedz?!7)p(Bh+hgY7rdeTE9^eKr-WS+$~3wNsvl>eEc3{#ndBRPVDnl;`zB}(ha zGFGPzP^@)}jnDR(iGNXnVjV?idYWQIjB+%88mlND9aaO*zDBkF5|xUV)gw=gqJI4?iY1 zCg1Q($3noH8x89g-v=dOv~8s}JngDj@$=fHgWl$5W3@gtcfb09t2ul^=8fG+{ygHB zT#kZIQwyn)7FF=~`KF3lZ+iK5ZwMo+7P}o(>#MWMcIe%*5X!`Qkh5;W5zFdT!8%BP z=^xUf76qgngRg&bYoWTNkc$p+i1_VWRozMjd_;w>*6N{2G780Re=LpgPb3mRc-m3T z^V`H7+Zw=;)I;v(M)He3csK7*hMOn{GpPqX;uxLa6oA`sJlP)2>Hob+6SHt zg>6OP)jKBO6U>S+W>re%QOzcejQlrZl=`Z;BI(r{LMUMU5I>yA${|si8r&7VP6e54 zx+55IHg=uL+NA*VoJ$kYXeVdGSjJYY1BQADp_~DDvG`|olD#=EuBooSgS3LhBMB_w zse$zp@TF5J<6TlHy3rNzHu;!LX)h)}#q&|=>tf=LcB?X1xJ_*7K|}hN6W(d@!AL?7 z?hJI(03n6ez#lxf-~Q!ri^a&wZiHivotFyNz2ky)2p%P>nG8J-Q_$F4t>4RUNbeR;Kha!0^+eR&FbOu!teC<7A`;-0NnDbx3h~ z14iQz(sg!3AFz*71Hu%{&i3q@qacjv&AGBTDLYn zB5cZ(*D^r@wjMHsh_ZRWhNa%{*|-Ugv*u6;dCWD~_~@BAEaL0z7zhL*gr5*o76@Tm zKJa;kef_t4^S@4~z7DWvbCdpuX*{E4Ky<+ccnSl&75aZX1D=r8CMh?M^rF;1kKp<~ zFXa;hUSv>G@}}kWDm_FZ2&Dqq!4pwpb~zME)Et-qMCquNJcw{%L&ujVoEx*2{eq*Z zD`8bU!fYg#xbW(@lKQ=MnbpQda+O4?I5Tr|5rW6 zUZp_XB4_t6H~*cFaiN;|S7sP*bMpX;LiH%){8x|Y%OB(@L@BAdYPjBryqp0lQ1KjK zhBEQ!Bs*fc7Rm9(aR#4*^Tk-Y4ow{BOq&uW7oePx3rcj{4VHvf^ZTTyqYk#Jx}NE~ zw2W@#oqno}?U8dBJI=RLyJc_((yCw?nE5%$$kLzmU^ilIp25U3-);qAE(o?^LOq0= zobP{R;s)Xv!6bCS2G0cj{YPTBgGidd(ah$i__ZRB!8i|lk#>rYLl$^CrczjZ&S#^0 zVUk(?3P;_%s_5A`#gN&MpzZeqg9keE(B$l?F>n?JgCs99iu1TzHo50vb8k()K)e^O zV><1yz%}#CG-hLpIaQRxQX6Ig0;{>Hu1Rj7 zZMFJgvkd+c*F5kGxW*Pjg|9|T4|p1HPi5Gex|RY?QcBfGT(RByyOlQYvp+5gmGi-Q zs)buqqr24O;x9Imil&CMgc6b1K`7m|@)=~&>O$|%K)h(OPm2ssLo4Zo|E>uB<-gIm z&$!$$0_g^k9B0h0RLS@?K0i5jCpA1gHq5W1`FrSis_!U?VIE{8gArD3xOU9|y5w5N zU3@a?z@WWu!T)j(-FmCZZmEqTL?=*>-6t5PpXdMlZf;09q-uxT9c2+l-pQwIpgY3x zQ_d&zO7d#PkWo``8k;N3du|%gVdF@3;=Q%RtME9@sJ{8#_BRh4v0w)}1?k~JDe$`w z-|2G?lPw!a^U$3T(_Uun2c2wvNi%uCG2@t<_+=-qqVXBKesW-eXZ-nNI$FN%7$oYu zZRzZq;JWbRh>dW9lR>1s^iOFQ+Jq~VOHPNWOa%>d=FUCoi_oO#1EH=UORL586o`q6{dRU=czbeV&~3Qf zo@{-uk15H^XSsZ0Z)ynEQHc_YnH~6gp}w;X|9NBi7cb@bfoI;meg5rgyF_q;(V)ZH za~P`rttrPY&MJUu;LCWhu&IJm*w>}tWg5Lc-apUwyU9t)z~?nu)i(lBBiI}OJg8Jg z0)-XGPp3fVU`j=)#v>$UC{!hVFeEi%`PFn_!Q)PE_XFXw%yrNdOc*=rbZdZ)hQPXE*Be<%&IhOpm6 z@c$c=3mJn2d;|erW8w#-*`J`E^oO5~5y3E7u5t~FbBUs$HhN|MKepa6y0U;<7TvLJ zyJK{`<8+*K+_7!j>e#m3v6GIyW81dv+xOma#yj7+@8240{jXKCs%FhE&x*XC_ru9C zZBGK5D9_qsN7$e!|EHp3G=ElkNmFc8;&aw31)AAhso!4Q`esLTMMNo?jG?ztw`OQ8 zw2~xHGXb10{D%{l6oC&w80ZZW*%1!pUr<9Ybc~YssL4z~_})Q%C7*mi3n=)M{BlAB zI*jtqLV+gozi_T1rQj`Fo(F?{E0npkR_^u(=N-xqLC-_@yU-YupG|p{fr+V#=nJC^ z*YM$(k(R^Y&QT@%m|;zwJ*R5!qSKk#y;C?&9R^oMu68$(kHz_Cl~y$?GfR0>u_MRz z%H3Z}4_gg6=~wE&CIr&3m z7tw1q($ZP~iCh%*y?w#^D5-O2?5V~cG& z*5muYH)vAl6>;79)Lp~PFC8#l_+$98-5h(t!qz=$v37XwlCX2>-}^01SYwYO&(3Ll zkZ%Y+QRsU*KmJhsFn7^-rEi3iaGrVNiRH(bN8uBFGv4DBuv^k8KYly~ay$yOUzzwk zrdNNbZ%~cg5#?G~Tqx+$!<+3DjWl((0(enwB%)CI3&O3Bhg@3f(TSyU>?Q)e z6(R9LOp(sq#w}34*$7u=6SN?E6dqOPdPK`Tb7Fk`rn2PR-lx&pt01mzcI%#%E0qs5 zXq2|7(0NF7y2zJ#W8~Mc&v^6L&)DAv?8unJ4NJl&bSB8 zt0hhvQm|W!0{gIHI%H^`!YvUgjX}hO51TczgnToN9qe7Wsqr1_>Gtn&L-m7`6@Vn&!|?peMI{ z*`$l-MLm_-6xWxiN1lM8n7Tf-BxU1U)EJ(cQT5l?y*Pt!HEiFZy2Dw z0N+f!BBQI^lU;mMX$&p>(^p)XK9=T)YcE7dAj1R^s6y})uo{sGl9x`R!36{)zVcG;&esvwUbhzNmV36B0h-zMgARaxgmm z<#kW1{736{BpwkSXdhI3+*DQAVlQ4=fM!N@LPfg{bp)BWN)!z=Rvf@Hg-Xv=*>?c( za|{cb;_jGr-4}edZG%m*(@NINfb2{R@~3E%9eEBn3gH0rv}p%PTzA}~s7X_x^WJ#B zk56C>@pY!^sB<{xQ00}dzKqPKMJO5QkmH;AboB-NMRwb=-5eu08+sW@mh`F;vr-^Q zlCXccSQ7p*W4rPk-;g7E*0+aM@moT-JbZNTJ(csClJ&~^l|ro8rDJj>@XacANv|hQ zZTo%CkdQ9eOuo*1NmXF`T5Fi@aAqHD>fpTM+L2UyNIz;*chgT^r~PHT4*g;PxYay^ z$A^Q})4k@>Lk9D5l6R<|u~rO?n!}rE^;Y(zngdf)5bgEc5gl_Us8(kBW!40Ivab9D zH8rO01N-b7^{d7^&M;GPG-2v;->q&;FAW6lw%{r@5*kOg;_hD~E7x-6xTy;c=dg~J z9hw|0c&YCybGYjBsX0UJnHtBn(0 zk~-5Z3+AgmnNGUm25okf7$A%NzMGJSRlncg9P<3UYR#V^u6 zbJFd-iJ^TV@@)6tRq220=G~*P{uO@8sB^(vhO_5NQ zZx6Gyp5;WXGzh{V3dj7C{MWV+4xyBS>9Y!_k@1Eht}lqZ5P^W;pxYRIeJ^(x1Dp%2 z;u4vWbM+stAcEFsBoY|b>Zj6bmIVGJDfP!gOooGK<1U$sdjv)a;OP8LbZ-kAAui! z1QW`MRZKU-_m9r;-;9`DEseO-Mz&KuW3%Ga)!pNVW{SI_jis&;S0dm1s`n%`10=5f zrpP4;dB1tr^EODwT?S=P4}KPTsO~JzKH4J_$<4<)4>L#B?!Je|!Q%45 z+`?ZsxDqC6#K)<283gj^#AfbYF>aI*dVZ{(4R4&oZ6F&767+cDCnh zwk22MjnsV)5;c}z`)M4|g!zPyB%h#jo{)gbQ!7x>@?nCfcsO>k4Z7Q@om$p^v0W2u zo`ODSA;PMM)&_slfwL!7P@+PQxFrr(1M7B`8@IY{$3OelN(csCR!Ax5(^sOILoUn`?m5P&D&wd}pKBNl4_9Aj@DWaL{cwPA0k4UM*s^W# z_UIO{h~Z+ z4urroU{bYLZodE$>yP}c%!%v5dKp<$p$YB3cqC(Xi~rq{gEhU&SFu`i3>L7jxk>qKH`mfMpc0T*JC{kS|AU;twf@4&p9eFGD2D0aC!?{EvC=D z#u?x*`r0YlUgK|bnX%3urz+9R_#keS?F-Bdz`L|i)MrQXyoZoSg4=_R;$1PDyBVD4 z*3RF%)~lC|_F$t~+Fd^$dGR@;-jR!Ap3{D_?Fi;VMLOisyMP%I?cC zG0ETGiGO)noAQp-UG-y=q}8r#2O|zXI8>Wh7eH>dHAocvR~LZ!y>hp!6r}kl&J1`Y z;kd_Hq^hMX1;#H^YUxRG3Q*XBBUi%Dbw)B0YgE#fln5FLFs`{Eo)(q1H$F6{K3wt4LpRBPa%m{QaMz-(D}nx zDs<|+?9(!0kOQ(3DH9>rkJf4-SEyFz46T-#j)pDc$M*JTPllzB5sO`zv6$cL)C|uT z-9N$#K#F;0wrdO^$Evd~e_8R8hn!Woqh)rd0>faP-sPGvSSh>E`Z9QwDg<#U^A%-iq zLogl`Cq>kN9G#(H&~@u7nJNr7!aJsvpV*wKs{)LV0nJ+?yi@Dz@TMj5oCH>EQ70oJ zr;6yBSD}q`=V}aOH6w$z5o0G7fo$}0E}7w&3~+}X#(t8)d8*dz^PNdq$MnkDhqsQ<)uSA9S{zO-+O{Lx^_ zkLJ#wdh>ne@H#HRsPZf6b>(x*5~GM*vB(RCmp#ZrPe=Mj7YlK#!PcuQ&T9%p2T}_6 zp@m&Y8mHaGbp-s7*uZ@rwS(iVuZ$)fY6AGQqofzAu3@Z%G{(w{wnH-?3+S=Kv9dFx zD7AOL7wh~%doO(R%l=Z(`vE;dK_cSJ8*b=eO=V{S(;w=e&kYZoImx=3)LhIxh5eK< zyxy*0AB~z$s)i<&)XACRIZ|~MQB|}>v99XIR*lI+R)NXv#NvI zk@#?avnK#(JX9TVgeuoCtiIF`KzPgz3nw->G50VAmYA>%I&5SsJ8eCvDvd;86lujth}rPs39-zPV$rCG#k(~zKQo7u2z#rUi?H&Z)o21dCYmV&cqU#p zoLPn+Cak{$AA;#G-g5=^(05dOKXJ|}U?x^OgO4(|9KeNgo3Yu>kgi&eU%mWac^QFW zGB6g|q9`996pF|5<;CO@B61-GjL~(_Av(j)`@9e8a$*H%Pql|sGkXrvsbuk-AClkY zdcRnY&Tf;4rMzhfhjBLdxMo6AcgyBt1^4;(n+z9<_5P89_r^W=y($5)6NHEI^Uyb^ ztpo2gW~K7lO zpW2L(1<@kzO{0{a*VxzNtEfkU1kO=5INu!uDWy(z@EEnwEVxpwj3Pu2jpln@Bb?I451Ko#$4!@TG26QakBXQy{L=+N;7vUoj8CDL#j=u-d=X@78k8w(jPP%!Fz75$T z8WR~K3y#UFWbXTpn=5pZ)iGlulajI>^ZACcR_v9Ne|Ph|`Cgdb+n%}Y70mlWyall~ zT3ZoKTls6b;#?qoMucPmQF;tm2|k0YX!rdMQS{*C@ovvo-6IYD2GzD6c+mWj&M!yh zQ}nk%3TEh0l3s5JE=sB$Ror=8AstIPyRA3w3+>8`!Uz!uK-Uf7lv} zU$S~3_c#?dP1rnE<@-$3#$h825?!M3*RZWz0#eI z>5kZETf)nrcu&_?9}zv^S_>RRejO7YpPdY?oMSWKgE7_Za-=I#G4<^*W9pm zh92LtPX1=#h2U29RIa4w>CLFx%v#W-Tw)u7TllN&e!iP*11e!QC90y#@S`%S-pO_e zfNB!Rboj*>JSr}I)kIeIqW_`kt0}}kAzF3y{cF7N;$3FbkO9c4wEdH&YqINpbZbTS z3F}yG1aqQBN!e!&#qFqzC#UlG$;4S|L<5Ee!6RtHBSI*ZaFmy zDDli#AVIJf=%sj2CdurhMn zPMJTC>=p)bZtZG6{A?NB_y~2z)Ek@`{(Yt zp>%$j)L!w$w(5v(S^Y8m;8U$rzWAZa9FpQhADyXEkS>v7^w5|+Fo!Pa7a*&{ZSu){ ztNMvJg)x*ben8+dxG*8iI31?V!LG$?vyy^+cPed*Co!tbttN>-;jMx!zcy}wYgivu zG}{V=$CIW%J!eb#ll-d+Z)jvbyLO-;t%)eT>F;Z2ohLKz86`T?9OMA zLof$AV;RhDXVL1$*43Qjte#~!yS>$5IjvR8zvgb?9w?iL=iNahgN=a0Kut^ebq*x; zC%J+#iMgR4t;!@HVsvKM`jCi?v|UqtAon~&(Z)BAf_1P~CYd7g5wUJc?&>gCc2#Zm zT7tw+>hvDxoNyzPQ z8Gf!xS=`UkYo7OU$xpJ|eH4#b$8`Lr``kz18r}px3zo zgL9jXle@vc;zNjzmNcAILdM)0W}q%m%q@ST9ujJZqA`=NdIeTMF>7&WlGk1V1QVaX zv>>_ zbi!1{LX2Z;r5*q_&GIa>r1STwb9XBH2-|*e9UREZP0nbteANxJgRnVp|$fwX_Y%{tyG+9UrYND9I=^77)y-i&?QqJLdQ64#_!3)oqr%!aekYb z*aWi8hPQ}0OeK2+&>c8W%_BM$8rVojZ8IVaQ(*xP_EZ>R}Y96 zCm{|#?ZrZ-{b{bPj|`>Ma54zg;UNZjTC1bG^wat{UnQv_CPxe!G)tTlZpyDtxe8Pc zYYM+2@xBphRMaZ|JSocEJp4Y2Pc_PIOm!%lpJeftR9*MAlz&iyM8qWym+K5C6^!yaE4Z5!-b!QdWOu-zwz9^XukAQ>g- z<(61)Hq&T85?n!ekOn#(y4aOy!b^jwaY-w582ADj3&Uku0!OS-^gQYcqHNn#M=>>N zoqZWpdrh-`WvnvJ1d{($HJ|{%pUfWjam}SP3}4jQZM2zkmoKN#TCFFPPAm~&mO7DwY<;S4sBuN&Bvb=vv4hwc3(hpB4I`PIr5@8n##Vzfmb(Ugk8UEUdK)yz$c zB(p7<2KAV735F@`3y@9*xX*(DF%~oY9f7aV!a>Gwzwy-|A9W18(f{eF;AP1Yxqn#C zUY(-LoQ4WFz&S;{no~%?noj~f22@dfz|9s)Yq0 zFk}@U9-`W#r?&g%Bqkf$k$u-k`x6(Bs~To<1dmz7DDrw(HJMA*O9T?@h^yn;E;jO7=y6TC$Mvi%WXLEqE;z+i6YJw z%o&**p#h#g=zD4UklK2>(lx`C zP|?-ml>V+Mxy?5qqWM-#u{`8Eg7R*0AY00s=hZ>;@jsiI?$w^9A9gf$WwFz)`O9gO zb4(x{3HSA@!hAp)dhMqgYy_9LJSVSP^`UYx=t|m;bZgs`Nzy1rhmZt*gNAGA}cfsq)`RS+IRNpuYA_OAh+aY)uO97-qICP=ZJZ?hkfH`q$D`o2rcDVci zZdhRWcT#aNAx^9~7sB5LxTag4*_)}W6_Xy_-R&jG)Z+Jd0#|-lZA~SA-m%*6EPJSh7jGdEw(-{brwZ2+vL~a+7~zf`h?oNok+{r?yazaa8qV- z7fTs&y$T1JaVcJNv$0|BR7FNBZy|8G9}ZABh)GU6oD#}~U&&!`KC#r;H+gb34sES} z#wRyrwVJUmOKN@;<=9Kv`gCBJOfsGV`#z*J;f;bqpf=VUV1Ti(pZZZDIH`t(;al(2 zHbgq&DJp)gjiO(T1c7TgZ~JPgOyIuh^VD^2plqeDe(XpeZgH&27Ar~DHxZ_|hPWdg z43}Te^g$hc)s#02D)Z1|Eir5iB9Oj2KapbwBzNlcKS3Q>_k0ULOh|Wzxzxtf?-q*? z**qbTgDU%Tad>xOlPEVaAVvJl0fQA$Jtj>qJ_`p{S4T9-hK%`QS2}VR1MO4A>#lL_*brm(AQ^_ z^#6X2hayM#zaO{1Ccz`o-UN#5(QCJmmi_K($RGRtz<70J2D&Isf0+NgvkyWogdhvU zm&^qRNYha1ac^JPDzN%2%22h1OcAuXCQbG1P!W*2Z3*Lt{JllR3a}9yCtSZ zS~Yo4Ya^EOt@LFwaa~1R2``r!UAo>q^4;+DOkqWMQxk3_9=h|o6i-)l-x{HwYZ1{R ztdV(UPHwX~+rC{OwI+k%rO1P!GX|*hTYR2ZiAG#Xuy*HmLHC#{?o%q}#|cSf2Z;YZ zmL`Y%3Q4TeICm0JlcYqPW(0`M00ofaSUv)vNu40}V78O)uqqF;j-HW0PE^~Gek2NZ zNmlmUm{Y;FhM~6tlft8WNcSdELv+0P23`?|NONBpf8$qO_^SG8*|&*ga2 zDa-wm_>GTBGUB?xDrFH@ClGu%mz(-N&;O=sIp_q{1rD4~ZGG^2?Ur=+;rU0&@hXro zqLScc_^Ug^7(%^(Wd(){>?@*fdY&}a+sCks1iJhw!#j!6-q7`h?eUvcR)raAGKpy# zfk27pPSio-kq~oH+>XaYH~7q8Q;yZJX&2vY}aNzeu>t`9iq z4K(EZ?X#!Lm(H1{Vop17Wq!bnWgeqg-gJLnl)o0R=G5&pcZUMZx4JS`h08sFF z26%%1qE9Ra=B73OK+3-1t``<1SOQ%m_Fr8#XJ3$dEKANyjEb}0fiM#tj=5)Ax zfsA@l+5m&~k7OM`u(P2X)v4qm{jW6;mpM+6ge6ViO-L;vAVkSXB?FkH|XB6rUx?LJ?WGV9er%QZL)^9U}&?X4t_-j>lr=G zzMS7@n338Y39LSIA?$D1I(xd!}ED#ywU;&F*6 zdil!?^ysn`@+@p13c@^~|8W0qT^0vZYw5i!Z+D>xXlw_YgbE%od_d2iD}QN#%Y*_P z@@ywsi6^&Z$t%MN#HsqLl=4M@Bqg_FS&WREbwIBpZ3rOVbj9M(kq|_E_UBgVW|u~u%&9i zR+cQl4Ka5DF0PG;BCf6Kon@IjR1m7Q3eO|&G|oec5Ve>}TLL+dCjs*;93Z#PXk7u= z!xQ-=?7`}B3l!#LLwS*VJxY|X*OyJ_cQv&f|Fo1^U2NLU5?b2tnM-sPc_Cc0pDA~} zDP1L+#+2xIeD!%G@$+K3AcYcPf|4g|oaWlfZ4&x%OP3~VB`oE}A1qGN?_X4NhuDLB zO!Dt^57vb1NCR`-oBWo^!w2AVvWc_ph>Scjd7Tq5tAsO4z)`SLQLdpI?Fq+YRz-^4 zCkHD=D04`oTY^L=(`3y%QL7c;f(5Z^!MKNT~Eemh^Vd%(9+h#}CGj#!g^-QZR{zK6{n6p&H#ll!qD zVZ%d65!juKL_?G{T#ZD2PZf;uisNWnksL^t1tDVXs4oGPAqB_k_6_XN;rD8(Bu(7! zAG~D~HTbULezkzeSvdsfK7v5_xEwNfQs2&uD+J9d%bT)M17K63X zC)Uk8#wkA;D;UJ@j1UR+I-H4yr)HD}DtX)7Bl67)!)*(hY$I81vVZosyRj21+X5lt zQ)}m+9CeEmn_HVFFPNfV*kwf6iXtl3yB&EZoUBv4k;XF67u|*;&nw(EP9|T-OE(@? z-mG`baOx34oaB%2UzG%}h40>07=PdO`vtzPI;nnkdW@|fXn-{{_!;P+B!sG?-HUku zL?_}C>=47aWR>NHfh{2J+4}|HEN*U*f1_2Y2bB%@*g*xQRAurTKfxZ4w$X#UYaNB@2@QcaNq30gFNy*rL1Owr?NL`!K7RvWQb&jnxT{RFVE)OMZ*IEa|}4v zM|AaPh@uXGBdx%?!AO7`y8geDYJcul$pRVE%)L#RUTVDr9CfkGvRZ8MrVM8jl;D+R5MsntC82r z1amAX$jJ#rMUFv&zxSfttBTffi@r(K|4#q}fp@ngPi=MNqP8k}{=&$bKQK1w%m`)_qi3K0A5RxgO_LEat?y*C@k zlW8a1gF#lXMHR5`fHQ5hFYK@zIV#E)lII4znKNo2;J6%o{OO$lHMmB?04N5{`4cFXlc))=8Avz$bq|N zP|n?D?767^7c z)Bp@P$pD)F?b20Eqn&T%_go~2n3dcO*Bt)4n_&jrN{w`bR@jG-w#w|bRLt0(_DgoE zv;|Fb23WVuoo(~VpoTOGszsj+U?K-5`{tnAB`L2}^h!{BYt$AvF(Z-o9I}Fh@5adm zGek_{q<<3#p#duH9O|b^ai=QXT>VcIwiHXdmMcE4{gk8BvZu+X9f}Sw_-r?Hq&q_T zM(-dUM!mthmN~5BAuB$*478UL#m_E%832D-?gRDRJ}N{&U$-in<{j^7g~|k5{O6OGjC3 zW<`l`kGLfmui=ugT|ubpttGi#UB|flxYFIu@hRLPPx=IY8IKgjRM~pv(w{I7d>JN8 zH#GUMrW-VNj22IH^j`6oCqji^zsO(La$#O`A@2QB2uSJvzZv)cFvhK3@YkuF|H&AA zxe&C8ssltHzv1XR+ccA}LoVC3_q?0FIMn=!7ps><>hp zPAo*flfM1v^oYe&Ck#aos}F$5)1I#Q_KK#rP?p$FWaQR{s&~*nai%M)7ymhe9_!F4ybl6(z)H3W$hY!0}$J2 z%9Wj(#EGEQT-+CR~#!%Z%gQnSg_sq(pKJzs$fd&Zr*td-N zOQJfYe-gQ=2&pXnqIk+OAro_MarFhC?SnRx9r%pD6As-iD{do<8%*{rlBSBl?7mO7 z<&60V@q)(YK@sP|tY;?Z!>s9oKSX>7KWPchF6(nHT^=XzrPu1Nu09V`mR)WCOkU% zE?S;HyL}!nvzr4>;w;j>joH6uGLI}TuP>?F8i5uWh6B*4a~%ltviqV+>j^7Tj0-F` z2|$ByzSutNla%4MfyOA(>$K4?bXFbPSM~js2T)!y8Ofp=ZO~!HH8wxMLqRX<7?vbN z^BQJA>VUT~xTr3|D)+5h5CKP-b)sy84TX+|c)Q8{u33D`jB))T4U36%;C?BwLINQG z(Y}}vFwZj_nEOqz2UDnSh+gzau;}Zs6CuyHIpyDCfL2wTFA@K8tj8X}!!}_^r;oRt z{aIOTGR~CL4~Jq5aEW7X7gMK7)n=roII}W2^9#{W{G%Oj4RYqKh(>%#j2H0_LmB&) z%=g9m)teT_g9Xt`voKG=l)qP`1@EDYySb5T#)XVzw}NNc!5G_+6_BxPa#_YMgv@!5 z;Nh*M*EFtGb3s6`;QoC% zoLsx^HB7%t_laA?5dBfuJN3Fna}3Fn!zY;l!ga;*_o9ae^KTpUw{=*+Woal!)ZaZv z4&3at#P~MXnXW>TITFHKU@wC3cL7bg^J$@(z>BW-vNtedqzWE4UD4!nxh&aTDy4NHxWE_rCGd^*Jwhfd$CHL=FLlLa1Rfw= z1jjSBMrDuzl(UxW)D7O>wz#;!v)3ou;rCLNBTB;(k1PrZBBu-wpy67@Wt4nJ^pXdY z`_VWUKs5#Z%VJljM&VQE5Ibl?I<+Z^9VmEJI6KykDAx(a-N6%|8!e;4&R4vS*aVbX zRUK@Oj!NOU?Wb@o-0Bnm+EGFpU8#DYISeRZV$KX_jChhI2_8g)HKek zd5z`pa@=|WAurd|awb{BvVB-SyAIdOwqRA6<{hDn9SuKJvlY=5!}E@5)gV%d%qngI z33uo(??rT@*2Cp|HhI0>E1TxmreBUYXLj`A6`66uV<}Pd-?-UK;!F`ttvG?I(uDii z#H%JFAGCsZ=S*kZU0Y`wOC}%u^g+FK0n5EsuV*rkf;J*t>;7i+{}V28YW+Vou#^A0 zR7hIigP^s2uqT62>ikex?|>NPVB&+}Pf~lO*5V2oTRr|9>q^;QDn5eyMs$B44w6G> ztidOvCd*T89XS~b6^VBBmk_`IBxkT9^xn)RSMmf?UYEI-wH^>IDGj&n1W)7teLl_| zf6E(iBGveu3cO}^Hyh;dxM%uKcukk5#!9HV1*fxWwyA`S7z@-t5JD4#yXArp7ifPS zuWk)Acm4Zu?8bOrQjaHOtC9qNtn8aWqRLX_VQi}_U9B|4@$i#^#J@*Cn@It)+}KyT zkqWkH-}!Y0PE>0nPgz5f*eGxe0{X=$kh#a;j>Pz!;#eEPN$m4wNi!^@A(Gu?g>^!qRnpJWK6=(3FfE6%HIeBonMu?> z#ntpoAi@;gqXv6hvCZS{&fmD?DF!-IODx}w!xKj&ZSl|FO zz?XGJbqhJg2Rt1z^7Jmij-eq#0cSv&y=&A~gs?6bAd$Iz6Ym@gbsms?F?B6FmhUL$ z%!}^1XybXbr%P}-5^{`{{h^c*$66n5kO7Byhp*sePoC^;*22WD{2*Xm+C8p^u~vR( zIf2yidvBHhJKU0A13suuh>J~sUTZfQG}Uwdh1?2iPwOR zz-$vdE{pPt9@j%|q2e zd?V@*7qMVvS54(4lgsqJ&roOXVzXV|8w8AzAz!Ir9|$#7t6Lp@#r%&41~?xHQ#2lXI=f*yd4eqbN*l7B0Z_JyyFGYp5_^;6n584dhG`%J- zA#~2!C;8bP!yg*JIYTUTl)dB8eN7$y1k*o0AD*f!TUviJ*J8`7DYwi=W+_q#4|1|h zshHT&(qsFrxL8^CMPbjP4m}Ssa-|A_nuI#B7XN1DL@cYtsHY@T$?y8=rm+4D#7MZZ zatP5GxH~2<=CggCpzH1dyEZz!{7xLq7ntSd&vistn2vp#;A9+7m)r`vh%wOa)+R6b z;`Yf3aNf9+4is>}YnNl)huN+PVMsYrR2R(c`odDYJuAz?qCBF$q>%B>`F$n`_+7zh z%eI$}ArdldX+j9@j`=Gc9#z+=>?^E_u~r1iOusUb=4(<#Rc~Y&2G{IO`Or>nUl3>H zl8RIy{zJ;P6PQC#1Y_aO6d}6J)s!JP$R;hLM@`QaX5AWZH->xH;641d^ZA)3W@t%O z&$oKp!^YN?`pH}M?I0n&_LW~|`c+>2{EbqGc(9yyr3x2?qiD?#F+VSSR=e(lG1!Sy zrh!65CaPrtU7|#0#D-&xFsNhWpuN(JU;0ajS@zyEv+u%>TMfbP@8C=3{K)^qBPYPo zw!b(MMPdF!rqpZb38}Wl9fyOA&lQT9JxGpn8Bkmgn;J~G(c(pKdUvgW9|8>aX^|ApBSaH%=hzGu$tm!&aN;>EI{yK>q;~rR_ynX)+4h zTJd+&V98A5If7m8NsarXVYySU5?%J@YrdpO=i^$MxN47z+lINr|I~)y->_p%E(~;L zz97WsIs=CMA=SqkO7nLH`}JX3Elf9*X~?JibWNbRj-Ohf<)OTW%Gvn&uP_Z}sd4%n zA}8c2w@WhiE3ghqyd(QFL7#oX7BVN3q9PLW)XUu9U^Lf*z-u#7K*L9K42}h{{%DeP-x&=IyA{fB=`;J8s z13Wis&R30m-!l~jM(M^Y1BBhTU81*Fsd6iv?>O;|{yWX<0OZ8_1yhAMX5!wS`Aq2h z86TCS`(7|J_Iv_HLw9%&*ZsMu-YJ5T@u{LUm8()x1?{>W>lG*8jM-Ov_6|4D4jYZDJXA?%`9M@ zS=C36vEw)l+yKa#f2ehQU#mfeVT~|CPqlx^`x3{0hC?~Uy}%Zo=)G~reHu1CpU6L( zq7h2psx3N2&psX4|URhMcLZx&Nk}x*==-?7{82;#4^?ZQ+Zm> zQj(`kjZBAD|4h0_nP3ecI4)hh!4lFFpkX}kCe3`;oSBlsw!9Ai+D2n~oFelwYjB3RQJ$tXi{^TyqiQZJw0uJb-w=tai>Gr|22zW zTVYRk3m2mQr(Wr9fZ(j5#ZenDUREW2R0$K8OuoyZ_!9sFrcO)Vz@|cqR9o~LQKr)g z(DUOrKRTTOR63HDkuTP<9&TQ?fUXGh`sSS<78<%vA(2`Fz@oLQC21fyTy~lO)O8&i znR|fLwF_HXAfuAd;}cdYK|W*88}~-2u*i;fu}1xZwkmc*biD~7Nlr%LIp(?uhkdyh z3YYh10|M?ZK7PZGW0;Ik!k_kNq)0k1w8xv{oaF03CUH5mf!oY7>Pc>`&FXFQqdb4D zf~D@r&rjGm$Q$93ffNXp0GCa^p6ug$f6O7f_B<=^n_7Ix8! zfn`UK3S~?ytdXz7AVobVC73lM+h%oY62=tSz;t27&?a`04ghh-s1NE_EM3gj?# z3DXGAc69O<1PM1Butpo`5zbs9PX%x%_)rX7CHJpWH1GEU=bfdVZuHpm7QkM~5;oRI zGm~bUc?!*1lMJ`;;x>a2Xmx>T{2BOKwF1Mcq*@t%p;1vNBUo6ePdfCP#f;f zw(Xki+O^|k+jdQ^$+kV&o@`B=++^F>O}267d^p#6ulK#yxAgxZou~ zh^ui4PT$C4PZ7N&^czYD2GHG16 z(Q&5C`nn!BOdULNqJu0O56mo(n6^krtC;N{VDB zvlkFrw9h=hv&!DhS*0+=)8_MB&=Xfz4qx08aF2?5XiS*(q?bS;Q1!kgNk8}_u$*g% z0UNTcRytil2XkkS*8c#s&K_y)HyO#Sc{q=lq+ht7bWs)&Y*YAg*Pc!J^L3l%w&cam zr8G7Ta7_XuiIX-Gdin5Ab6;Yz#MkGz5!+LJNo9guvUZZLTGYZ9&m2rz`@U4T2GZ&` zr2Ik>--KEV;RJpH6=Rw#>5?Qm2il$|>Wk@c$jEE(iPFQ)P-Q9ZS5 zvBRp`!FH!i%BKFw7JoRQP)Lx^)mlWPtEX!w+h2V!x)!T;C?ay>@=5%`;!|v;_FcG* zTmCKb4m+17#)$Bdp@ziJLrxRz=6`0!CYYymjsK=~SdD|WlvpVG*lp1CT35{YU~t+n z?BVqq6+b8mHTFkr_||aR9|?sWg28ZQgshAB;PTr_as86SwNL0G zETUIBxLKA?$jIJ6O) za!{QQ7ER+1lvXZyw9=*L0ZPSfisMGR8r2CZynY^UNMh89stjr#xXI}eP8BoZ(aon~ zB8_EKIWWf_W=4G_rcYI8EI+5rr4yrbkZ;N0aF-Kzf=+%(n~r1XAl1aBYny-5pRe=| zdV4vhe5yJJvaQuDDE?p_aquM~zUZ!N$ehx%U$wCWyB(dqWS5;gy+aIli+nX82emRl zuI=9=h&8y2Emx?t&B->H*j5R` z4ne4Cjq(lEk=nXO8C*22 zIsZuYVHm8y3ZK>$YK0MrrxdoV7!J*!1t!!1e!Ps<%Fom(x>#tSih&_<%<;Z7KUKJ5=SC)){XNING>ld5*egOHjvJBD2oDYf8Z-w~yuEZdwq z+jZc?KMDGHqZ_zDJ9LZR0L(aG&jpx>A6bDI7_hO^MC1C}NT%n|EsSV)>R$SC+&ncv z@H!lDWDoVYN27JWLNk(Q?y;p>&#E}N{^X-`>tju?g!b4lU4rvWN^JaZaMXQ0;YyIw z8}BZj7WmfeWnseSw~UEjE-WTKg0+}OK`$cHsxUikc|qo;Nh1ZTnta5!do^fE)>#b!bnnlBM$I`oF*3w*LWGvr zfrGm_duLchnF$kF)9>f=+KHB%@>md;c~HPt#N1H@4W`AxZ7MwSq}FI8v|X+)D3k!1 z?A=ItdBltHy}PhaR{!s46dsOq0vs9^nxgUCb=?dxH1mU`uy!f|^fSFtK1BjDJQkJ4 z){CnS3%JMgvCNmlHGj1a1D6pQHTV!FU1Z@+to0hG@w>WOAi@xWX23 z%w8@DmhAt%f;4Iqfqn|uq@7Lr&n@ImuU=rE_}3&e=!uuGYlOPyoJ4=1?WungO5paJ z-URAf{qju!uT9tuKV`a4&3$6QRKetT1+k&X16E#Y!Y=B*CP;cLzCSmz$f7Dw46+Zx zI2hz%LaJS7-){M(ML-V;fp_jFFoP2S%}C9Eo`jV?ye32er4V$I%D4k?O)} z4|#%iyX4I>fffzu&f9=Nx~$x(-!)y)Xu7}-qRlr>XT-ZbVst18O!LCXgMJ~TyuzNu zT!54Z1TZe9Y?%_=v^J_SLms%_TW{Z8XD@`ldQhR)zW1H!@g z)5c67D3d{^5N%szY*5)2$XO&)*3{O$S1zY<>1$M4cw1j`Zlhb;Xz+QT1P~NP#H_W@CoAvD37@dAI>N*SMnu z^_fup#@{;6=16Yc@$4SVQl=La$onkpK3C2_#zP zf-Q2bcuJS(C8}95&N~J1>cwPs* z+X#7F86IvuKBJ7_nAz7d|JHFK8~~*`pHokB-@|18wcW5BUB+ljNyOlf%)KnNKO$f_ z&!Jo}xJlnJ=MR-}Pj<@KB-FT@6r}#q1>H2~urH1Lj_`P=$Lg7|xZO-BH?^kVQO?wT zPOwtL=N6v%&-1K@ zmc5mG<$6fqio|1S$5 zby~n?k!l0lC)>&YUdJu;HH&)K-(kYEN!hPWFbrqpc2#e@`S*1yxR~M3G}U~5e#2gd zZJt#*wdI`-FK@sLy8T%UxS~PRdquFA8Q`pVBI+oFkfW8h#`CiM=hlWGgsyV)M+s;= z9?3-re~QZ^;k1{7K+hsA77cE;SXhyf?3vL#*Az$}ZC`WtviHkNF=xn21nwmF{4AP3 zyhc>O3`yWIt1^v}%CQ~yZ@pYp8vtWaP49E==Xstm#vva?AlQwvD0H=lPIFyv;;6A0n=lxsU#7 zQ$ur)i4eF-GqGB$PT~TsE<0YwRU?>pnQp^gj2CJ%CrYR1(h8_;E}^b!gR9`u=X24@ zYbv0mD7G!Wd|l~(x{r`=?M~1D2u8qeIypD{Mo@I@n{Jbu*Sz;j z{-`|G!J1Jii9S|^Q^DzGZ7h@aPrW1kxvuI0xH<*0eF#`DLlj-K#Vk2rP{LqtEL#ol z89Y%wk_!2=np=#%X|RU1BeS)`{wpaGj(Zz)#XX~j8DKX@37&S>1x z%21YrZhS4^R+D?8Zl729BhAW9Ap%?G_{Z`x#}d}{Z4)M&^G!d%ym}Yd!9g7*R`A-- zVom2%#qQ>C?cFZ$eQn#rWCHUSzEfw9M)nVrtQmq*?Vd4fN2z>42Jm`+5tNr0i<|Pn z*-$x2_l)ddz1;<&wUn=Qw&5OBG3m z$@e~cx&i}F&P^V!7mbrr=N8~~gaF^3_nm~c zwXG3{Hl?1&#KT)PO$PLCLjyoO?X}=w_2#+r0Ij3%2rJ7blAw zh;p*~Hx*rr{{~ayf;G zC{|!>S^(;kp-EwBq^wfP?l1M;p|W=Hjq@t_bRvK0T{j0K!rC@#nlKwTitBZx;!%CP zsEJIfk#>aB9FuM>*aH&t>o}k5R;@XBIA8yJ_~OS7BC)9Dw&w|I=i^p(wLtLQpF7>` zd?b9coSvo$w$ikWC77U7Ag;DB6Z9MC;uScuIrBYvDIt2xEeFq|UM_9ixH{?=A!AaA z?@=wUFXP_9sO~k9+L!I*+HvKGIqN~4fGi#Ryd+M#Ey??um4(#Q)>IO-{NjsgqX0C% z8oHW@<8#94B9Klq=mze*C>?d}*P`utvLmq-p5@wkUV?#n8;<+RMZoa0cKgC!h)#?! z@6-#QsR@#MtP1b!-LB9L6LI0JdtVpkMq?`CX(QTstaHEaxutEQ@f6>)rqx&D=YIDqR*o!SG{jcqNq4|Cg z8kqvDB=Q=bG>hKQUv|gTrNbj7*L=_>IdWNcXAGF;s%I;+Wr573gBwOQbO(P$5;fQn zi$GZCtE$vRckmF{LTZU59VXCwIWpUB63ML2t)BK-4hc@B08C~eUviXq^4n`L9tWJQ zL3sz+^d^GmViZfv{P9E)+gP-!O0{v?OAhxNlYiPsE2i|1B6UIz)JBgxT% z?(QYGha3|RVYk$Ox>}N84ErEotn~f|M%zJ%I5@GCzx`M~eit9Yn)TJoqmJ9;>9vaz zL_xFbUOUTZN)qa}$|PHdla|rr(Y8@Imez`lW$}(6F?WZUp!q2YsY?3< zW!wnetY~b{Zfa0~Li;nn<~fAg9tYkFe)YD6s~?R@KO3gH-4-Bd?E@Vhjkhz!0+k4V zA#CA3Y;*TYf7^Oi#PYuKMRa~{DBo*N(~*bM>dLpDEJ{bpY0NB8T956&hh-_E=S#|VDTlEHj{8Z`$iC}Qceldd_)b!zB#ub@FB-(bwu z8(U2ak-tuLlFx_87@yI7465Q~lPKW`0?NXOCi6CgY@3=Ss$wtT1|hoMERGKU=}b5r z^S$Nz{Xb``C*v;)omq;0GFl`%4+mbhoI&qXyR;2DCrK2fmHtgRVl2h-Qpu4|5UceS zEu#Z)&<>lXjgs!F1IR$6)D)EGPk{**1coTB0Qr$jVodP`k~?t53G53UeCI>ZAjBMx z21(35NkO01`8<_ncCBg6+Oqxl$S>w4!lrwz-i0k`j*UethsFS}pVnxO&%u7X!&XdU zl7F@N9LK11s>lmfr4m3Wb}U}D#{?B7A&`9+hH0$iNnycH@J@Vi%kvlUiYt4tfERyr z2TUMiq>yBhcuaR@Cq;8P{`kDFkujV&WYJwG&7sqxcsuoVb;0d*xo? zd0clSx24blB!)i8J`J&8Ldh(~)Olel=;@6M<7(V4L)tSHd({G~!Y5Hc7k0xSs#uCc zP#)clX2l!x`6u2e8S+(T%k&^ll=SqDx{dW2XI;+UqTWnGb_Wig zD^eFEOgGZb1p06N45Lu99+O{#UkgNrFNR}dIY_6y3-9?HnU&KF*npCVLLj*_e7#(4 zi$%L~d+Po3SHq_MzG6sXX)7Ex(*ipm*B)lh~)}@5)kvY(3_)@}ylp z2MA16R@O$>p!=wfl;a(+w+;v)nPdO$i~AgtTZ9hgGiBVsV6u2xE+7;ClwvF%&pi_v z;)qT=B04akDJ9H}S*lXwCme})9m)vA+N}U~d!CFER)b=>?IP*a?{?~E_i4&C=Wr=o zBgO%-R!NX>mobf^D&^rS%kH_9&?)4B7f}kdOyryp0S|h*bbXKs>UIGs z=0i20USN{j2taNCQMwLQ7}BcoNPk6;2-WU9hzd_5=(p1|3Du!Q$>A0KA=H6H5J3@N zR|YY4s1$=0$1f%*Sf1(etuv*u9>KU&*kOx4J4a(RliuQ}%iYS>z>B&K1dvzc?i&+DNgDC9d2St0p=sBaFT zc^o|w?L%~0Y&DG0fK&>M`DGpUV@-fgEX2dUMxRjOaI!mfx;%6ltZ>I{`f(8sB%qb$`9-1_WN3DJzHQuyS3z;p-Rk+tj9kS1x3i> z)#`Dz+vBs(;Y@IA>t)F8;iVPnJZJtRb{VJj9uMdBu@19KK=kfuj9HV?#p?sm$!00V z3=Rn23gc1raKhFOTHCMkNB6Il^|{=Vag^u!6_f@czHUiFkE)%Q#688NxRWn15CfUN$CcOvZ4eB7~o4CA|9gd)2ADHB>F87z&!mOAPrpO2IO$!x9 zW!WN)dK;=?MtlkH9NtwgD(>d>CwJ+xP7S@ipMCb(q*k5<(N;ey{(T^LLU`LZMo{xP z?XXJTygN!@PGoP5>zNE+DNWk>rPc!KSE=Ag_GZfo3$5#z(;;2*V&~8AkWZ%$WX4t4 z$=a6GcZ>INl%MLsQkZJsqWh+t{Gtj;BI1269eFotNm+!r+veg;4k5ah@j+tN+nhf( z=s##@jlns)UQyVS7*k|rhR(;0FQZ=j^VK;WGm@Q_cBdcF%z^<+Yp?Mue4p*JwK}sl zQVyQoo60?_7yd?_3ZF#@Cx#REArnKIyph_$3p3e&p$l{{o?63X4PHrG_g1xO*YYFu zfn$y$Zb)g@8^+*KSz`4n&m$6(J_x~+La{$f*_O;BYfj%OI|rJm&G7=$P42j1bzr`Y z2UTzz?s~JN1oSy2hq=<5hj{Wl7^5MRk%P^{WGG+8#%~%$ZyzUg&ZtI@Vvh}fj|Da` ziucl4!JJ?;&JL=it5wbJt0s^NqTc6}e~C648oNKvtbs#5?X4vdi)BqZVnwiF_{&K8 zhl`jy2KPX6I!&+mvPSit8{Yb}gyd9L~5XFsk46WQ4Akh!F;dcSNsJf_4% zqS+IOpbUm<_I^)+3aX3`g-O`>t&^jqPVYS6i#Z7C`;~cs#oU+0w{x8YeG7{3j&7p! zCgiB*fGZ=>?-h1OXh&AY<+j{;Gxg|wiza^4M~&G3OtQ#8ir^StCbZBTvO4;Et%!4U zAgS*6GflfY-ZTpTzo3^n@Mi^=h^AR{Oz$Z^F8ZvC73nYrdALMkz6(8uBla`bBxoAHTewp^|?k`{zqmmTt*O7^8?fc!5d7 zuxBL9DB{kldCi$#ewwvwS9`Q?irP6}TK*&?A`v!ywQ^_^4~iTc+|j2BefvVurL0H%EOFq z8Z6%0~$oq)pb)u@Q-sPS#Di0T{?`-J@O6|EQR&UaVk8k zEEnID{?Sg5GEg}2r@B2CLD#^U57P<$2lgM-(K<@1AMnF9L_7JzHQ0@|X2@3ZG%*U# zMp@i#WsWu7H#fIu{k(r6236NA+)u$|jbyRgHW6|OdL&mQ{*<0JFF1R`WOVUWc0dVr$I#=iZwXqtL{e$qSu*8y2tgV{g@_V1@RS z@YLxb68y7hc(g_4HWAXKU7ECQ(0++uB|(nkT+avs-YId@i?Q&OMqc@wMxn!U2n~~9 z4)FXtDXVmKlmI>#7O{iqIOBi=zJt6XvUT?c*Vq(%AMcIDZ{oqcFMeS3eijYPdrdt( z6_Tt%&3oCFQ;AtK#ak8|QiWPfs;g|M_nU&_vSnBH;dsCe->54AIsut{!#qT8nYe$w z^Z4;@dvwE1EJGpqz_oW#2ZHp`p@Ke!GhB#X&+U|SI0-x(+T$N|=~IzKVz?At>?{ky zI^J$fG?0=e^Mj!y!xY}gT?oZS!+5O-={jzb^0AY5exLn?&>VUE^&EcEm}-toJIHxt zQ;g{KIzVuw=)a{n6iCP0RsZui*2CPf!ir)CA<(ojBVR$FS4?XZg^)dS?ASIvkJLIU zvyZMWB#6Z2%-wq{p6*^*0*49u^6l+4pGM{ZSwvB-q_lg_CdxbH9JmD=UdJgvBL=%o z=+eUMn4XCvoM?XtD;a;8<2!7E=YVZK=}I%f(~s7Lk2TLUJ2fFv#kdU#^eYPUNn$71 z+J@)Hy~Fq?u2}_+=EM5;KD|#lV{AMtEsQyY;?0}*LhmYF@?QRh#1xihb23?RuU)kX zu)9v5!DTCV2me!a2ap+i1pXGa6!%LN6Ol1BXw=Rskl~Zm*RK2ObN|eXJIpdlR$B^j zGIk|cn4*Co;fJT}f=TZ!tgBwPeF-_pys>G`7}TBI$FFD6Av^hU({m4l)pu>OzAba` zSIWq-L(AZ-#8cDB>+kmDh0ph`aF1=1`)8BoX*M)iU&hVup)9n4=cXF9ZLvo6TVglG@j@QN(KwWc7??U_X=Ox?Y14O zuyd0^Z0^T7o?~n0#|073pmDibz@M*AyyiZpOZsHw5akY-fKI3#fLNegCc49P>wG7> z16i_HTAph`rV;Sb?nSp1J26Mw*OQt<=6Ighp$&7y6XMEGikX`Y=Lq-dGGcxMj~dN# zh4~;@WE2{-U=1-C&(gz$hlKOpTjjX?M&PrnLoEm>bza5%GT=ZwnURc02T{nK!&D0=ejBlc-%B2V89$$jjIknO z>@j~ri@zIoE5=XXx-ALlGUUXR{5_WTP1ke;wR!Dy>wBhwQ-iYbWNelnSS?{y$^XM_ zJ?)i`ToV;JY8XC^1N>(;5LKyS!KTJlZdQJ}-+y1qk#}+C%U;QC4ohEc(Q0tVI<^`H z*ekgNgb+?M!y1(%ux;>~Ll;mCbd(Lu-)_0KZb(d6MBp0wDJ7O1Acv%j;3>nq*Y_x3 zn<|#Jx0<33^+RJz?5(1>u0@{iMyqL~N1uxMlm8L@k6LZQH`%ri{Mi$%T(8q_^xA1Q znUzA8N=A*7EWi(mrPr|Wv-t-@(9?&^>s``keZwi9-356;z#B(SeX-_gKp&#t0;sdE z8kuS~>u#t83A93wnJgK%Q4OWlqpT2(0;pF-aK0<>Gf=B_GjnH2j7@{5`yw z3EoGhAZEUzbm)ZHUc^6kUv|L#pJtwRvor5})QubQQoUla&ZpS0FEf(DR&MqE_j3bR zCnjQSL&!^~4N^_Jh$?@LJg`%vvNNLq6SWf4i`|KQ;RSAUTg;ibbx|iTXy8nBtYKet ziW^sggU`_)?H%0u#ZVk`2W@}Q_*_HB@9#QZ^#`Z1;FV#*uf{j*rtjZ^?C^4qc0+%N z_vU|9jXWKI@CR>H`;=Yl1Z;D}|Bo;y8|I15>c2ONy&*8PK)4ID?(ryVE%i(61zX|z zJ=GquY|CC)Am6{Ldng&eqwX@q+Ek+`dB6h=U@?^qKT`KEX5VnCNZdMv{O63^k4IQJ zjaMe5r<#(N8g(LZM9ZHLyD(jGW8#E8-}mx;g?G z1VSWt?RM0fCj?@EkNLf)W@az^ zBfO$HB+$0H7Vj)lh72EF(kc6VqS*!R5RSJgM7RqYU!lpFpCn%hlP@tgu=o}_`{l)c z>Ly)BzDC-ApbZt$KaR{gV|CkUnEOXY+G8IZ>bk+ls@CIe{eYz|@6;?Hq5jf!jUlrVBi>u3pVOk{I5nf!~S3YSpBsT~&S#J`@6pl(kfX@Uha2J2ZVas$O z1E&)>dd*rrZU|l{_UYDoYy48XFI=naIFtFca^FxoPg*_Jmr41}dHr|a0YXIqXxk>M zrl}}&;_r}sMDxRa&>{`mWs+P?{IL#?oYZ0paE`DCq~rYC5XLIVeD?$>14FG zLBIr=4>Bj0WI*)66s@UXj?)bTH}p&kh&&2a#+uQd;62KDQJrWy@Thy?RTs2> z0O14Xu4_mQTpZ#U@BUD}mI1jufU4x} zzZ9p;d!oI6RDUOOf78-d%9w-jlNhlzV0KbKnx}f&o@ifD-zjlpYaap%$FC|9^+i|L zQKM2lV>c)|UI{}BtVX+}_qS}~9q-;elB$u@aACpm6O*utM)*eT!oQ=-wc z%N4f3(u})CXX!gZL|Vw=+0IO{BB#MFfx9{4lTzd-6}PeQKLh-FkJ-rful23l6TH=% zfcC+jxp%3DGpUc?LL&}2vvp0FsJ;Cs#dtcH=g(_|{0)A?m2%^0e7>X6nJQJJCsqXu zTjKkCTQbt;k^>{U+mVaZLoINtHF<|j5K|OJsyD6Ey!JM4-X*)>XG0hM|_JEH9-)i~- za-dzQ5#15W_$DWR)|M7@T;4rqR(Z>#>23;dgx$)^B3fyzn^dt%;E~DsNS}^oVk6IQ zL(ryhYvkJwT>tI>QW@NKTgWkmG*=nzQzMX>EF%%VFHM#_xG2&5%qD^Q_)bKWstqrf zUH!zJW1#Gv--~DKF|E6Y@iE0WLHLE!Lm(oP;RaEe>a<|O7KhfYQ}p;EFC-(h%pRt9 zbG3cmI!dBg_`k=*r*quMkJYPnd+c0{|I~7iLi#{pR(T4ayM`8q%yfcYcK z0@zE=+1(NKB?f_hzV2wfpJ?;xy0Z00{J_JgCq&7~sZDr0LF0!j;Uv8s8u9ag&6j;Y z^KK{f9&wveY*2AE-j7VG&OZfq!bIyk`;_wgM9CA0;a~_=M}Mx66v#NuG%gqb%YGL< zy~zDJ{wr79o?zbpT_(a!I#aMbiTB!5CHF}yQa?OZ5mT!43a);FPkW&j-uBd4r0VcU zYYr&q(&|Era=T}?ba2_!kTPAr+Gb$!SB_O&eI#~krJou3m3@H&HsbFCF5n{towi8R zcK=w7lMm5IF+XaPAm5tSWW>aVo8))vwM-5`nzJzVGNa`Lib>9g=-j?LoZ1uTDdb8nlPdMKR|xO}vbH%(ySC(rCbSE@-VaC&C_ z1#s;JXay;NEQ+iL^>RuLUAqWad*0;fxfOc7$yRKstMjbu24^)zb$-J6oO%u0F7-4& zcDBA>=C`ap(46^Ox0%y8@{Ky@S-;>r{9ssV3zwt0a7)R+d&XWL<9Nm`;3Xe@rr%Id z``&?avHBYXbz{y|_zLr6h-ehv!yC^|;A`34z$|(tNEO1>w~tmA5Uclh#v-rYqo3uQAI@>R9?_vO{N_jkZk`GfDWj6Zpl|W<1l>KiUl8Q%l}kKUkCVf%Q-o)Y*86*;{N>c4sOe9 z9d{&Y`n*4RTz@&OZ6jiN%0w}`vhTdkzi6&Oi(QNDA7&g$mQUNnoshRPAPPAo_&Iey zLw7KS>FRB%Lcd>=MzFd9n_YLyl(;T427Lhi?XU?s6EsL!f@Qs^2P?&dN+y_Im1&_L z>#Mum{#+d01#Um;`|T%C`9mA)e3ag!c_Ha<^dfsb?NM*4csE8jS-lwzc|uI=F4kdP z@HG4-a=pQp=wyRSmo*&{pV$xJ@~=v}>aV|Q#Pi8W*?KMhR8Edw-FfU+7pP5EpJQVE z>z7w_-`?4cqF_9VW6`!p9r?=3VO36F4g*TZ_ihhdK8D%tw6{_=#>4ikCvCm@Ln$ppN@>p(pvq{VizRw0IxL#Lrt*wDAvyB9ESGdunN3^4yUjj`{uj+s0eW&@q+(YR;VE4vVrn7BLtr$4y@ zW^hnw^!c_zD3uJ+K5MXDHB64kmzzLFa*3;*0-V;zl%Lp!k|fO25PX__QHl_pTif4O zE0CD)g@Ch47c_Hje7Xy6MAs2^PP>VRA@8G+b&y&Baze$LRJ*w2Mnw!dHYp zg#A&EyC(Y&wHm67FP3+D%ze9vlcu|?j*0w;p)K1Sq{Q=%=ZxMMce2bAz2aNCqFoi) z9d+`N`X9*3qezsX0xknxzgj2yUN?@gqw{k}2!FE;H0^?dB#9h1{xYW89P7MejlqtM z9m2_tC?d~)u|iu7In_Rh6WA0_0br-3i z4J>mO?9VthD~f{OY$CwJN;6gDRC}8u2Y4&WMmYX`A;hz*?5R{AV_*|3l z;rBDqO6E$M6srC&hK2oRm$JoO&%)UN^6BpcROTy5=)|osC_#I&AKga2Y5_{bR77v99)-j zYixy|w9z)Kq(rCy6pF4Dl?;c3^*4SLIWGwkH5GAtv#21zh8W|zJ`Da6QAVFeyyzX$ zZM?|DVatUVO@X?`&%c7RO`;@?qj_7MwLKr3!hn*|ZNPk}xFEoJ5hL!5>j`IQx@f3% zNIPx`%p~Emz^~nL(TxfIBRjP|dAfO~Y7O>S3L5DKggvaXs7b*I;{;&x-SJma3%Slj z>Ercrk(iB0ukypOG@u#!1lfNxxO^EbL+Jbv6Rsa2{b1c7_i+N^NH^;Cvx}&L;r?R9 zr$CJ~uYKusd%;Mm+eN;ux~=wU@*73)Vv>Ha(57EZ;O4x$(V-QPnzHcfk7war%A$Py z{fkAmxAiGx>pl!`9A+9L-9`8`O~|oh)p?`5?tE~rOL*Wbp(P)kHregMNX5TKk#sHX zOI7KUgRlzXdX1hi0i3ahf=Sk>;^{!&OvKD<>Q9L@(y=RjstTq=fsRoA%q3_(*vhvu z1y-pxS>WUY_AiYa8cjJA9VVFV5l@z-u^DgMYvJ>yY_ev?Ue}85`#-{s7R&FceorTt zt6Nq1t*pcs_2so{LjowYR?e}FdZnpaU{Qv?S&{w|<1}Id0#ho? z$Ff%WIH#J3oT(d@7?L6rA;!uc2IJbZ{_old_Epq-ZeMTtYAN~+H+r^)**6m)lI}Q` z_Ba#3c#OeN*v!(yxC1_P1((IMmxzzMtc60Vnv1B-&$G+RxASy`ymCbF2`TB+ktupoVgO)$ZMp7corn2|Fg0_-b!Qxo^$723c z>#TXuN3QO%r-JUBq0H1)m*d`mWYKLC-`yJG@r>3>mc++_oqA1i7XA%}mQ70!Q?*p3Z=PxJqY zt_@=XWCG+71VlCo|1gd}RVNOlsgMtbB$~lX1WjM(-vp~mV+l=KAxO|c2)J!o3elF>&g6>HY_ej_@vviFh}zX*c(@k>qf z7&60LA~Y!Az7&;E$077ZsT>ntD_Qzu-|#$nEu0Fez6dfW;)5yeFnCc5Bt$}5)H_ec z?nr{}1@Cu+NzS=sYX|~=&r$l68TO2N+&Q8auhb}s z{*czwKd2WPBwGoTK9U65kzMk)YC}H;NgVI#k(x222YF`5w%~nRdHN|lO_UsaFcn3 z0I&cOrx_XsfGU5)*Wtvi|55su3=-vr|I}JhO(kKfN8(vm?43I~wDaRFtAFN|8g31r z*|WFm|Lko}vV489unzaQCvIKu^=es65a|kBXjr2T#MMUjeP{_GKd(gpEw;>WKc*Py zZjVfWhwDg4fG<+V*tC+zrZWc9G6x>SZfF~#SF2sYrn454q_m@v<==($!P7m~i8^)_ z&?hwUcNj(e7)f~;5&l5Z^Ef;`H*kEHqjafjW=wc*h6ylg_OV1C?Z9ftdPiG9pv$$v z3S5tP%&{56P+jr%A$VXK^PFx}QDB1SA6tp0PI9V+p}a~Ny$coUOB8Qr&#|rncB1RL zaPYdK@8QP>JwMUn4*s=%po4gsQ0em)N$7Nb8x@tf#M+WgBD!9Wxrz+k}+X6}E)4QnL1tS(M019EHA!W!DW&hBw+Ff#jKz>J$URx;o0lnKAmt#=c$t2_KWG-E5%yeuNdWd=h1)^Fg*tz zBv%Qw$BwfB))U)T(q%g-%Salkxj!hL?5oPZzwAby7O})A@}}kU3eRr`zuJRkGx%%B zcqWE*^vIYU!|=Mapg-hnjRF+%L15Y3=NgNwuBY#tpdKATkJ@D=UdLHDG z;6|m+z@un}8qp1x;ZpvYP>$(p4a4^vw&5mx+Dq6@%bVLoU5|yLllp3qrBwj&Tz6lkXC?st;AQV zFcO~Xl(a+w1?IbV9V2Jtqs)AvgRCyvSM$(!{D-@pv+F(U1CyHzW4O^BuF4E9N~q?x zTv1YJc{%Kfc#4bLH1-HPl(I}OOj2+X5Gj#*BVxW-d&q&BFz`+c`*UHam@9Qxbw2;xu%TL z*Y<=~ep}%Yk`9inOX4Pvws!dcJa1Ug8^U-W2*3+^Jc$2)!~lB(@bvpI3dG*%&%qp{ zj#N~M@+y^?9@ijM_z5lYP4fCVC(Bpb zcyXqqj_;%z#O~;rv&#cb&Cqw(11;aafW*|IxLD4$75w`p-RR)3j!S| zUWWqYr)CVFJoz(X=a*rc-|G}n%J^!m@s?HU?zbt`av@C)5;fH%NiBoNgEVV1C$0^Q ztS49}PCjX&v z{tc)W#+u72%u3#(d$1nPc;L39Eq3Q61sA$PI6O#MoV3~?04ISjm$LXTn=&PD9BlPF zu3SPXJgR7t{>6kq7%6v07j8-K$rl)p!q0)2gN8i~P~u8{Pe~3!oQADPVIc5F+q{OQ z0OLm$S)d*^nW_2t@(B8w(Lkm0Tdrcg3>irA&-6R<U@_*;_8b=9H6I=C`&ik08zG$(eiLeO5LBaCM_U>X;~4_b9GOk5 zx~XJJkmY;cGGS2$hWpKdvcQz|{bngZdk)fk7jdoh-5Eq%42%QULR@DY2S!s8oP)F zvlY(5K3;tZHSkm{fE5tZ0oicw6esM6S8Q?%dgkNNW6u$Pa|GeyH+592yN|HPN*|7Y zKRV2o)yXgI>7-lVvBlkVYCrlzLSG)&e z)X$xL#e6(FcYSAfP#H61uXtNZ)%Z*#b!GkTnW3XG{nSa9uLIWUWh+?h+2TsXjO^CK zT?;5V`Sf@Nl*{Qvzf3M={%MufvmJfzyz%C|Z!>3@Wf~u7%-nNC=e%!%I}lsm0!MZj zS*Q!Psnyem{?GG40Lk+Eb9%;ky5m2d*;w)`1gs;+ebCu}6U+f~$;ZwEMtJPMalMoYwM29^B|-rbh|8;4=ht7|S45&uC7E_p%o3!+3y zbi&_MJ5gz}K070fvhhg)kM#@@s)WKo13xjGliCEEzIoI|K7tCw1BJv)`c|=K5eFPW zWgqdRN=RH7j-EiQKG%!K!_1)$56|u=E3aA*+09>QYBTaKD%|sFnG{6!$=mq zR~oI&!m+Vp+v+48tyn9zZQDu5R>yYI9ox2T8y(wDI;Wp8&U>Ey?onUnJ%7M8>aJN= z)zo4zBzPIL0vtJw1c|hzAY}rqgiwN{XHq(C;^s2szim#Kng#o>0C46)X>oRT!;*Ll zCruEkqbAVAS2l4(W<$1=SEeLsc{&mD_%%25^ga2e<&89_5=0RHw`PTwT-%qDnMumM ztj0F_4~;bU&qZ)Kkd3L9n};6oC0rBMKUFfU1Q`Rmf)s+v7XAg zQDs`l1=A69!0XUH?ua!^Xe{;9ovmbx5iWh00c$p4LFDu^KAJ`7lUDPB0zxDee{EUl z_vx%^fx!%#e$Q3GWNlo3jQ&2QL0$(03G*L}l{zC%H?is5L&Lf~SHpQdA7IA9GEt@AHC5@|j8>tKBU5{r9s-vi2U zgHDlaRf-<;Rzyjf+uh)F0LF2vZ zqQ_^I^fgeNi{CxeUhv2==PRecjp~PP8S2AiibJW#(83*i-Y<;$Lu(>S_4X+iqwaJ} z)I@UViF#F*xqHV;7j{Wr`(8^M}SwHiYp^J;cyFp?;4(x+Btqh1vVm zR2=2y-xV!7_sJ8{#@Sv(i96y{6{0!&`prxSV-FcieY>w(SF|I!#iiL6I_RdNqmIOr z7u4;(RP5C0v&#@09?IQ3>q=7WuPoD{NKg!eEjZ;#$56joqqx7Lkp5m$%MNuhC6i8^Vl|r4-_wUry2rDzuXNh`NfB!7N&*70f{!2Yw_2%&x{MYX1{GqM~iW}!P z{sKG>U%5?OkLE4A(zfo#gln03m+jt`PnN9IjXaL70|d6V?1IT#6~B-BK{xKK zzHM7u4hGXxe%47Xy%Nbr<`ry%#Q;Xm$%AHtp zhrzdGF79vlM{|=x-8it@Kp4+Pk)=(I6t%Mu);r(d;5PUYEsnzvP4u7p=6of)^=a>3 zRy3b(oO8Hz4nx?87xbYNqL2-w20%s;INRN3U zy?jajc1UGOo* z3o#slO|h}2v}={W<#4P08o`H1otY1h8Vna2c^hJ+Cj#KLlKi8JN(lt1w`~y?39P2E z=U5yE1Od?yc3EZfa$5B)L14nIp&GoDvpZNO>YtrRi3&e`i367E!Zl)#*j|8jPwwD( zIrmSVApwNkuyZh{CWEG;C|y6?#gj?-6OlYqfUl&X_S^>hrR9D0L35k;d^|G*?hMV( z6o=vN3-+V5l9%~nMfjoi{d=IB35{tBdigmnQ$HxH%ag@)d$$OUb}Y*i|A4xfKneIk zgUn{lK_;pAxhmnG1H=f$DYZW04@wtRV7KRWwZ;RzxE_=tKP?+^Fx*B2-NU%)bZI0o>AQK(Zcvkz zhI_RqiKz+8r-_{D7$im;;ak96K^&MfDltm&aH}6|UDqr*I#x(WAjFbFCa(IIUirG$ z5vS`EWf3!;Xj+%@nUP7~sHlCa*1$|`xSrk9x9 z8|1h73eE5R4DIzAOEb0+P>FPDv=EA+CCF~}CJ5FR2Xm)a7 zw*xz*_AzC3MkhQ1n3fyNwRa>}&+DpC@$Nz{!Uq-ZA#_I8Z0a>H1B`^SH1fkZMnoRE z@Z8yJs{siP_V7X1PUCZ$*r5=c(!3a`pIsw*lql2Z>hWwm*lEf$*zDhRVW5 z`KL8P2$t}d+L4S)oREPQYVm*;{BVbmkc&E8l)5f@`93jF|E96v%Bo>FT73WB#a`bl zsK`f>zpi#aDpzV_{MPJg?EdnW{#$wf(J{}r^oy&i@sDI5d?&wb?Id6zcrMp@#l6eO z$iErEd`Lq+f}6=~Tng_Gm0qNc%b5*U<+|n5Q7EfKHDP`2P>0y=V28MnOnNN9v^ity z7!?)p4__kON&jCK!2f*z4|)Z~dOuzE^7{94UC|u>A6_uQDTuK9gK-I(&ht0&Z^m$Gz=KMM^-)YuLP8^d{5jQ0#-IeRWDiR4+h#E6}$h*@A)-~9Fqo=4~b{M|tOCSV80plK8F z#l2Cmf8UUXwfq6WXeojwo51zeVQf1sske#5s+Di)*isIcl*7)4eOHgz2AlT>WBjn^ z9VSICob-=Z`TVpXM%~vo^-zm17#@spN>D`HLYynF1=-Ujy$r3;o#v~xc&yd{6V!@? zpq+ zi=tC0oG{pg@ZbL60j_FV^*$0*iVKk>EQPZsWwt5x%0H@JnaHlS_ZYyMDm z0j+!lTsb|l-vm_WM-Axbaa6iL8Z9F#O^5VfGK)wa7F za7g>qDPk7=1IrwN)4i-3?2h_~cC;dGue=~rI$N2uSSrE^Yjy}$!XMlnB`1wMQs+}~ z$FndftiUi~Q%KdHCSi$$e#1AuTkzaa?q%B9_pqM~^UWY_T0l2x`bzDtG@805t88EW ztto@$@);eCyj{a8qV$7&{Y$iu%=KB~c9ZMJHC0Q$Zl$3j$x$x3u|K7e-L^MvEiq)@ z=QqNFu|v|afe&G~Y))*<&|MVhIdzHgVcUVR21PiLj~U^0GvayyG)jN^Rk{R?E{jYb zvje*uqAH|J8dmqXWO5QU5lWYmFBb9_QOg&Ng0&vhv79wvqjg_JRCD7(810dYoB(8@ zHXsHyAp5JfAZaw!M`5Y97!JZRN@f1SpsD<)f z)Xd=f+9kLNx#C27yVXn+mWf~Z^+<+B^7K9EP0rE0b2err-``b zMNQSIX?HwX%vWrgfqbGBUD8Nu7qzrKmnDb?K1l()@gV8)o=yItvlJ5^kzKCLnt@x+-TQwgGV64&f0eI3Uf~7YWfh*TbPa8 z0NntO_gM$ed*7p1olC)A$9;D@ad{@iJ_I&);q`Gts&%r%XL_5l+9`cx(7pIB?jb`* zRzx*Pp;78Xdl<^Yg0~C0_UW&Ec`~E=PXR@~rAig7hxi)k2}r{Wk6%B{A_5z?1RnjM zY0Q$>$1^)|Xg2%Vo9_fn`PCJ|6Qi7}|Hf19oxf+lsrGxt4zy@0A*Qn?5^+@sb@+5O zLNbD!H-hY7&&V=rU0^R6nbi8&lWnVD9!_S^e@+X8IA!%?F+yE8h@NZMNRkNo5&>gj zxy4rqO?C_1cJL@mx)c0?7nm}7BIVfY!PiYObr1;7q7`9>Z2SQk`x>nNWujLu5`njb z!w)u7v{mV>njKqz$ant(H_U+D8I=E~vm^kPd~kae|G5qzTmou{Y37bGdIp(kzwwt!{#4>%}Q*HpkzZ8Lq%F5QaZ(wSj04-;zc=$crI+2jdi)iP|JaomH>X0@m_M$}cmNDU zl+fxad7>Mvz>$I>Rs2@&lJ~gO?%$VKk`Q`I6KF?*&K+G;BWyzdO&xQzY856p^>5cj z#!JSstq(}zn{Ek%e5b^Og9k0}^U$FMeZ#LJmE;|oN?UyvVEtHNDz9NnAslNu=y}dH z6nQD$ux)DCzg-(fnjG%601Bn>h8j3G3J>89Zr`PNk60z1k`JeMkY=603V`8T6!^

HW{f)bfH8E_{FfhBVBvD=9n2bn}QM+XXc{F{t4M65AiJM6X+dCv6+k^9=qz`b!5PmPYyg z`#k50(0bP{=FG5OoNW4>cnU@%Fbm7od)(}Crk%197x8iwv2SX&9@=Iq3-mdds{T<_ zy+h{jZShU3M+u^N3w|A_RKLFH9vEV}(hPTwvM-Op2OBC-Ax*YFM(i67?DTh zx4;xlear7sb`9y4PGZSCOQ@5LE4V~A*2;X3bRh%ft;JCQ$6MF?uWSpGCwgzZj)42+RUKHuhQS=I_5*3_yNL6D>`$ zoZRW<6P6Xep=-c#H-98h1BtF6Ae68Xc4%-nP3 zLm&I`6pP?FOi5CugaMQPUh+b8Z*9XXH){5(^~DSXMC$g*>W#)w4j0oSPYmu`^<0Wp zo@bNOicARhyq_+Yvo9#g3aW6d&JF)Cu6xr|E*uxR@tG^(K>_S6zu@Za2uF+*MF0vR z^WL*!LcgGcP9aT;Y3_X@iouQ}VTg_NqUExBClEe^pqSJD@JIS775-~>3uj|Sa;{+I z9aa?C1fqQ?RuUs_Gy(J|mKjdj=IV%dRNqjcp-hQQ7}kga0MOYv5;35TG}RwO#{M2l zxSpvq8lTX|8{J^xFO8)$zjuV$y5G>1@*6$lLwex{h?Ofw2M~F|VR|hIn(pZ>7_(t+ zQF2Vl#!mVfUtHDS?u3Op zpI*7>AfC(=Z$*c&iMzB0hUh@XSqGEMWEVE4B>R|#8sXfDw$YJZDCEW0E=cnrPh9H4 zfS&>~NK-%xaLj++cjwYj4|He>z}5Li{+899;!6cP*0G%0DFh)t#;H22l&goRZ2|w4 zl?vVZc_Bj>1rx=oEh?ph;C-vO$*}Em%7tM-u;BRIyg@S+}Zi&^yp+m!q)$10or`)ppGZY}!Q2uK8UtjFY-4q3kfA-+xDE zGL)_nI-W&|>5GHy@%NH6(nlb+Y|;GvT%;gO4Y@l@py+DVVHjsIF$t`;LSsWuN|FNY z=ZD(c?Y+w5xk~li^HoBs;cm(Hiw08%cx2ueP}<}3RFC{6p@kRgkrG)sN5|-kHpij^YAze{A`y z4RKP{WzzzDSN(?d7x*<1Ezk9USG8b=8sCzK3~e6E5y-5{At1bJM*XC`D#onSV}5GRbw+tXwSKVq#u|)fF@3dGQ8in@q@3bFpank+ z8k;03>#gx)M)ma}{=M%%MsTm#?lqd@m+p%<`{v9yi2ubGejuRmC#xhjz4hGro>VPR zQF&M|O+Liadxoq;6=La(8@ae3%ZBV{g4qqFGvFK`yy>7DJ>p8usAHcAe}C<0u?F>ScHZGJXz)|$~Olv#D^@Y@srx{la!?L6r1SJ zjHxKWo_L|#c+y2>=u+EC6*;Z$l#p^FdZH+wXe&F_xTUL1o+9j-l|g2M-G~dJFCM!K zT{)-|mw1V5JC{NSz5yU&gd)??ueWHaDJ3U->bnJzccM>}bZSQrP3{SxHKl)g9l>A* zTK*F{1>vbg>bc!YP)V4JPTMo!YJVNfF1Ej1`-J|Ja-?J-m$_lVkT_DApfr=FG?m`} zW>DStx-o;^Mz@mp>!lSXm&ce~+&uNJHFUynG$0U%=L6#->fzy|Xx>=*SsNGdTTxb5=?XV?p$)d+Uv-=L$JeZ$Q8jHEgYT2&G z-(Y6bsbP496D`BLa$$PoI;j2g=<`mghfe%a6pZ>!sy`}K3Y|uk#m<)zy=t2GpM*fo zjgGI_f}=$?`pg z+NPnocR3T~EW?N-6r8T@G?7?kR&|7dC(4Qsgz(w}tP2og`Ne1iTi_4AfymcHDRY}% z{C?JCWkV6HX|N)6yEUFIxGbu0V=Rzr)gIEpUAhnwaF(AU%`N9nwT6zfzEiW{A^ubH z*7ZQaqS*>IWXJc6OuBv%)p}mkOx!b`!*6cDAGx6K44*Q{9G!CgtIx^Q6PBs1Zp?*# zbEBHeD5#*~CPJVDg1c6&q~CHF+}j!caNRD)_g0unm0g)>cv+RAMXdYM@}PrmqqF`= zNVNkkL+!`a+r4jUZchx|5E6q2c_todbdNFD)|broYFeU^-Clp7+fSBvfKR(6;46xU z(^RV>*KALbFut(Hd3yY8EdHq!SeHS} z9V(0Jsn)Y23ss&b5Ijn{YJy%=WoN_WysnOsxHEDTKYO3uCO)#rrUVOq^%{sL@cYo&%m_F`E$ zvA>SDpuH$em2fC)(Z#pkF@SU}UBnKQJKZg?!~w-<3f;7*Fg9!?B2q!*N@EUAVn62U z=BjB1D4?2@@I}d-`B?N3o&NV{JhDY(xun1 zR*@Yd@vH3bf4t)w1bHDIZueQSbC$q>ZY3I;n^`$u%vYyazoR^PTQtjbTOftHxHdp} z*Ry_SmVxqNI(05ia5D0d#x>X=HIEHvJeqRm{>~DehtW2p!E2fn^syUDF^MP1dxZVJ zR;_=hK>t86|Jc_5V#Rr+EN?aijW<`paMJ>4Pws)a8`@RP1~2fCVW9y+Wc6wB`epFT z^>$1n#Gyzw!EpL;7)`M51wke*@!|oeLM0uR$}D?B*56G)&bg64S$G(!Xg9qAm93-|O$P&KgD1{|K#>LvHG-M8^Y%)NIP zhw>f|x`6ns$5Xob12rLjxaD;#zFY>kib;1p2R64ecS_Sck3+_(;HUCc;7wH&^ z#5IZW4r(kmR@R2h{Yi4@b?mHNrw*?XvJ~ez=8hk35p^c?K0A^mRe|B5l||p%uy-O( z<}p3{{VvS#4cr;qujs+xZ1$kp8DI>*W{d<;nMRM8;zb3>i)7>z$%HU0r`S)sbgXaL zo&mbu1p5=vpDz3-1LM=;tOS|H=1!?GksjKXS#cz0OHkQA^{>{(zaI`p2lam;Yg=4b zFjE2qNg4f3uA%@ZX2qp}+bW*#EGi2Y6bX00tv|^ziC8K-7gq&Ll*h%p1@M1M%xrl*e*Jt&!1{(d>%&a|S3z$HFKG===tKv~Q%RFoYsA zAC%b8!~vT#FgJ?H;aD&ScCouJRYTQ2vgd3czRzsYdo#?@tNH+ z@5KcKU$x!0i$AEAb0iOZ0V%)1v9vc1ueE-=9@9y}F@bmZk-zRx;rk$WAe2Yax70PC z*qUa<7aFneLeCvCU%65GKsjo>{S?Y8l8(jRz+7E!4lVsQ9a{wgi~AL}DrH*MnQ@U@$=a1Ylq-uw><*^%dl{+w z88h;n{2krw#D|a&M*<2J*`NDUMzj^61q+r!Yc3xIpq^#&UG$#gD}mb@Xo<~h`)v{A zEXmjcwHA#<&*qgm!spDxRxmR9*)sPi800y6YFz>AeW1+Av#YBW!CI$7rl72zjTuV6 z94B9BZQTr981>0EzY)8jBXBV5G&m5-4o|jxs9|2Zjf7@S8&w;1?XACfNHHKjYj@dwQ8dCorb=%Du-cXEz|{sAB&3$ zp+z5VQY0risG5L;i9A_|jR-afevWm3;iCK*W=E>1TI0Aa<`NO{B$X0sn{|a-{FkAx z(K4=FPrH1Z=xS(Tmlvv4{<~nr>A()z!lST!8-D(wcLDvxzgE15jgYUhg>zZLvx7BR zk|U^kt1|21oKjzFddjoIoPp^?U8Xy8Uxccr!*r7fMYD;sTYh&suD~WMC(t3Amu0iU z5Q_WoFX-Vg)Yp~<5eN8RBIzM0<f*F5j+jA66=x2nqw7yXg)*^}*v`k%h9 zR=AHZ0Lz~RSQ89xEOJX&5axvnG^6Atj)Y_^pfW#oG^#<@j1DddZ{q`RS(-e#AONogX{B2~g-W^6=T%AT>a0~AAt%C<}D zUs=`w)M34i>}*v6JU^pp``at4qgyDM%pp2GR`q(5f4f|sMISXb))GC zv?}FOgo08llb+HW31yzfpH37p$E{5yHg#w#W)jjQ)b_!r)*9(2Ur{65g%cno;5xIZUIFhR#D7I3hTM#RPoF5tfXa!@nM@ZEHnCn6uv9HC|I*!a>0p9WjJ6)7u| zb9nP*;xv(mzsAW44+ zvp3l;AG$owk@NHiL}T#Zbbj*@;)%}Dy@ypW3thQb=nGQGJQZC-WsNS3csJ`1QGKf9 zqJtcXcjE)JHQ&1WgFF`Guh;E-Dc+qMk_gFbUJ~tU}w9< zN%bv^YZ{ZTWl$EY7${WmQ+7PE)F9-xjW>}e+&hZ2y~Y2Fe52=PsKGTk*a+Ic^mPYw z{ho%tNOW)n0h4enW)GJr5C!8Wy@1Xe( zbcREJKYk@sp4}Xp(F2dvl(|y|_jr5~Y$s4^q$yB4CSON{F^%7ce~rtAo2js5>LU`Z z5wfp|5IM(m3^9_)k`c%9uhj*6gb+3&2J(@|hHZtngF*B91j>dO$eL>J^#7a)|Kmw` z=^-`r=kNG0l50R=2qn%?Q%sHf+X>{}0~YM{2G?dpIixRwd2aNLF*(&V8~^06p^kJm z6_8KvS?1m+gm-8&D8?-dmk3`T0*4?ph;*}+|B*l?8~{V)jhl*4XhBbEExSJ8n!`uh)Bc z`2?tXUFol=$SU1u9+XI0bVRe8KaIQyPRZBQ{TyNX?&_}sx`PQLR*OnN%76fxa*v$GW34B+i^~PYA6Ou3=DDLIjB}92M*(d5wYQO&q9Tn=A9#8Vf^<6 zkyp2rKZc}=J2VW|Kk?)`o{4>()<8MJX`Sr%P+_!-8JFl_`EIFbmX4~1=M2grBt zhF_AP4Ute}%S;W?a(C?)rh1^e6n4Nu@Q#C|( zFbUn#tzFm4u0i8j+k$I<*@W8|mWH+UTFT&^V8MGD@>yv6$^&{E9nW9ol8YnhA$RvO zt|mm#9eyvKl8Et<2Mn#9>I)7%RO(-^L>15 z%qJ=MY4B%MJ(Qr1AU|yz%mQAy!#=jGw~r_c#6fN+4bLX#lRk&G0!IDncRrlcn+NSa zlTJ1@bT6iJ`^SKKp>)EX3CZ2dW1#>d0JK5Tczo!XIRoa&UAf}cgnb--BG<86kidA* z>}`4GkB;)#o0ER#?|ub%8fV{S-p2E^wEQ511zOYSwoU+lk6aq%K-5F~fcF6nq57U6 zSkg$9*rv!Fv2D_Qv$clTa@_l$RwqP*KVWsprn8bsa;t>6?;Qz8EWpLy$>^U*$Vnno zAqV{DtH(Ha%Jx)qJ}~Rq_$(f&6f7q$LRH;UetLAAsJM==YjDxx z+K?fXfAS?wm>W2(D!w-gp3zhwFnCT!kXG=OZXE+syT>mL#mlZhfY+|u+<;#kafV+S z@$}*<&#&-{n*QtXI#o1eVO2VjCuwF7BSQ3ULF-}*V_&%IKu~fRs6p7*1?4m03Fu&T zPC3LEh>hdpiNk_2_Div|OMA{Sx(p|qc|oV&I#!7g=SC2GxBLQ|3F2nn)n#!|*yh56 zB;YVM-TRzR*`nvQz|_l@sKQ9r&zRpu-N60eH~`!3)9yzhNW7&dP>UZV^d!LpaJtZ$ z(4rgQWCfr~XhtR6;8q^80imL)_rS<@>V#>0FyvkTvbdk^+C=@#8OX2^ba=PY=HP5t zLCW)DaavROt@5LVZ`C}z8Gh0|B|Skq*0z(8Li}8JR1kLfHmT;SF`a`C9s%2eF;%LL0b5DtjAKF8)-oRp-|tK z*;S}_NI^c}RR^X`cl!xbtJq52%}NOFGl}uE-94n=}WnGSdMUkh%KZ-&)lhEqhI6%`w-|*71xlqLc>S2QoVsHid)5WO!MDxQ&G?2^F zE5BvQp5ygzO^qBN-rKO}rzBncA(5d02cqJ*dD@{6phAj16H4 z)WI&HYd zWxa@qX!R~ zYowdieZ$x^uw8`Swdq!82W<25cKMVvg9?qlv^n*&1}9&xE;0T<&Z2jZ3jb0y$ZaLi z(Gk`mUZjr*21Uu~bQpAIJ*F|@UG0qk&jYW9wcRZ;vibY0RrqX(Wxc%(XMILLdzB%X^~D?B!H@(P?YMm2y$5sOm>l|_~SCU;(nEN2%`9I1!6Qnr^2l z91`IJC%cYzxcXysT%cACy7edcH`BIQ?gVBUEeipVH}}|dobc$2VS1gUk;muLG1pZT zUr(cN5iGKAJ z6w>J~ziU;f%81WR%>WKSe7Uqx8DidGsj1w02xI3%|qOQCAY| z+Ti-i1b9z(@V~ZWzo!nDF1*N!}BVNy8wl>9Bh39LXAG_C31%HEcHKi1fVGs`~J*ztRK zey@wgwPBanf(9p@LIBBwg#wSZAnOE6%cJN||7ta!|J(d9mHW6w@C;LDINcbl>wJyj zki0V=pcV1^`DbnbcwBm9mj6hzi@7mwFXjEO5U_dBK6-vH2zgKlIlTJn~^-hb?v{pEtXm=XMM{lNrEfb1nMbk~0` z1vQxgatOwH=fH2w%m^uAl*_J=53!>65n-gCR96oSK+YCI)jk3`PZ07n!LaSN0% zhm|T^S>DAd z-f6t+?1jf(HW}NbkOuJm76YBCl;Fh`@nl;Ms7TZZ^L$e^ZoI?>?JxCLhxQA?a@#_L za{ao*lk49*r4&6z+ES;Kznug;18Lb~>0>eEXlwv_^P+Jk`Sh--OEYyJ8CtAhj z2uu`ojz$aJAvA41_vY%N(?D$eB?YzgB{>#H22l+LJ8q(raY}8Uk20L|dL8i>Ex_V^ zjc~cXlvm^fFT$=Vc~PLs-Ray-0Z~1uvJh6S4-P0|-?c|-l1p9RDNzua$%%ZAGR!^E z;0wAro*Uxwh6BAN#~8+`0;ucx@~$+HoNI-W8>!OOkW6;Bed5oj=tPP9C_&`E@yg2t zgd3^}YaDc2aqIBNM-vVcw&%9&cpJaYZLrR*H4yN!y6Td02D>pj5!00^=|a1&DLb=W zd(=5Xy-s-`M;kbWGkb!F1wphZN#84{uUM&h5RHf_o`uL!_edryoc**7db$*j7nu&X zb#mI9FB1Kn?4kr#|LP3gIS2`;SfmD$weuS)tpMwM+VrsuuVhx+jDcmmzu-sIX_xbs zcC#qIH_^JF;3RC`CPq=%kWFFQR4hzF=EWF13BA$m`7*#ee2al;%scs{&4Yw%w?JLs0Vp0^b2;is@|#i`F8^`!qPdfLUIo8=!*5gqrXOyjlL_;i^ezHOc~ zNpcP8W1`qkvJelJWsrI4jB8%~o3*(jU=TLjq>^^~Cvi!aCkdx0H^vF-v+bDwnknlakYxAJmR_Y=jY|N{GGT>fl0=E`zO7z|B~-9?wf1kCJf4Y2 zlo|5CVfr&l+a_+7Nedkw&*&;i1jDSp;$J~aK)TbKJio)y#f_*f40;7h&s3jn*Legi zZlymyjf89RdvDJ28;8xZnmM)*j&J67a-p=6^|?^CX{flkNJ`lfW|Ir}+N>E%=ey+% zuG@KQb8K1D|3YDp{h6;K%4{5?pKKXacEYTHpZ(HZzJ`C*3t9xba3XyU(#i3l|Gh<; z7%?vIEe^DCZYG$a$bEa`ak+JyP+@p%`Po8jg=+8C$~j~B6kz#3o)n%A?V8q z?k}uv5Q*mIe_DEPPyw|)`~SbIUGf_Rfa6IX+7rzR{P|q}G5sp>Dw5#wnGq-&&Uyn< zh86r@PyI6Lno0w~a6aTKZvJy*rw7E(u1(aw<64^{7DlmE40Io_XgSv65bK|7m$k-# zi>Ga|18+PiMaV{MDb5CP)z%gDekl~`h5UH754r`!E_4xuA~2im^kP%3kQx?RqM|oP zd65kbPV2YkGHoH3Be_5d9`Uz`m2Hb}>h}fWn*25Mo2pBX?xzpALCr;Hjlt11ue!WY zI|Q?umz}>BNpXnAkZgKdBK;O;kyq1od$JcHhW&1rAnC5eEO?@K-NguF+}ST=!aJmp z@Wkwm>&aJgD0ZMFZyjG%^=GxL{YAa**B;{yXVB`tz-0lr3CeMttlNvETrpopB=JZn(1 zC4@5-AU6P46c24=YraD{mK$lpH$j=O8$X|Jf(j>SQkW{|V|`Na!)UCyJ#=Tua-!(^ zgw8nO)`u6jygD75-bm3s7Mi!>kWY)$M$T?Ej@KNm)|@(2 zu!tvL5sX>jc*Sg%c<9@3dZ!W%x2O-u7ORuu_YXG%a~tW{t3O0{PJ`( zPN`!ezq-z+tH2yvEWn$NO$*a2f1bS?$K&~`z~Z_7alZ6iCAHov{x-&ywe!3 zHXYy#Sk+X38qve^`f9TdMW@T}^iF|JV^r2%v(+u2E>5N_Y@1cg?~b|9g%h3Cu>=O- z8(gsQ&2H6UqNZ+gL~%+5fVzbQ(ADC`)L5G)`hn0ub%gtDj>Hw1LCE6x_Y~llwKYY1 zXg0LVx8f{ysv4b|RDJC!;KR-^*G~^dyT6GTbqJ!c)&jneG|%^cqNLOVOBn03 zC>vriu?q!$GS>DS&F=rBcc>W-LlcW*D+|QZ+t@IxZY1aOU_SRM=W3RD1-9=D-}6j= zmYocliriATl@l} z5VYkS*za5=cf1WW3z|VQ^(z0sP0hFfpbSX{uu{+SkE|n^=+Z(eNjjG}#wAU<9c10t z^jR%XiG4XUHcU@L>Fhfid&aa4DTc-YQhn{>VF22t1oryL4$18T`CANvnrJbzTgCzn%a6$Pv?(S#X^M!*oj zJRZ!_Cx#vpb#Vv8gM{o_Pqq=o@_%no)chN`f&YD}000WzY+$t^Mw0dr zr9wiuoc)l5EB(!WunKmN?*H8saG+s{dI3%OV2C)#ge1|NgM);F)=@vJMG;3T!&e~U zh@<96P%9a)Bxds2dDuzndABI4+TeghnUwIlr#wnS{(_-oW=-}KsgF`*C}J$$`AA{c z+a;h6g!U;agKneX4B$`9ghtyHPLcloN zx#vo0CaSpA$(v7p3fX2_D-@t;B8`RbbEovlp3GhLE2REEY`tT29RSxXd`?bmHg?je zv3+8*NgLZqV_S`##%5#Nwr$%szJBXn?^^dh&;2|5|6Vh*X3v(L7>LJ}ShXZI(laBm z*t(K}maa3i`jZR#8aE>j>G1=!FT;LUPL9DcXj|5_4sf_6v z{+qgCSQ58(+xKST0r+S9XPnLR+8NvAT47%lRhADz*6JpkW__{v^lSYHS&qCfM)8g3xx)W0m(>AEdd3 zq=O|UG+f1a7imX&ry_)V3`UOGmUR%ne>s|`DaV9}p(qn?e5;<<_jft|>7FKRVxi6I z_9XNaY=KoAQDR`FI3ANqIDYi{NL-+6Ai?Q(7m7Gu5aXQm<#M52WN3tf$VV`j-9h%WcCe4XxH{?4aW?q`9tSWiuGU%VX% zt^Ij#7)ta(@U&>bE8_iHFo|CMiAjU^K=N6O9SkwcDPk%;V^%AYj^6#tyF<8nTPf5C z@fkh&5_c~JohvxVj=^ndJN`6eH+}m?-+2u(v;_uX6=@gpDnOHD-(_ssSvo&GjY5IYC4dYVBL$Ma&G^Nv}9Tcp_lN7Eqa#{_zEM+}W?4u(+0okc;*!cpSz zYW;q~aZ7^~&mmWSp2l|#@BVN1g8IV=?_~*m0X$_(K3(dg83mYR?jgs-`4@^bu4q`q zeI`m$xzT5A`h?@Df8>H5rjf&U8ezSAM^%~>xs~Az^`#8Ie>?m!HZWdn%rVw8R*$>7 zl$|YPL0Da#?~nP=63qk6`dVjrs_kyNj7iV`rab;W9Lm$sqH+Isv_#}n6Qb};;*Y#HS*ln+yE#ZkQ(h?+Z zJp>)0zo1K><&EwL@)x!TP#Jfq=}E%dibg?PX*ZE3lJLhXj#UXg5aqNs&t`H`+%K>P zEoz?**CDa>h%q!DCJCOTXOhl`-Bs^Y|HV=&wzZ36O(qFH|4ZT!`j$~%^6sK@TObE2 z2X%6^lt6;LH;NPcwFAc#bTYq~DuKUTbgm7*r*SvV!MvF(-T`!-zBFM}MnF9!w#)zA z1pkk%`|l3;6ASqI{lAP|JYWb~Fe|G`kpToFPV@qOl`#`#0>QT)7TjTZJeB?tl1KdK zHRNS>=pBdwf6)-y%)xt9ZA#8wq=w=tPGoz~0!6z|pmrGe<3*o?Z%!4TM7fiw$5TKG zC-jQq+K3eAYi>Oz%iNLxPHP2Z9|oem?@MUn!v$6MImLxS56`}v^Cckg#Mv2*t=Lo- z42nc^at>nGA2dQ!E1Aqdu4awTPueZceU|;L>l-utk@nTOqXZ*P^j2i*f=J>AO1epTTCjVvLvl?=6!crdQB?#y}`Kj26RbExFIyL`rP7e8*d#MJzpvZL&NmN z-1_9%VsQOM`cu08D&nK(w&l}h^=^vO-+mKGw>VkeQmP!=} zDNPIWJPMw2yWLk~*by#@cEM>y#C!6rB(1JX8nXIc&a6&+TRNppsej?M1PP(CfKPUS zaK=ha65Q*`(lM~Fo{<>MCbP%Dyt|h|vXeR6yDVKuzzgmC@xzkQOM;3)BiGm^vyym0 z&M=^7_~kL}@0GiT!bXEeY1UNg_W`;nzt~(v@eHlO zE}b1G+V$TEXKqdf|IUiYxIVxkFS_<}avtpuUi?I_5jgEGY#Q=_s(TT!jFIUKG;r4f)@umSr1aPet(aORYttOb=Cm zj7xSCfwsj>T_Q2+qo31=yaXQICRQox4a)T@lsq%NKl=40|9E>Bb+@phJ4F(%zE#7X zc|y>Tr91z)*@k~!;oc5>iU)Hf4&n|)1=>5~P>!*JTS2^-j9SpcpT6;0>;jm<`6j=N z+*5nIuM-d%^#^;=iK@xpIP3qn3qZq1;F!|OaaihQy;1yN8RPNS^k64ha2FZ|=2Gx3 zg@Awja*qDKr2lp1j-5JFO(e`b;&)CN7=i}FzXClY0cD^Rrlnocd%Pyh(`MGCC6W&; zswCIIi|j7enuTk?Dvn;L(YZc%Kt#1YtoeqO4$tpHjg?!>(H%Xj;07{4H=AVz8wFeuM&=K@+n0+YmcZ5^f{Q5q;!<$kXoOmfZM|6`So0%IVPT%|ZT%)~pV!B)F)vmF==iWh zi!A8V3i7A1S}@{M0h%F)F^_J2%;0@lwE3CH`pauSON+r3uFA{b!Ij5)cS2G>VEnC~Vf{TGs($uE94k`nDM<=f7XY zG|V<8n#iOu^k?Vl59q$f3KN?B6hgM$^Vu*`PsA-Til&5I0Mt&eT zvCZoV|MeW-d)Scj}VHlp{Cq+c0931)d$1jO@4p*XeU^~FHc=9Q9klUfCKD%#e5%v{Nk=)ogu~7eO>YgI-NiA9X({*2-#cxjSd+^+{pZI z-?_O1uvM{-c2ib;{!Z-SQJ!d!9*LJ)?KsK>BtImL<1dF^cMIH`HqcB<8R+z^BB1uF zpHfk(Wr#%m_WnXjZmtPy3Kpmn_wXOG3LKyl7PX;X0`IIhQ%~(FVOxBKCwSvddL%9W zQ=-U#BSGFO7mOC?;kje94o9$&GE-?NQ(tOa+%f+dv;t3DL|!XJCHtXRi>;lT_4x>U z|9YPG*78y4)p9hNR{x$*iT=DQLt#Tq6}g`W$cVjd&XurRA@sE-hN8m`JQ>5uGcz>S z-tIS^kO*#}lIEMBGrHk78$sEf8e!EDK-feP_GFzaR3h#H#*;;?(w|-Bt#^b~le$&WsiEr1LW&E%Y)_HULJy5@R^6sgniK-m-iai4u z0AH4*r^B$A&*eGR9JV~W|i5AFu@ET`s-`pTvy!7#EeL${MiOJwr&yu3Jx65SC zUN={h!F;JE#>17znDzpP3rxy~IfixEZ!nQLSUSVJ)3Q-RAJZ_3mJ3FEB3&Sm-PLw5 zM|}37wZLulYaL&L$ylz%rXYj}Gvnf}OorY3akN?^x`Cjl%2H@#VJ3c8qRtH~k4=hu+z?M;ekJaxvE)S8M4J z-v3HU^a3p6$RG2#D159l8u)D!kUfsbGF~^s@6Sbw;|@An+_NyaJKpM~_nm8XnEE3l z8VQ!cI~3jbH|?M?MR9a^{jh3L9Hj^fLA*z^_1btcOZ|_f!bRWRb#-YRkjzDD&+3k; z=h@n4??wvOkgDqQ=c`3!Ma2g1@kM@Za7>kmZ&i>gcmN6&3$i~}HAV~y3kM4eGaV?Z z7%K)Tis=W05(6hzK?#!tp1p1y-)YRx*Z+JMIQ+50^?`Ya;_7lxP_of_$#9tIVcvO| ze#s2iZ0ec%aRKq15w~=0czJ2ndlm#)K`o;eM9DEBqPNvCo1_L|ymh2nJC*~;Oa zD?|uG;gnc-+{b%*KXPQL;c1-Lz&56`-i=POPxE%sldGqS9=0U3P_!=#DUt>RTAucieEl^n*ddHYGHI1O$4(kBP2M zK*QOMl5E_M@)thGO$8r+>k6esJ|ZUEQxmoM=Hdv6o1};zFX9)lHZ!oa2504~9C7&- zC9K*?Kgl6W$sW{26y)c76kl&rV<6kFU9V_y^z;ivE9j)41UhwLKLF0-4-CXerxa3i4``fX!*t_j|d z@ad1L{~9}LmHiUEwuGsHLq?G0+&Zyo3Cve{c5x;5FkMb>RA81O@}WO!%pb^8v0H&m znWrRVSgsk@Efp1q9eEc(?rPa0O1@`KG^nYc!G=d!lFqHN2omyBVXgS}FchOOLM?U|(C^3FJ5~r+8_=dBPb4RE}{-N1x8)B7?xgnEEtiNCdbB5Mwu5&YF^ zz4?)nEzBg7Nu*prB)-vz=}F3lGGI_BA>^%U zuRuqH6Clt_M~TT2_E(hOO_RS!4?GQ?p+)WZDH)d%{Mm|?KYA2G>vsY~mvU8ST|um)c&7K=H3S@gEoSzK;BeB<)no1$!fXYq{Dr9CU*P?T4|8yG)9tpR zl<}AH_Hu!lmFn1^HENcs^Z1H`-!)q9LQLC^h#NhVA2-%|pR=ZijtBCyN&lJXMk+Noxpiy_=$DcQpPMDj@a}`lWyCz1V<&1|>eCwtmNTGQ*{g2Ey}p@3{Or zA7l|6#xDx5Cu@N52h{7E=-L;b&UrtOb$>-OczXXHJ+=KatC&$PJ&g3&OxyY7i?-*< zsXLKK*U6=9H>?W*g2<#O+Yqn({J~GGv}e-{A7>p20uN^X%nR_iE1)Ir#f7%m+bCv-4yc)0W{vS6byL5Ow_%Ap zL^m3F?`I}2+-q60KROwlffLeM@3!&&X~Ch002C7qXKxiWRv`>LgJul!p@h}e2(*K4 zqHS@s@UZ^qF2mjw86PeA>>o)^bavpM5h7u)`X}x|2DhJut;l#o3^+@~i4{qge%MUV<2|j1dfyV0*z6@3Thd>9X+WVz z3d2o>ADZ=_^*3bpb@X7Utb`)g{~J&d9@I=rfS~@em%QC6__q56prk$+VQ9o}I*FVZ z)_`#&bs)N;tvY{k=&ErIc@FWAhDc|k4sH@HS9ww=V=9edjIGhDzpi@j|38=R73Ebl zrJhgaf1y6{0FvMx@Ym-&Au_kKMEADXywfi5U}3v?Q>b4E^-JC!unPBU^FSvsQa`m}z+dNp?6 zZr1)`UNEN+)U<)f_y!j>yHWYu@$Oo&Ih~STP}JSuvimk`p$8^^IovyMH~dO0zOSK& zpb_Zt3lKF1+%UR|C|^B=7PB#FV~eK1gxbY-{h{&6As&zrO~cDZ92TvrScwC#2C^#} zcx0erjFE(yYxWSD;%Qn{6$CDK4AGy&BdTt|gI7hgu?9hgp*H_|M2xCt`c}MdJ&`JR zc|-JkCrP9t=LV0)}Kd*TlNcg>mJQR!eZC$u|JP!wC&Kq zpYg#U9UI`1fV2` z0KfA(OQU+vWyvM6<`DiOtfN+~ATxsJ-1!tNy5!8Z)ZoOh ze?WT`U&*~pjj^$3?wz+(WYi1X5xpqeapz+LUR?pa# zp9)A?D>z80UpVt=YV$6*YyW#x(l-EaExJ*Egbuo=|Ez)XT8dQ}{%spAofmd)Xg#=*7G~13tR;-EBiw?!Ttu+P7K&2tg5hvn zVZ($2_a!D3X;+PLSMI3Tu+$wd{5bePN_TfCy({)*2VZ1`Bk=YyM?Y>e5mC_DkFTh; zI75<~#IQIN;^}Z%oMWG*CRDxR4^HW@>b57x`i3e5>e)|lH95(A;BZ(TAZ6E;KlVTquq>=#7S%8I=ENBp^Y{gBDK;zsV|>| z%P0iVzvU0r79BrC3pPcV9^pC_@D<6AwANS;Mm!i7wLsML-(yfDrgs+Y%VAfPesIk9 z`d`RF!S@!@mz6ZG16lSK%Au^;=eTtIqty7sz%IAc$)ChZWOcDhpunWGdDe4BBpnz< zw$*JxWD>jsnLn6J20uDEr>ZO`TWN7`*) z7oex4NKq+36SJ1tw|{+ZnJ)06)8k)u-zxE+!#w(#S}7a5ExlJMJxdc_MjX$Ho|-NM zymB3>$3a2u)#;*Tyc>!so^Zc!aEv{Yq%D)^5MTvUgFD+nkxTxQ4cBS$unl@ux)`?* z>6I{W1VW~5fpSg68%}(l+rwArrBd7gMUFnM>xPFoQ6QIZCsZG@B1?k30d+nPntCgQ z6ko}#_%`S~(ypU6u|SbXHVU|Nhc|0&A(LJ-*4N0sc3Xu^FHk6)EC1R!*DZ^ZfI4za zCXafm9P}_d_qAQs-M7Jm$t+@i@uE!}CTBp;p8YC%k`8rrbTR`>_Txs<3W*w1w*Yq7 z{uG>i%KYu#P=y(=sZ$kLGa*8J=}A|`E%ZGw9cdkgkK?{k4;ut+Nh0WUwK5o){)_@p zHrS&UHW$fN)?Be_5V>w4LR8&j$wtr&w$(%k6{0eS2Y((X`REd#`afoMSn%tNG(I*@ z?7X=A)!|6GT)&CP{5*D1qFO*y7Zc*YUCyqd_>4q>&PIWN>@Vfb>J3lD`*FsPKv8X= z!qfK?kSt8Ba;&&M79#2 zj3I9U*|BOEcM;wv?m=Lg`7bkon~R7}VD-c>O;D;CSX>aG1OBP`Fe?FHjSM0O)D>g&JF^ zselPFs86Y?$p~|Cdr*|&@B>Gej)%i+REQbH!!%-xpn)=CZ3MSh%fEAgt0|P5yb=%u zJiM9onK|n;7n<-nV=l4Ya*3T>oPPCMjy~JOf#zS0{zBtxF&b4Z5aGfcb*xTLac#UI zQg;1nbIaf_&9Z=|2{Xc_f{vfz94*BVcJOz1GYVFqs+AXo(z;@hqbtA-uN)!Rb zo+feLdnTAb2s3y?q7u9U*%)%@)9hBFcE=-wEo>3Iwn7zl`oR+6xu)Jaz$3e$&pR$K z(^QNx8*uMLJhpDBPd=SXVqiUIA2h5^?G;hEZ#d=UQ1T2IN+c)_w zPs>e!3Ix^Yo#5Y@MAM_sU#dt}wdi$%?JZ5t5U;jbo*6mX+cU%*emNF&{!9n2H5wZ0)Z-pV+7BayQ4%)u||^kg9VXj~#; zPso*Q&5~0{%)neKqTb=;zTD>kz{E;6g8oSah3saK3|_KXDC4X0Z310Kp4R6ppn=3v z36ZE==#xYQ$AfYD6hoCOOg}4RqXo?SWy(% z2cv|$y5l27x&dK?fTMRH_6|eU5}X92N0D99WpN6qnv(Yk zGRAy3ej@)mYSlj7Y}V8anwdZ}co!penuNIec|Fi*aHMkfz8I$8YVvn!zg_ni zQ$g=h0=~?j0SnSU1j6IK4S|nOtn^xDL0hcLQWf%|%MU@F34?q68F7AZYB1MAFr+aVCCT zYfQM@k(sMN&ta(+>~gLqA19M6(%69OBjF`Zbes2Uu;romUK*Wmx8F9rW^F$lbBI1m zl{uni6~5+kHy%mbJ$}P>vGq-rHe{+L91Xgzk&XRB!sP*rwjk==yV4g#q#eF);Xsy% zZ7fVuj)ePG6{KPsJmVu1M|*C_nD`9h{uw%o9btB)JaDPUy!0C`L z@w>5;`(rir{g+*Y#99bRDum%zm=>}*Rweg%9G5t6uCTh4-Ei+gz4_xHUvHK~Uodsy zuiwzWxXRRn(^<8NdAIGy>|l;9N*=%IV`X_J4|wOC%n6utb0C+qga?a%WQ@i*rNVQHcearEA14 zOmy9|>{E$n33||&E=4K|!_^X~pTby|biEGFq#7{^`uQhp&vawQnp$q zi2`uR$C`uOixSN|Sk{pKdQ}s+m_qk<;Xq;f76KuWRfIVtDFBoGQ@5M6K6Wk1wJgaQ z{2t)K1*cYOuK1Oy%z||bRV~%c&^_l-=tm*Is{C*RPmv%3qTi_vW$1@{{H2E(SC#55 zsXkH5VW*?}2_4TCxhondm0xHU?9o%LWr(xW!3rdOZhyvi`=z1kZ%qlzzJnoyyeQx2 z=nvRv*0|mFZRqSbzk+Zwt9YJBqw@ZPoDHD_p#)T7#{ zSqW=`cMFnbyVQh{uQ2c*FM~<4OTbaIIW;``0;^rGk6_8FuASAa7Oks!nwdE-`JF2L zj@-CrZc}~C^7GL{tMK5x8R+`cJ0q~~lxSvEd_X69(cQkn07>8M6?nA>S~*yt#nOVY za}05kzk(;JM&f{T;m*9apy)qka{qG%8so@(B#c-Bso4a?8Ml*-ei0e(l?>IR*2vvj z_>FhuvnaPXT=4aq+b)Wt;U@*PZ_9O&wQByY=#lrUdiHx(^M>2Cun|=xM-_=>braXR=hQgyvBl4$Y zd&F@|8pC#6$9?^(Q;!=vN91dTNK&PT!eG`F(!R&VAZc0=Bwwpx_RBsC8gx!7b}K>! zfB@+$Ak1ZgRP>K9+zU}}9{sy;UmW?NhNae4a(F~4HRO~9cWz!Gw(D8^H1;~)7W6BW zVQhKYbQn&N`2ZqtgtJnsl#_F_wEmJ_eP7#(m|4{t8pNV)s=^XUM#;Ykr{<+Dk0cOL zKynlRi}tk;OF+osR|~I9m2|79B2Kp_rI0A(sRlAzH54qDTZF}VsW zi87&|X#(3JZIW-SJ)n8Q;L>3Nl7mJvUnFG+t1;807;mqHmCcKY=oRbe+LUS0P?h20 zg71l*hm;ApT!vX-sYeNsgz@ke@LIo_NWNYMGcaS6e*fhO)4C?$E3iOrquizZpu*>z z4;W)oB7Pibf$xB(#OvA={TEs1%mfMHY~nH0Bw}|(OO=u6F^!fyRe8dUc3}Of&B@(x z6~0`iy;Mfwa)xsB#BrSeTkH?&8n4=s@Fkf#&7E&$hFKA*rEQT;rp%LG4h5Va9;QF5 zpU=}pI%!A@ZGS)Wpc0p}xuq(Nd+y-Eo0eJj03QZif0(?9e3NqWvy{H)Yt&=QTdMZ0 z9^iux`jYr3QV1L}YDdJJQe6hM$8RAH{ZcV`J?v%WW*yD*zT=(3KdDsY%(3CTw|Og4 zgW$O_8+7Tu5?(}1;YPAn<04~B+V}0 zdD&;UR4re4*&sSao_><(_{4Csp;TTSg1L#5oE(v|2Q0GT1c0OLH(?;{Qn{&$IndKZ zxXa_qwe$tAW~f(G&uf}d^F0Yi2Hn=Q0BTA6xbMfkMOwY+G~ra;)&+r;E<^?jAU%g` zDh@LHvWOVkcC`gr1J`%|-9+CCCtAW7DBw7=9wY+b5QR#XdBS-)N8yD}E^+Idgir@w z&Cfu0akB~l+V+0}IHGfY#UwgX6@`=XUfp85Gckb!;%pQJGqVs91xrO%kQY82d{KmS zH+Hc`VO~=l0ObHrB3_U125U`ZE`BJ)L&lN{AIbT85?<()L?QCXynZl^h$L{D&sCEz zFRysPfi!@&NRfzSrb$COBD!;`1Wl3p7WVfSQ6((_pn|G~iX~%JvNPZ*gO?ZDPmd8B z6b?{M&FPAngtzoHtpnjB;jr(@QsfT(LAYD-|9*c=ZV9F>gwk%<3}|`J#7>|ovv-dP z)ZKkaBtCuNb{P8t#`M1n#+Jly*){le{Q-sUvEM>)Bf61YQ@x{h!xUicMq&am7rN>tIr<3|(!2uu$Z4rLK*?*S4?$sF z?}?HyJ-){Wb`63}OK&Pcx;lLn3~=#@4-z5K%Z?Xv<@9G>k$8l_9ROVsQ|^!}L$fJ# zXUZ$j-bDf2TkxWv&PS*?Y1jPQ0F$+=tfKyiC(TnHEuBqbvl4%c)40zDoSfeYBIzfm z-`29O5-U#%er7H3H+JU1O_Q_l0{SBQCInu&#+%RR++TjmBoGFDP~s`W&Rh`OLLNH% z;X}Wv*Bnw8k(iS)1ufLtXJvNwHaJS(8Q^!SyqM{Q1k**|mAr2E3T=&}Fc8%G(* zIMMv`{0FkTR&T1pRLDgeRRGb`T_j3`%iBP{lK7Fav$?cnE{+S5;nRlCAD-`}E2+A9 zW$MbVt3k$}0VERt-nq&f3qwF$1*_o3yRl+3{m52ghz3L1X6Xy93wMMQKm+&Cq}iCt zfsq=8s^6#0K$!=)Nn>>rzKS{%xEXMUauOj`U7Bt1ZXU>eg46G~>rR&rEk~(_qE|tu zhXuqnl>(pHA2opAtQitP&=l(D?VfIdmfW2`ZvgFw2{>+Fh0m@n zV))M#*HK8n#W^qXN0bde#}Wrj_n7p%S{e2<69e{@S)%j{ZiNgqS3acLobwNlJcz9bx-()*Hp=N{^u_G*ZoxzCOC zQ-*ZN(}VKP65;aPm-h3K&nWF{w-{s;S7QoE>|r@0=-^fKX7jZ7?k^eoxbfKCa=r`WDD?68XB#i&5D%;L6V zc;vY4&FKV*cPXDL)fbL7;!s3&F4IJo++Us_SO*9uzkV#w9)z+7T))z&3M4+%^m+ul zH?;lKs=X5XMc&K;^Y{PZz&;$N{}-wSL63p4;^O)D#YA3pGMtcv)~<35^&g$$JO%>D z08*d|d?BtAU?#{_$#moQp&NqQH|k+muz+g|D8q1Wjz=>={gsw2UFEqvd*o7n-qy+{ zG76YndHKW3J#@fHpg?N2q=Xo1jzGac%N1j!`5T-|&Y53t^I9;~`Baf~d)n1e--7Ly zmDpfR9Y#xrH1?K2S3b<9b3I~7EhPjPiVNmuPYzmc1wz`4=z8k6Yqyt>7GU@mF6Ij= zzAq8G0!$jH_y(+NnAZIT2-*hH{QO~l-cz62`slsljZaj2o1G3&NVhM$%UYzLJt%j> zij?>Yf75yW!-}8|NJ34XhwQfz*kyt!1_5RnL$SvB*J@LBq$<(vDG5(7fFJO1pWD3#ca z21?PAmS3n1iwrCD0h$9uVM4Rr=^`XyiGdt2M;AytPF4d+_NXNBG(BGW8xNFPI&?8c zKi8->Pt&AY+BB}G+k#jb0ev;%WiDLPVVvjR=6gSN4c6O821uzr?5BnH$tSn#BL?l! z-0mh-9Bm89`hV=VP8Bc|xyFg6Mv(mE65m*gTg;M>0hErXMkSkaNFRQc@1efaFQ;uo z=xWuj?6`^YzTP$FIf(#mJq_xo>s5UZ|lCkd_I!g3iB>*WC3d<%Ue_ZU@)d<9{< zP(Bni$50sGYV5+|aoMd#Q>;ns_519PSxmia&-SOk?oCy;I0HN#8~=>Y^Bv_JGEeHo zYsZGbpfG6>h;#v@A341`jUV-e?D~Nd^j+?h z0lw-I;GMaDx|MQh(v^$0)G0JzJ;$e%cR`x}Rc`=r6pzQWwWoLz3)uLi3||T%eKj#F z%N_IioWJL+x zFs$_9^CPR`EX#+gZmnnhn$vj6^5N&&Z~=b&Mgx0qgbFdM;$0ePVrvIaBkBow)9P`B z>sGZ}q@{Iy%ZD%oM>Zk!H97*qQA$?p@Wf0bp@jjDtAt6O34G{y=SCCbWrSg9OGV0O zl+eEiu93EohcE)%xumF^O-@aZuHvV zyJyx)mDQThDa%nCN(qSFolp96kr4LC>x`~1EBYaIFq%NvzF6yhEas+mKVWY*W5jVR|i=mWB(qQ<^8+BWR79=(Qy%eM+LLD5q00qcP_ zCa*c>3+i8A2fB~ghuTc91@0T8V+$Yj5#4au&+m z%7Z0s3)^tbc^-7>7r=UXwMrZ~hH$!gykoNC!?IlTOCZI82bS6u0yw42fay8dqmJD5IbuhoGL;neO6= zp@ZSTOP9CHY#SPE^KkGTwv`6t-IyP#5Vx~kg<9pU*O?B$8d=WqLQkW#PvfJD8JlrgmfuI(J5LCH<5<70g+Q^hF;B^rr<6GBR)>)Rhvjm<VY}4!OuVIU?y@&gDMY^Yo*Z0bg z`@N?1XMa6u(%oF$fbCvxPW&IeY?MoVt~>QTCgll`qX|s-$UP;SDGQvz=~PuWP90gV z@5Nm-X9o;nw37`Nb##X3GZ;DMFCB}VvIIZS-;YN@vwTPQ>0kxyIOL>fXY)>I0 zQhx;A4Oc{irFQyq%c(@wCfac* z>5<*~#J-Yrg38#YMf>+A*);?aY_589fO+sWq4^U^^FiO2@+m@dHhC{a2~*c}u{-F! z5*rnsbMCH*k&pjk%ecJ%4xCFNg$kA&7!@Xi{(UTP6n8F;OCwJB;1zi7%2$?}%faLs zlAtf(!K-T!UF0$(*p{}V-t=?d}q0`Z5sUWC+u z4^C(*YGeaY@8AY430-s;( zv{%#;)k*ui)uTh%?#)u4@QB87L0p#F=OhMev0WI)rx~p0Rgo+SEegFxGYHM#oL} z@SCpoHLS3P`1^Wuu-4e?hM5SU%98I55l}S)ARaXAm7uRJ$dN4f?YM)9j5@(-bUQla zSlB?3+vh&VrRoI7-@Mngr(Om%Ok;n?&^d`J>4QX6#1S}BTfgbrMqc{M4zsn;sQ@v^ zYNO=sh&hw^3sT4NB(LAnaoLgfY*2Nw%KYFI(LrqY%R(;F)G_2ihZZg(dJf`Ir=3z@ z4dC7JdkTCEBABRKBpot&6{dl842`Sy`v?ynI<-BEZC!1H7>G3kpMy*~B3ESG*Bi&e zHjU7rJWuh@UagaFfr>m1I?SGGH>hnYlzA93(SamK?x8Xn+jA|4r0v7?M-nLh*f2%e z>k*yC77k8RVNr6Ao^P8|Xn96#6LDShHzF|SSsVV|AOz3PA`k9W74xbt92^R|X492W z9JEK;Ut|sDXNT8&0sX6nWNB{IFFaA3q0?-BsoaV?h}41Sa;=T(MsmwqSalrLWUsn7 zNSjU7scE1w|BaVE*NNPONeOQDY%H<7*%goEy~*ON>vBI z6$qRl9_Ph@$`({UlpYB0%Z?er7)Q4dwaJ05fouRWXa>UujZAILTW2NAE}s5ntz4MY z#XzZbRz%mABduoD zxesAxE6o2V`Z7cXjm{&ORtUfjqy2i{>Eio1g!xg{!?HJ%Ptx1b@GZs%%)=(ce9;g2 zy^!-V&;Ft>gAXdY)^C_#oCPkWM(6PK&&MI}E}7Nxv5IlYXN|?1Aguh#-%jPo%R7 zt){{E)e}>eUu`4x;AZ{B#IvVpi?GLhBLpewT0IbvL*kw#(fQ>or(`8KV8^(I~V&@mg(QFWOur7?s_@F z55Gb(D=iU?ur7Mm^Zp|Jlq=By{WP`ViXfg*qTs*uzBI%GRm^{)#NU7)2C$Poc^!t( z*>kTqQTTb%s~Y>8)=K-@Q%QbyBy?Ta&v0Ax7(hE{%#4hjj;NjEYhJ-I* z%J_LbQ^X(_(JVCjgYR5K7VOWS<(WDdaO#2oBtQHVWD85zKN(yM5&Xyz0Z6+_jRt&G z{o3=|vEWUIf(IIRcXxMpXdt+|I|R4j4k5U^TX1)`;j5{cxpmI{yZc|)TdSV6_Y%u37q_uX zk5Br#DOj~0y_cgI!LZs~8Zc9Jl%A*h9fJGwA71dDW=8>DO?Pc#0gLT-!K>?>VE7T~ z+AO{ELhl$zLsvk%Uxk7Cj{5}I5osKI44|J~qU^4;IQspyb;cCpp;!@r3eA;$e}Qcg z^mhFL=+ff357QaSu7JU=P2LR!_1VG1%XHvj1@}i9lMZ7fpmJ>8ee+d=@<>+CD_djGQMsDKqOmO56M3D6V=h4tOWX zk?HRY` zJ084sVEjxeEj!s684P;sQ?5jBT}_*5B4;PQZtgE2QTFqI^M6LyWM@T1b6qPGsv`Oc z9~Eib>9AE)1Z9R_Fv_}Q3K|ur_W>+$#Lry)L+$nN##7wvim|LRfDTIfom9KgY{Azw z?>99BWG^U!Yrx40KVemy%Kso+YdP{oPR3b7nWtOZ`8?de>1+Qdn74#S;V6eepTwwSX$7)(pK3;3>>Ij}t&R1fo3A3H} zOXfKafsf3N+_~cs_-b?!!^UbdH-)dkZ$bzqDF%YgR7m8@atzwU&IP;MT_7=CSa+B+ zpyv~`7JSMu-yt|cAB(0uKticeVsK;)Q*hX~u zJhxpWD7QnQ1b0Te+gdAvvJen6`z%*+w^{qSeBSUfIdAWG8HfAed6yTy-eD2e{d5ea z{XT2-chnG8=x{vMT=zy2$^?p3KwBAkkv8^2Z28Xur(_;9x~QFELKE1K#f2g#8G(g^ z5j<3=-TJMN=Y`0wr6t?BeZ_Iy{%Y^X9uR?0>Cx-{a^ny4 z^}(V&!#0LQ%RDk{Rv@f`uCGAaqihu^AG|imL1SBiwAxeF)&lZtSG6K4lY`kvf0Q~3 z^UCqt3mS`rwdsp&i;L(j%hs2K6uUC1vg4DMCwsw+p0zuE=4=0GFbCrrY%M2Lld)+| zM588NzO{zO|FULTpl>VS{1<o1_ahoDGfg^E&2EFKr6vkC4yqSj>lfLFl)W za~ZkYLP`SIP$MEj@rbFQ29O_U5e>#m-d@N$jz34cARl4+eRnKbT*@WT2zAQEm4rK@ z?Byq@3#&Y*jJllB+O+}T6e*%#9>$Tl1w)@R3)H;0#v#k-m!JM}lWD+($k#Q4y5k4w zT|Nr@Qflql)q|2lnJ@p{EVl2P2Ys6VgPf;gg#i;6a+!jRv8DsM7As=8tUs#_mxjFC zXt8qwY2@g$fi?-txIq%Ol@2kReM>8BG~-NfrLPCW-M<9|(h6XJ3B=5ebT-DwU9mqx z=4-$Y^;t37{9F_;$N31!5`b_`Pe%X-z=L7tDK*>u4vNavU~8ua-BP7FHXv%b&-D65 zvPR`MRizYo<2n8)1GNVA+gwd=Ai>8KEqq0$^1i^wwZX_K>0vT|wzs%$4+ozRa_cC# zUogiNY(~_PocG9~lwQmN-RiNseaewH?5ddBZt!!wi1nuXr|b=595jm&dYY9lH{I|b zh{RFAafJ#PXB>I#i^aO43nH~3rp*1*L_jNA&NzUdp<1`#gVpFDzp5hPLaRG?|2t*h zVLaLKfHueyy|m4>WReZr z&yh(uOO_qG&YX?{OmklyCrsLkH(#rct!T#Cn){$vB`mRNS!RQ;jdR& z$^?*lCv#4mc8v;Lb2n5Fx&GA*;;`j^vOhlWWygB%Fs>vNX4)A;L(!>o04pRhUO}_C zmDV@2=Y&*&kbxbaIiv~T2r2SlD_3y8ZM^n=IVq3i@7>ec<{MhZ+$1oU{pQ<(NxM2c z5U*#XYiH{K9-KWhdXeE|r$JjVsML%B#=FN}(1pCZP29(g?OSq~itg4IAjp~JYb#$? z^Ixw^3b2pptEm6ycKsj4>UJioe6sM%Dvp7CsQRdC~>OxetTXOn3n|E(rM z@$U>~TvM{JPu#QeD@Gv`8pv;Fugm!Q6Z4eT8p3T<3m^|-fJl^xo-IJT!ialBrI_6( z!ng{$P=dT1FK9;AhR5B@_V+jy52PpG1=^EjaEA?!bqxrVT_L5OQGK0*`4! zmL&#EuCw)LJwdAdF>8SIB!SWj3J)5I^~g`1We0XXWk9qBKY+)gy()>gJs$x5Us--) zOuf=2z~#y~jd4d~Py=2}hZS*6*+(xAAcWMw7#lw2Uh{t-F-F^g13t}9@Yuv(2fG{y zF$Nv}(v!R#n7mvJeD@u3ET&jK7*crYW)th&0)y)k#z7w2yBH*CUP#~aF_EIe-# zDSl`)Yi{MuW6ao~1<;xmbR9&K(5g5;D$p)moxuYSLv2Xa zst{)D2Q+Z#6eAJIEj1$GwL9Y1>z~Jt*D2JNKYAcwo?-6UDraZz7SDT?mZS7{|Hgx0 zuUmysqg?{^m@U1A2GZod%qW<-Pfh~!+^w{P)t|uq&Bo&_ne2TX%k?}vsIH(#v2I5R zcE6o!)H>gPpxV=rZ}2PV>(JdY8b=qzu74wq9((_bfeLXEy@@rS4TK|@k>X{}Wxcw8 zrreR)ps*TIocaB)zYMfTS#|Ca)@qnL2`>dX(n%yP>8hmjMwR>eqsP{+_Qpepi!Oqy z%V3C%;I}T;&%{;X*;wH@t*~!(2}Yz~M;uG1@UO%^Xm=bE=e}d{a*7Hq(wr_Gnu6@n zl<9S5Q4>WXwAENKsjbqCLD7#Y35HJXN@Dmi2E2>8RNpf{Qfj$PhmLvhynBl0kb zg7p`}&!tnrI(U0Ld|3Z{BNTqZU5dlIea96_L&E|i&(W`TKGj z5W5@if`9PW4S5*L@ni_B_M}{YKQotE3VnpcU3;5q_jEj+3rM<>X@f3%S={RPTlAyaTS{j%dZm1iunDY z7>R`*|0O=m_-=4@mp*?e1l3G|FRWytJ2svqe@vOpox zlv*^mK>nB!$@llEZXM1nb_{&iwkQv?0`;p^di}IG2K>_xe>o}g*NZ&2@5_IR^qDCP zKN05tdyNU82?0}19?g{+s6Bx(2*oy=L-l-C_R_h9@6@R6-3_hWi9tL&+1b|zFQCy1 z(tHAv$HEM@wq1Xa#6W2GwREHNCO3l-0o3GeoHAb4@)gSL!ALLW$nqJ1!_p9)43nxH zf#$0yv8Qzrx&PQ#8{g8rvTu$N6o0{zNC7~<5#yEZ%xr@h>CCTq2j<%FCU0$>tDv3P zhl%PyqxnD34vaxj&uTbPRKP{IMp5__Uhld!sPK@ndp?Kmi1`FG1%Gnb}U|WJvfT%cIUB zEhLmYlUFBl#t#VyyL@ZJF~`!owRniGdqVxT=!MRBghf7={T$~Cqy$VVAk?=j-oyeHiN|U*#yaoM)@e-dP+QvN97|lqgy>x8!hy|C zqUJO-sM4I8Cr6m3RycfI_Z@68?UrFo9qr9WVbH^`4$RJNvKgV4>8u?jYfJ6Y&|akq zlAMU5dqg{grOLpwe51}OcI{dl7^Vfr{@r`uQ#JVdy`^sk_Zz?FS~@F;qoI#`)i<8! zWLhPseXh@6*0H`j-cDxy>YwS+#4)%^-}F2iqreQEjMQK}JaNSJCjP^3-1}zc;=w6O zB&Aw$E-DAv=B9LhskcD30wAu95x^aJuR%x-^b&q!V zfls^;5pRXnxtG$Yzl9iQW2O4{VM)|BRlbASSDO=$N327g7y+vf@bZz* z%NRks-w8DkcNITW{S~_+e|E;on;D4*Re<)Jo##OyGz9~7Uw>XtRENrDarLj^>m*j{ z^i6`!wq&SP7Fw@+xiW4w_qP+f<0{f!#5?Xy#Fy=|*q%x1OY}W*6ArfBc(C`P2R0mc zUJtrDu?3{ottY$}uhgy&wuNSL6ea}SddOW7!smNL*ifbcT!SBDic3PiBV-Ivuh!Rc zxT~R7*xzykA2xoe>&<#^A~g8A>EJ>n{X25@89mVq(u)dpbk|*Vqw8{+WnII)BPho;a( z>PsT}Whq#AICi)PuoS%1)mPC?#8XUyEiwtUxu!sV;LoPChCcWLt1I*#l;d!M0>P!5 z8HOOR-+3+_Av{INx|rn8?dPka&=rjn;xHOu%@WgLmo>I~i%c6J%4EUNo7%gM$wSN$ z^r63mq(@CH5@4ETCsT57H%4!!y zc!Rb~OVBq-AXPbvp!2G^28WHkaR}&iR)me4`mNIlqRVUIqlImbfkDp~%cm{3`_^}& zZYwmDuJPA5EWl+JF3Cg;d6Mjg`1z0hFu)5ET@Cp&ON5HZz(z(?40Ab)r6c!R;dMlr zz7`nNY-aw5;NEMj`@Ruo(}1R;~A_0 zMRQkbDM3x^QB6x>z71WpY6$T2xjMF24&QMBx%H0Gny)o{?nvLU)fmM2Gs_@iZ=8~xneK~a(j5VL{@B7J z_ad{V5x0)<;e%US77>;CB!eHpU{dy$q=J?XLcCLygc{+zw);?)Nx*lww7kRvf3ru_ zSXGWJc0NvMn)@C)McYyWZ@7K95xys-RKejwC?>RV{9X#aP9M}TKSnU{RUgvbuV`%! za3X+wrSPpu4bcfs*AB>rT1#YRuJ6<)tBxASUO!HZ{zo6gEL*rdDQE1aT+ zqTlc>^Zn9QzrP$~0&amm^gy4JK0=)zW10S%s;bvE8;KC*~r%9AH@v;|gX2Qy4Z)C-YXS4%cYjA$0G@pSgdzH(|v5 zu7dJnmW1xr?i~6R3%ci`-FOkmzb8jj7)#!KVfpQ?xHFj%D@+%+Tmhj`$$f+BCs(qG zZ|C`hp7VCaG10m0yy0gihpEuzOpqCnCD63y1bPf`iWsNIRS7b!*=Q%re~>b2lB2PF z6&H^|$IFRRy3yPWC(oMheIfOIA%2YhLtPIUe8$jDvHq>DpjqNM1Z>X%evYf@_Yd30 z80I`h;=>ZbKXQD96S=_~K(fEeo5GaQva~>tSh7-1uqZmAB{{b<&H6PrpWyz0XpgD< z7ZtSxav`1Og57LE6Qy_EL?fp%T$CQKcO7(HIpOu8X{Nm3@%l%&NyHN_&KVx)-y?62 zq@i>*rf{%jjwTcfP!^w)QEi~t%G@n9Q^P>kR1#8_gstqB!8`1oFC{Oxwe8X?f8HOp zu$m_JFycW`y6{Xz+$_G{r~l^C6ovr`{}p4xOc4)bh?H4GmwOw0<4n5%<#R0y#SNBC zM^G2XRWjtwI$Of4Wq+j z8SgYcm6$ilhlevf<$_rD82mmg_&VTp&&fgJQ>o!u z;5>IzP;=>V;l_RP_R=RAIpA*~LK2{bsz&dOv~VCg0!5Lo36f!JO}QPPHuk3rD!1C@ zNlK(3>W{R#;v_A6NqBRU$qYi(-L2Sa%Hp^-ndA=4zBF~(F6+LsXqI@e54f379@*w;cIP) zmq1Kvj<#4r2!zHg-Ua}JThHS(u6Rbdz1i!Qa>)*jk{qb>t(DtiPUk)UJzpi0RGg22 zZM)oRVnhRR^_`nJfSZGAd2IHN6)_9g%^~*?<9i;&b3nqFsSN$JS&%z!N+z8bLxUe%}1X_Kgp8`(-Qg7R6ge?O<4mK)QdiPx6 zk8U*ins;lF0_a)g#Hc|if9A6NiAMSyO|>BD^+ME z95D|v&W+d1i}gmt4%B=m6;0s=wHSU81qED1_rVF)5eYI~G(njyeel)HYpZW2Zl(&p z`#k1>7>)K%GEn~&Z0rv~N4!`;biJC$-V3i&Wf@v^5|%w~({|7FXru=pgN^@l_HFVYa~ZDEjTNzZaa!}rqSMS>9LDW zjj)X-wT^&i?TrAV3C*Xw(Zjn%g5v0>Gu%bzFyVg6XhX7lq%Y$!@O8IbV(m{cn-+LaX<*LsF>MB})Arn8?k@@gGig z`WGAMO1gL4cLjH6wQGy=DLyw_KX%dYI)ZO4pyUft=mnt5C15i8O9Gg33|7qSjJfD? zFi^fGWns1{cPkZ%^s)2q)X0y^bK zXcKbXDrf3kaFr*9xH&68c;4(weCU|@K*!+b2%UGDPGCaNbl7lAqTR?_=2aLS5MRI2 zr%zOX#`p1b@ti?^+5)@DGXvYpgi?Ry^?OpT*bEp^1a_G zh%xby6nQ+S8d_y+$AT<6yO8&coan}bxO}KNf z0P#;k-zPbz-Va$##!d3xPb~@&-3$J~%JPVOE`UiO5lD7-$DKHy>j}T}#-(@Y^G|x4 zU?OxajHR4^-^{EfEJYbIDAWrQ>?1w$cDqXH9JIOZWG9(mLHH*31?^^t`A3i@;po_b z6@hm%^1Y<^L6edtlmIbMiYIo`MvBjToa-F+c9B`lcrX(lv!6`q!EEP1mHc5w=ibs!R z-wPak_ig^7tqcTmH^P;T!!!gMTFI4Bq(m&BMNoIc6Rp;ZtkTt!{vi9ZQuJnb@!ZE! z%{>ra$r&Tw^gEzLu9rInu=mF_l0$YC9EA`SR&%Ig2|k-R#Tc_H(Gnn18(%6J`leAl z1rmvJcFZGnpt{Q$aO9}8ss`%{oT_ofWvr_p;9=oUX1%1@@(3*yNmASR`1$fJZa0P> zJ0G!4cx2DW)d~64(?5&ihc-i?vba^PYLi>g<_M*So%#2mMuaK9V=HGe60th?85HsL zAN&Lxmjj@`+&j~?cgzRpKNdKmck-QzQhg3jdhHrq9ZtELJUUz%p)+hefNKqI7{7{N zQyA=qbT;SSHMa8kY8X!zae7K10Jv*luzCLH*gx*y7~8McMO4QVdNWzofgDI2W*u#b zCaNjYNy7OFYgc8=K#A|fIX2)T#G$7YYWRVPP!Z@(7~+qApzdhlW^tqD#L*x$k@(Uxy8iYWQ>wJ%Dej&PUVcZs5lfM< zpcTmlIUfDE&@yOrAnlIX$pby}Kj#?}e_8){EP1V^C(J9V!Max_Z7^n=Y$$&6cV*68#9KYJSV*p z3;did%0jOHZZ3vL^r35zo|(SPRdDc2iB6Kq2hcHm2{Q{4`6OoiLvuUgju0!?iuSn- zYJ=@J_42&0Is7urQ8I(2OesSru$}~)ZCIVTV6$hAA&-sruj``NmsJHYSVo6%Y5BZOwoBIwOmad^lb>3g)mR2gE}*&&a*+A&5u|rC#6j z?O8m_QFt@~QPtu^z>dH(&K#C-KW}35elu}mbu}HnL&_BKW@AaS&8|hNJoU#<`e>6S z=%&N5w%I!ZBS*5A;qE_3tMK)mN(ZKX7RL^3yPMs=AAD?l&gaCaSkx_^8zTL$|6fGY z|LD`-5a5=#ME-N?n-6JCN(?7?4bGX*ngZ|wTMBf>(?x_Q0`QuouwHHfvF@M@`w_ka zt{^;15FH!5LsjEhIA&@TVUcatc^dSy(4W=d#o$34X1(9y(~!`x+C#x+jO1WC*EzuB z5j-Txlhswa3%{dM3BH<3zZ&9l-@71bzf#ZSl`rQ>s{tnSjT3RKj}K52-o_?=YeCBZ zp@)E-p3!-L3VU$FVjEXug*Rf9KGMoW1k zW?AOx!5khS7jqh00Gj3v037$HE&>|j17sxgaLQh{e4%b7TE#h(pM4$&NRs%AqKW&f zwsY_n!)v{j9nuTQvC7+@vdq<3I-!8i!|#Z+qJPE7dzSY}hT+=LqlLAe{`CXi#JFw7 zqgpYkuGxr>ky3}b=Ao)p=#@n+GpMaRp=ThF0K@aQoR_lmksgl6YO_y^R?$nxsi`xgb>6Mx6ud55s7Y^iM$r?*J6pTM1f=-IH^8a<;fXd2 zJV#a~?8^$EoFO*B*vpZmVC7$6cc5tq{|JX1;yWluwKj9d%t{M)rKQ-7eeoj{k79@j zkpbjEb;JC?L~O^a)F2aTK#L1YqA;-MNi7$s(y9ITUXHji*n1yL0)X7|!AV)6R|hwM z0_OcCE<*Mx9VN%Ji4k*3mN6*#^J>rZxtl3VG9D99Hoix=fEicg&E6zj#iHT;nox`a%zb4%to*V4-MU;smeg-T_( z`dsF_1+-PLoeMT;xVdTE=gM1@VhH~s4z?wSPL|^o6L(VVn{mQSQBeA8Ht1%)Enpv0T0<6+JSd`2-FK?OsO*5qMj6`Nn={ZqzahlWg8qLayDLN|D#)u89Va z1=tjLE)+k4C-xP?l?8)gfR9(!|97^nwN1$g`q>@K>8`wLDnp*3PA&ox??T$YQ55!P zW9F1rjN(s3>~5s5Jtz#+5hF2c!N1KR0*o2Oks>y}6)1~zW{$>SEs~rz? zB%3aAHdaRfkYK+PklnFH^Ggzqgx|>mTLjl@TB;NDJt7PQndifQ=Zd!T)x>@fo^WZU zNKW#}iLZ19pi1<$zJx0>LxpnaXq5oiMDAZu4M~*uhYxUj2~cr5RJu?0r|BCP)^bCc zMH~hl#EN#%hrY##Op*tp)#9ZaoZTg7i5Bwx3lR~S;25vVaz@k<;)=Q0YngGR!8g>z zidRVA{UvBL&)b!wQG=2S47He(1nMq>^s_dbKl)#?inOoBq-FlxFagdKx&aSxqf{?` zZdds4W83Hgjy{o{80jxW6>KOS=VP@L5|=7fzd=mT2q!;2!mLmA3!q0lqT!*ol9K=dC ztRAk0&@`%x@J1>78-{OjWEE(<+1n?1h`Peb=wyMZiHBGZ|1%pwDUsw=#m}-jEE#T+ zCJbX3Wu@U(m_lE@Gmj`E6Nvf4bov=*kdSomW_E3KV;qd9HGE!%fMu5)&%8%#X> z`=23d3NHq$YUDbU2AvfsD9xLH7L(tj*E8Asj()FIiAC26Hg$3T-pVl-M9vL3g7TtE z>&-Vcb3#EFlh-XDB&NT6JfqSVi(7S>K{xHF!dvWbW~I?}xScg+$qMe@8iL8i6I~qp z^wa0L=t1Ou6BuO1;JeJ9Lo;=4sz)wd2eU8`Q8Y#D^hI}=Xgn< zZ1+Lb{6mEQV?IBU(mo^zL+PFb!%89C^%G`vpNHGIVG+gbZp~zBv3-r=^as-tO3iZV zI&}%XgMQWV3B_$ly~Mp&BwLtegpieYzPxWcoZhq6>NM$&Cj_VqVYml>xF=EaV*R!x@r0kbrjSRq&dK zvVvggn3s7@|5sX=7B=i^g?Ge-JbVRjFn2x2WF3f_j7019M6`QpuTR|d;Fz=G(MRWW74(Fn8+(G#UiGubu)9+;Arbad~`!CgvP&m{gDG~Z@E zuK3kz(OFqotdufBjz8La*j!e~=Rw+ms>(?uv9?k8XJ)fj9TwjlDkx7{r6&BzJ~aS3 z!VAGoFxNyi|EWrDn<4^>2d(GVIE2| zU+a;`#@qLomCmSa-}rs3@5di4;D60;8ctAbg{WUV=)P=-%9&FhUW`2dqO6Oj%o2bi z&-E4&q)ny`;(O5)_uzX98m*6*lo6813Zz3b>%WY*>dvS6FZ=5H6@d`NbqX$n3;0)w$Rdi84H?UZMp4*w?6^iFT z($d;?dO0iMZ{$N_nh`7pmD3f=WcJT7C&kXh(E+=Pf0*drw*{+cbU#Z2)65B85@pb10o{IC>KquqoQhmYhc0C(b`WcD?4qvq_SUvzrxZ z3$3vi6g#AXc0+c&*9=|kqQKqE{7CPHyLuJ5SQ1rom>pkyJP`$c!b$k)Zas;OL6USz zzig}Zzmzhk+&dU#D%felVf+BeqW%+}^OHQqFq_H*(eZA+29}ou;@#gfPH*plJJ-d| zv<&Bp)=7|{bIA@nO6cXJ()YD5td1z!vLROzS*_wK#>JG9E@^C*_I$2AS~=?3BrhXs zeNrCheLPd`YnIQhVgsgX0d(yAR%y?7;|}Isj3pSKi8!mEUy z={UvK`6K5TlIy9FBAmZf)y>ciNLA=mg1;Wp#H&%IY)ex?(tl4JQYJfC+@p%D)6X@f z6Ea&drl5*V2rg1RR%2xwOfMj*g3%JXGuY|Y>*Ka@XJ@hk3F)@1WLw&S5&ZnM^qI$L z@}jP@mg)InE$R>B+`u5&SCIUc0&Y^Nnzs^7R#9b2Hq+u#?DRXv#)Bl`?c_O5F9%C;ic#9QvLBsV5@GDw`rEq=jjG_H{TDq;cCn0kPYvy}w3Os>Hh# z5vQo7dmyJ{W>UQ~Mqc}MO7J!E&F!k?IL-kgVPj;S5+JtFX>sIAk1lO}uK_zK*nNuS_!dFq&;5^Uc=g zXRC)^-urORN%mutrXu>N>-B1$dL_oKyf%Cm#6O^{~74+(D(E)WUrg@oLBYili} zYK9YQkVL}-P9Askf+4%&@49f~c1thrVR$sv%|;nkC5P@$TE{Lpng_BYq6#qlU1)|l z4T}TGd~>eLh?)i1>d!{_4?89g5u{_ZbbPGKz?ID1uyDQ7K9iUTC#dTeCNMfbBhiV( zq{5*KixR*IN#uZtb(9Ay@&u2HvYCA@z6!*$C0E}QHx8)4Z4jC^hc&K%=l0JyL;~3w zriCxG1Rn5C%00HGb)$L^)~!}3E$?q9&6%Fm>>t4P#-`z8>7dveYF7}behE5-k z&uHNCc_i{v^<(4|j{lj69`I>%jwX`$8Ib0}MsuMOsK#g~X*WP+hlzS_U!1)_(8P4s zQ7CghQueRFKE=goRwcSV5%NaIr0&p~!my;P_v0ndpD=n45BA%d3Mlkn<5dyDex*gS zseQ>=8`>(hVBuMareKQ^^0O_&vU%eI=Y>s-341FEP`$i~h~M)nDYJ{2;_ZA}n_4ebnv-jAtNwEK#nH_}%*0lxGRJh~FkN#=HAP;1ukErYWgyMevW3AJ^^zNq&T;>;)yZ|NXe*3egG&@SlGy{0-EwkPRTq~~6G z(jZ@P&1?Rapcyx4*Qb1_gF6SZ^*)4wtv!~t>yOpJ>$%e~JEJatXqy`%a?v4Aoz8LC zW@Sex)4ZQWUP+Qeynq?y=aaRb-&)njWk*ktNN6XP>VPkftW@D5{X8TO*JJ}N;Q_*J z%cA2idz~r#*d*Vt^49DYt>bbFJaO4;+)9UJGY$z)bJB&y!Q4_=?A>ir!_v0YSPDm! z1;NnY&9{NMmT&25g03PEw+j<{>(sp#I@myYtNrswsJU*_4STokgy<8@N35gdySf3``={#|DtKY zEO;Hx7y(>eIRGL8&}{j5Lie3+EuTUy9qxuywCFZjYzPg`h^UNuz9JOqD#ypi1W|D8b@*mH?29CBgR)=CWmJFzjkn zl@>sejRMwf3;*&1+?SF7|I{oii@qym+5oWIP!jS>Fr}!{D4PhE+3!j5ZzJ?hjzvYf zym5O4Dr6>p|tZB?VUpfSq zB)}BQY{@4#?!!6~;BQUr0$wkt2i$4J($^>Kl4g6b{fqG$a3*8;NgFMk>)CSXIWYZ% z$AUhqT-U0oB$!R@!2OiG6U(#+*?KQXr`J$q5&s(eVj){gIA9!=LplW>hOg4;Nh6b# zc>0hWEQigHBX(J=9^6HIdxgHJkQ_7ARX3yYZe0B~R7Yn5h5jQ8kDkklZrmC+3B!6> ztrOfXxN6q&_syT5y{FJ$qB$Bl6E54dY}5OnD~@Qp5QkENb{sHh0oBlqiEX@v;nmHg z^DS&vO8wXch@m3pgA(Ef{WaMGPmP%`mKk_-3;_~2srH8cGz44mR_Pk1)`dmDjito0 z2i3w!E;)q!Zwo@2EDt>K(g$F18IfIG(nQwCG zeC77u^+Nw-qd<`VR!`6QPUpUUDeV5Y0()`Ul!t>r%qz+%^Okqlpww^{1m@R5K!AMa zUG!E%1|w6REcUN;-q15EJ>VmZ@+{(V?{-RJq^~~h&OeyK-a%tT zzDmYWL$|sj21O)lb!e*OQWbrQElz|M30_erd*zZBy$|m>nFZs}w-oTjHBU6_ghqCp zL%(mgZTU(mBs&1$@`HU>LOJ@Z zmqTi49Zob2lTuu-BAoO*84~uOab0R?x3Lq!AZZi-^e%VZITfr9tMyTjTd;Q{?f3(# zH(w5_p+Ig0cNe`Hq5XWDwwE7ri8x96;jMABW~mGzC$izl*16whu3$FK^y*$hP!?yR~Paj>>-B z#9mH$USgS*_?v%COknK~oR3>lRGP@k$3w<|K@Ii#Wq7cj<%X)EW_R66aU-kUYr!KY zm*;^F`WA6}Lp@|3L|i`diDr=vyeA{Mle1;M;NMp3nMLel#5=a?H;@qWSWV=^ z@8AvbXuyvqDrbV;dQyBuR?BClfjTA~u4w+LWGb$uMw{m142By*Q5O{LCrZbDi6G5@ z$7pZ$pf>0?Uf`VrOwfr9=vVD-^48G5OuS1~e<8^YQ+S} z(jgRO%HVUuVH*+tk*GA(ggxX~3KCY}NEH(>u|(e&nMwwI75A=$17#YjBoYyj8%iq0 z%>my}h_CD)kR=?>8OGO4#}a^q6-*v@O<2dpLyW+64|W(X9u{uQcNA+D?&=Qs5C{CD z0&Rftu;GgasR$a6a|u3zg%wZKXmo9Ce~53Ak<4gTqTK5iM8!PfrGukR7~a%kEuKb9 z>t!P0%TfjLa42{YvNYK$LEJCU1j~NKFMAdHGQ_)p(WB*-z)QmIlgamqaoeSWKc@8+ zOXljdtC?inpTtx_4gUk-X%&zITXDVc9b@Jo<^1g@#DipQ=yZNkH7+S=G$QHL8Rsi+ zO4Pm^V4-uP$8VGupw*HqJuLUC8tSS#$8t*K>uO1liRl)1p_AUi=6&;nZ+oPaZNch| z(i4~R*VR3{!1?)Sq2onWR-tX``(#YtRwZ07G0n^$z0-O2)gv|NFyM0GeS$Q++C<@c z+NCU@W3nQaMf-JTnlIvMvOYkkJA;Tx$Ua^TphitCBFJOrI809P4S^nP5{V+Ix*4wX zC!Ms218E)M`&(`mJ}r>V3!-8{ALx$gsq|hads)5e zHv<1Gi-e1nup;USZev~J1{(DSighS;_@@(&_!NN&sy4ht=+X0)?Ocj@#l(N)^qAF+ z<#y=llhVM+3f%*t%Q zzSlMwn`SZzezg=fadR$h1DfienIjhi5U%urW8YwQ1acyQnl>h~js{#*wEb4cOKEdP zF40Q12PC_=q$G#2F0ngRwswf{YuR&%e4MyN+~12R;7~Mc5C%p~y;S3w&l%)F6aVa(}ar zCJ-B04gHO!#Jvw9F})N16HpvAbCK0@*Hs5c#2eoDHdCNBHfqOJ?Rv`F35^q-kLYR#ACMV?>6?j2py9;QG+lq*b~w?-)GFar`ZKfw+VQ z0rBzh?|cTEN))G*b!MQ3X~JJYHvl#V$g1FuVwq@e9rva8cF=PcInR>xo9Rrpn>QB} z^BxhPS1tNW{40C?6i*Z0i#w^)4eMMtS52@fJP{K~%n7W+lfM z?8(Rbt_KiCwNrN)vx+4X{;rp4$vw9d0%3$S{85;DLj~U25OaElZW!+^S}Rp5Ti}Ky z7$ayph=sP+8QL3Py!RE_q|@<%hsjpJp)Z7QA%e(*5sBf<>o4?E5|$>CUx^s98S1x= zUa%r>d9s2&gqE{8>1EW(iT`X<$lPREI#N8?{FNyOFnJwEoK15~3C|&l5#vG%-08PW zEeQ|0#2tl<6UQa`RDqyE(Y*BsVBGR7VpWMdJ$zA}s30bfH2KqCt-&T%4R08jbihGw zVNNpzc_UnKF2fb)^U(M@xn?0PKa|*2+g451E!!gSJz*VB2(Su|Jn%1(IfZHr;dE}^ zXd~*#g`i*MmMMSiAsR)aQ)tw%sxT>^hOe8)_ojRubik;~De`TXYrFe|EK?+6zIFb9 zASz<|G`X1_a#67EZVz&5629p)kMI_Bit~4yVV#5Dd!D!R&@GSCsa+VY{RlNrjI4yf z?u$Lr#;ex$mVSZ*+8U;MTcj_yQUTgO*P~O4yRN9-E|+YYkCmHf6;u5_^v|~PWl8M5 zVIZhCRa)*vATpEBmcUp znBNiC!Rgz^{Dg8X_qHRN9X8pFVqFSm?3V!Sovncrj#$Zpe4<^jtGnPY~{}XlK$7KtTS=cB|EDd<4<7kLwd*>rNUq!@gXY~o_7Skh#s*N{1ye829@q2 z#F8Z0HjMH~Z`UzX^pAV~PZj{nu*k35#wW0Mgi90jJf)o9L(_K>;AL6fd1XZLH-^#< za&zJ(2_pkp6hhK$sLGi?5JKOdoOQzE0tjPsS)~LDk3}X{2mPiGAHk#^>5qKE<-z5A zT!OV1@OFx$y0!gL=iRsiU=o&=ZzxBarJu2zJtzlDATR#?*vndL8*UKuZUO}XJMlW9 z0q+Aga1ql-)r^<@sp>1x0v*59ZulK{yoU)r?6^tD9^8gIar4XLoWGgdxN}`*%97n@ zYF5u#-bem(hi9?_d9Pmkuc=j#VF93GtMr#}F|8@Nb4GB|(dKkb>V2Aw|p?0I;l!Y^JRGx!4-_<<1d z3*Kt@W~eadOCse{h|l=$T8E>$6{*BCs#Y)Lb}E?|E7$g-Er03jf!L2{Dh{p`62*3f zhWTI7A%50`(toU3YY5rh1_SrRKfS~WdGz14Saz8p0Cg#M#W1R*jotFUy`Y^w!(n71 z+-WlUVp`!z%vcUfdOY5P@yLWOQQ(zE^ntWkm9}eS zSJfGQP%QUguSGK=Rf+G!pkHAK5s`JTBVaOgD# z@~|tQxj6+LP6e!CZ<>Kv<-bk8P$;Oy6ZF*iJ*5H8(1*O{(EmX}ARzFVzsA^$?CG>v z4$g76pi8dZzdy8kvU%l!WjArc9H8@?pGpGbkE^o(bOY;wSxu7hYK%l@lF8^L!AesK zX6Bf$i4A)m^^P|FY|O78DWQ#SV=nNLDlk_80fFQ-ISUp0i_#7E+eACVpiwndn9`=Y z6dm@dk(X~0=YKL_lULKJ?TPLP)p_55n-T7c=FnQ$Kae-qUkIi1ys^sx@&$k_yt!$U zq(=kT^3TkP*HNcLR~lhW$FVo`QRz~IdY$@Z3iKbTOFM0-9hraO5lp3n36nX~*_A1Y<3?3UeT5QO9hkMrP0_1N%RHHHHFt%r-G zw~xx3MQI`jtsQTyzKrc>M$8V|fWBb(Ipo|N2y#hpWalb)>a}+kJ=dt_eeSdRS9T;v z?{}uBi#(`&h+v0)_YJkGyueq+k%q?5U?dX^SXFhM@uoNaI%I?5Uh$@CIoOT3$o1{1 z88yXC&STvBwZj@u^+h`~2{a287b?H+dS5h?yA@I~j|0~`hGU(Qgs1eNVt%@;E-&50 z!!(wVU_P^=2!)J*_>wh&IGKBe=;r zf;j^I>itrqEQkgJ0yDdrVxWd)-W`G>1_6<$&$*jK6E@>c3?vf72c)Yhz5fjRg#>cP zfp{y5wphasR~BKSKmTr*xQrVazp*jywWJ(3+}mAd_}Mm<)10(V*$$gJ`h;6pC9+{D zkFbc{?1*pWX>>OvPn%L1x&9Emq@OMyT&7glN4c%@_K?FZtIg&209^1qn2`FhsQWk~ z&?TNPQ3cN0c)FK+j_h$CIf*kFCMV1x85|Mt;1_JdgZ$f=`3(^6nlfVJUulfHwHG_3 z@x!bnqXf_m{k2jw&CK-dCqzoP6z%AW#NhjboaI6$+fjJ52FHFL4W-p*-P7fO0oq1c zDiy{sg58+)yx2secu?2-dGIoxIZZ9oO4S-9?Os^p`@$~lZRNy&*xH;ltAv+EHRJ$z zCR}&(u!J7J9E62dcvh#MuXQhQFHqTNo~b0;-eqe&k74qW+_PyYAYN;QpUKbe_@Are zTom5(m_E1oH7YC!s3d!UeZ(t6#&{e|`=6xKUXhjx`; zUqrtT+(sslsnm5v4?^9=U6K%fG>hSD97Ze*2U#7BPXmCcoVd;c(NmFcLYy7OR{b1b(nn zel*Me_NH?nDx99ks+=)mq#~A~*X%*unSD^c0nTgG$edzQbhAm7L=@u2FDbZW)>AGKlC-$2=oI5N~AD??Clj3 z4>sri1m8M+Oiy|o*Rg$|)MgRa$tNZyigPRS5XH>QYHN+}crU;TZ76hEEs58Sso7>e zL&L@@4PPxBm*@JNy@1b;JN|THyVMUl7f*Dbu`e6-fD7{VYW_o%8T~r8@Deq;x@E3w%c&r^nG{Cu8@{)xnVNWuNe?fr zA)I8o9rg->$rxV#I}X3S8XmD&-J;kgwgP*w7k0E z5Td2d=R`p-5QfIOkgjIqIkdOgb(2RDi6IC3w}$Hufzh1fyd;#L?_33ILZAv4;#~7-@=OaK5WA3i2FgKXWY&Kl zXdv;k1`$xt#c-ZejU2nTNq)jy<_K$^NoR)V+e!pB{ygO_~_5%YLOGJR25&lSFff~#M z0q?BmQ}Jugu>t+rib!bcfh9w^hgpjs$zoXww6l~FYo=2{tELETh-t@&B5ptTb2NRt z_|hAzrFDewgq;<&Un)}ELD_l`qeTw(ti!ckB+%ZJg7*CCToKZcU5<2Fv!dj-KmkhX za{Yq{TFfucQF$Ez?+}`Nh)&#MzE-r$HQ8SN zHyboSAgpUz1#dQ7MVH)y?U5`E8h;7aLGTRM@=VPaWVN~8bJrWr{2p}E$*2TnER{&c zZ0^g{0UlTz>(LPxxr^`2%EizlGQ3bSrQ3@yk9Ddk_3PSfef;aQ&L1U1NLplJn05wJ zZKp96ye^`$#s+8oTq^ajZ5GL-ihbTPwN9)K_XIY0{dY%ESTBLxW$rn&v!v|;aG8pz zJ~T~iKy>%qG>ASt(z6^5PpU4o`W{fuQ*dSTA50U`Lv*GL1H=qfi06Xg~a!#c{?A_~qh#yHIp3tP}1NWiCgvm_}-u zuj&6*ZP`dtW}&1Hg~ON37W|7Ed(RDvuK-JNVX@TwoH|%IK+CfE&MXIfj_`iFkJE&Iz#gZsRnw6idDGa zlwi?%5MSaaPfE#bpQ$+bPDJ7>NneQcjO*chV6Tdphsi;F$^2UKh|R_#-bZclzH6HXczE^VDj<#2#(xtf(#MDpyw`rZl3N!2yO7gJOSYGF{(e$(A=+t1B&rA2&6n55G+|FfOj= z!szHtgwyqXh9NGynxDsMwqE9_9(NDD^*A7TQOn7ER~7wgndt znj@Cgu=~VAK9BqN8_E6F7s+BDsRAFk6|wP+^2KWxmQD1)R{?aCv|hhX+8eLSNDib_;oq84Er-fuI{h<;7{jX7#m+{K=Ucg8Y&= z<)4wJ2$rx)oBZKFL?3i&qnby1B|l%1Yf?hjz&Gh)_SVnxyAkB_+=Qz{vcQ|4r)XrS z5%MC`dg12kTDc^$Cdi60$;VssXS{&!rr8D^!s-r}_HhU9;nHzd^1YTnHJsUaYkqe; z(YG)*WZDMuPZYC{J-9IEN!oysBY@w9b^3s> z#SN>+jotdK+P1CjjsAw~wg|{aYZK;7lOl=S`K{FmljBq%MvRLVNqCZZM%(euU3TqU zk}LQL`|@7krr1}af#bFcx;3w+@74eG1JzmnAAX>MQX9}f_D+s?$Y<0zq`!jAN>SP( z0zO!lkFG@0n0#{$&vXV;mRwO7P)YkRNrCJMklq67Dg&s2$-d7RYQ%cR@MjUtoOWlk ztbvld%mpJ8jJ=Zc5s@yz+!$M_#IUPCo$$i~2JukXM8Od7$=OhY6yQPT5Fo#@%==y1 z$0~}@B8n5qA~g~>VbxnK><~Nd`=r;8p0UFlHG?)nZX1ZpEh%g zB-gjH`8u1~B67Bu37850BAhC_Fwoo{BC1#)hR=Efs5{E##w@6_^}DvX7)3U$@C2P( zy9Ihy^*(}Oql)K!Bb;?2=}vlw5S^V>V_6-ZZLO#9!g^)6pNk%{q8tm7d#q2uc~MLd zGKmp`{((ca(p?W1DlGBDsYk4SAW=XE556+n`O*Y*z>6?ag(Ao&utiZT(Jnc?5Vg)_=_^eu)(057Ba0A{kJ zr!s|j^cbe*(C{ad-x!+?H13fV* zb!1jnvwv3%GaV1ee?WS?J?0LWA#$VYQ%}($ zlu^x@OnS&k;L%LMmTN-;LxXrfviwxU=BLJz9<4I;vM?Lf58# z;4>@!R3t5G$6@!+ulI&h>3wi)l|&OANo3L=^jp7Qh_S>YK}@s3>YldovE79T=@HvE z{I=4Ul}GRjmOW?*>cbCk1b4>i4p+qgnOs^g8iGP@ySbHZXCOzaU34`!RxKlb;*n+A zXV}pG!lvG*M@@R3U?U=RAnmwW;=a}P)2nef{?J*g$^Dj`^Gx_tr#X47Wj6S6lVMZ{ z^P5Lk5q`WeWxGv;%D|JCA|Q^+FJDGsZ}xTB`*6YCdhJM~(h)?h95!x7ag)!s6r~QT zjrY^oi-}cr4O70LHgrT#f&VQhZC<_Tg$yN+>hPI3S;%mP5OL!^RuyFx6DsJQ^VY~l z1+7Up!_arOMR0EhkiofM94GIi*R_cfj~3u;-GH0bEib! zUFF=f9t!E_ZE{^i;CBGv(>)AfMKp2e+Mp$*IV=d(==89|A+~TfB#P}tMb@|iezEN* z8^@t%Rx$n$mBLc)Nb1RF%;*EB3MS|MkZ$t|iqE6}#Ln+1h?k4;|H4kYAb;pdd}qY1 zq*NKEYHDt;P-O*Dt2u<-D}Lg9aYlu75FD{fC|);wF?U3(_&rVamZzc^dxYa;-WF^P zEFCRDBg~=NEymy8zmF~YF0!W}GA(@6fS4A!hvAmw~2cLzLmO;Cv_d5); zjSY6f_5hXur&r1jkV7jnbl1nV`O4WcaiXL9Hg1dX;6i~ywLm)BP4KawoM>yjM3GI< zYe^{txBKTIc#bEi+k`=?lRfhqz2D+-*PR-0A5@kLP+u}sx*f8k1TG!&UA-7;ehUa5 zmUof~)fsx_{eJ?3LlVaNKA?w-#8y_IFlua9WX+mrOUsuw+9dWG82UL3X;?+V452IJ z8G}uc*Wg_*Cr7Jop2!u=QE@(dvdD6pLv@ux$VZfN(7qaL#>P@qT_D7wLu+u@zt7ru zSJbt}gODPm)JT;?@jXatEM+vXiOx9Kp*`VLpZ7wQydeG6NMU{8Mp?Rrl}Rta@NEj3 zl7@7UNzMf$G?95Uc=FW|uY}yrIrh34s+bFWl{`u1)Qd1E4UWZM(5o8-W+df_l^Nx# zd-h?b%j6r)tlyqBLJv8lXy2DPMhN&AU)C}LE>c>hC#hL&;={FUEl{&wt1@S_{l078 zZlA}6&ukIl?M(OKV;7=2<3i!+%LV>@M?`M>cS?_SpW)#Z+Kn@>LhOxE7i~L|YuOD< z5BGgr>J?okd5nFxa^6?fj=VKCAag#1A{pl2_6R~e!pgfos;ik6x|d6A?|dy6(;S^g z6>aBoE4j63CKnuz^CoYjJDaupY)x+`b+J}pE_S}wg7TCjLHCWf=g!1HA%+>SX^OOy zS^Vwd^d0TL%IcwBM1Qr2mK}ivDBP`@NycxVW1iyHQ3K`g#1v7xvoaXfFJ6`Xw9h!G&u10+^B_&*r0%xM?Fm%-ZZen#$Czx*MNdKl9_|RwPb3%U z+GXJAJO%-w`_F&>=uNwI9oV9&&Bj!4Jq-f7%Y{6{ z!RZ$a+2hrs#{0C%Vf6WF!u^H_V(%|`YcrZ_D<7IHAmQGigYoAg7zQ-;26YG5w5@i4 zpB}u)chuUxpXLsW+oNxYWuhoud;Pup>)ZAlAf%EKF6L-n`j9mi`H@# zshpV>`hWIg_eV+HR+9663I^WT##NjLd#g*h7KDuLB3QZ3`Yf>xe5Nh2cV%`eMJV3* z$y|Epr#%T&?(;X_M9ss4ffCH+K`3jq_aBOkfP5|_E)Hv?WTT0=%ysGTcp@2^fN`~0 zM7^E(f@$tKp)Si8#{~Sm0L&J9%c|r|wHNes9hHBK3Dh!^?(5mKTAP1SwR~L@+O=Q6 zX}id1I(S0FKyJI_`9I{1J}%((Ykc>{b(frQN2=$GrmC;#?|5vLO$Es=voJjdTah{VUiI-XM$%IC|z2qbsWR zBR_pSia}HhUe!*W8MKPJTz;4gw8GvT0VbTKlSvolqeM+kAWl;(fIh({jV+z#m%>5b zWxFdk#eea^gu;AF?hyrU1is>sh-&oB#ic_13mzI0V;^0|D)bB<>Q_f&CY%VW!mR|C z7PdIWD-on#YJ_2*`^zPamWYElF9KLGOg!wCVu6U7PtY{~cVWS%Atgdp{OTuE8&68K z*pl(Wv|a_Cj~e2S>-ojLS}u=m_*eC%*<`}WB|~dSk;S5wgtvRv#Q2bysKMtB3nWsI z2J^4F_ZnN|6~9$xbcJa116}evlzP`BlZe(!Wz9vBxH(NXwMR!O>3*TVl;&CK*Nn25 zaH&+^Tb^C)q%(G3U3Bi9fb$8xxv8-=4~-W18#O({6Sj`W-I$G1K;}N+5qs>-`p)4R zU*}+bYhnwirRzIqZa-6k{ewQR?=4+5zfUk z4886DtZq5XX*-om&;6B7R!hkDCgHd1Bd*uvrS0M8Ch^R_RlDb!wL}GU9+3#e$GRF2 z*!+Dxzi!R#g`1_o{$=>X8Hx&?pg$lMAq;iPSdXRH82d7Xwefz$LM&=Z&QhpZ^9vyx`$rlR*h~*&z0`%pzp-} zbGF{0?(epo>DvU?G%SuFr@|rBG;i`e=c$cQwOr27phL>`+YmKF$;O(1IQm!NH^h+A zh;{mWVM5N*IwCL4W`tFVPcXkggEZT8#(w6IWg78voJ!JamO{fHFI1BgP&n=^VpzbgWIfWd*FFw0@ilKUcL@{rh_t}h%^Bc z)1hO1|D=&^&574I0oLJaom1Z{x}B9FnW(P(cx*&xkEcJ1dk6a&c#DjTf5dSNjVbVR z^a_&k+RQ?;yFQbkM)7*BljgBATXHm;`uXO?&r$E<0&6~_4z9XkG&COVTCSnB)3Kp!gT3aBGQ%gT7*71Xguvl<&#k0&26S+_| zEIpM?VnEVuCbgZtfnC;DS$H*ry?l$Jr?mk9J=;??1_NcB)nwsXYL-rgzhGk^!yp_O z{kdm?+?gmL{>b&`Dz`fkN!LMRlo0@q94!2>m&<+ZJdlO@NYRLMUyU0w8GO{=oWp`9 zZ`-W|roI76z9D(QqLQY$y7#UnbTbkSSM+H>%1+^&E92<7BK^9#Z;S9lU0o+G;s(T`iJIgA zq*`QcEd`0|fSK!^IzWI90+)QVqz{f9moqaP8D&k-^~2~X)#8X4LrkazteB0XM9a58 zYZ@Uuk$8d;ND5Vi1^PugJ`dkgnJUZ(n`I%bj6nL9D13K9LyuDc4D8zzEeeI{Ilc$y zn}X_u`f(3(w@4B$Kr7jgs-Y;!J}@p_FkwyVM75MjPy%hpe9){8cAQ2;#oM9N`vm@q zkeF6w7p~<_TTcxGG;4urJs(UHFH!giT9^Z;f&-yLG^VOmez#f0a)t{Bz9tD(JY2@X znulwtf%XhJE$Ne25e-~>>&RC=(V`5Pxe<>huj0-xz{f&Zpo&d7W}2?zzeApJK7GbL zUxeJypJ%?;l?ROIZotR#S;Q3ogB3*;S{Rv>Q!6*>ha;|5GsP7=Kb)x{gFR%#&^F}qNQX^r(d*$ zn*Y}psLGHo41E$E*JZv1=!znC1H1QeObok4%AlJ&?~UBDp5|u<+Lp9w6+o+7Cgxz} z$cSvP!ikegRqXytfXA=z@NukWEkhT{3pd?`QFlwVH6%kR0l0KpDKKq^XKu7|$nU;U zSG z-?BAwiGNFm?iO$Ixc>)4W0k9i>e~k5rHL%nM8tzagWxZrF6kU5Y7j#nZ0;+x8V9e+ z?O{1MOe)WJuihKw_8Q+Tqc+9U6l0&<0^ckn^Wh4lArFCrc4X0qjs+6Oss^!B%nB1T zk8n?T4jPVR%O^^XV=VjHgMp1|h$AOc=P#Q%{2Gqi!X*xRBh7L3-sPbMLVCA@5^)&C zHY{zR7}tULny^$d6#AwZ@baL?`gljGh{%3@U@J>n++C|}j(T={Tf@jKDqT~A#pa^# zx@D}$&y;kXRa}3+9H?U|^}o?~K2NR`S5^Z9DyODRJQ8=-P4V*W9zo7%QxEfw8=Z#I zI(O+v3wcgfRS)w}`zO!C$;`v_|6~6AH`mY(1j^o`0um$7;8DqQV}iUZGkW9HKj)Hirf=+5{=(gn zt2~^|HBdK{NXHFO(vz4&Gy8MzMLCSu!K94mQ>yuY z$U=rdADoL}2CAy8U>X{eR)X?COe|q!X?|cJ6b>U_d#5*}0d>e41!RQ<`}4qrkmy@z-NiF2*Y@krPvjyAv$@L08%*I#6`54O4DU>a+9&bW{KQqHm}L5P*BcbBXH)ous-T|x z5ToK<&~tl~qD%sF*~Z4|g9~Qapmp+=ie4-h*&GU=UT%PWh% ztF3V@BtS!iXZlr|p^(qNqQL>6#1}t{U!;aE`h;tv#Ja^8G?KopAR`B$dU?Z013QKO zm64~+V%D$Ak|c^W*VcIujtg0Fzdcozf`riFIP@ET4M*J~AvX{}%yNO==co%ph9r~B z?dOB~CO@nN=~b&{p4tXlcgN?B-7As}<{u6Y^ZQwj+DI(LiUboo)w0jMQ%9teeuAUR z)00aM;YS5WU_i3I;pE5Beu^Kud)R|RNtECH#Q+#2!;}Z6j@_ufFm@Zl=DyIZ!|3N7 zb;-vFQyTMkLsFqD-A~rdfBb6!E=tfMFFX$qm%*!3v0IT}qP!=6%LzY9YR;;T#zg$% zX=jlJanDVB9@%<15;Qk@j!{zN-*hDLc(_x0$ZEA~c?J;uLt577C@Op7d9t+rb=o!s zZM#`9kl`~oQUs2Ak89S9(BtYa(Xm5B@(ru^NNGFh#CPEjJV(gSS2igt;Sj%rFY&J$ zEV4<0_m0MZrNJjdNVaLCo7}v(&YSy~*7^w-x$PRUn7LDO7ypSnqj1Leyi;wE=UA)% z`Ly7wWgC+$j^R%&BKj{eoZ@|7mld%aORIP&A{NTw|f5WWDiZnuql7hpe%-D1~XkY9^-03Qd^X0lA0;R33ofw$ngnwU7QU3aMc65z4>r|ii!5=0NM1W zAK$sED!KFHj!JJhKOpG$2v<6o%#qB!)D3yO{tSS6M*2BUGwo!!Pd8sPoo`bo7_&LbX_OP<7LGe1ZCzxi>c@0~kj>COy>2MlpVR;J zUy7!0FgVWu&JU#6!`%J<>$?B)&>@COVU7*51r=&@!(f+T-Qey7!;4|__U)`Ci%b+K zF4v<%+=m80%NNxVX={=}w!l$~H!emSWQUi#_T?>j(wA!W(qwOQHdFLdfss%Q)Y!R8^u!Z=qNe_gcx)&5ubn5{#the{qx56$nA~1b^4ddx3(-!AaIgG zj^daabM6T;Og?GX1zMAcB9#?_AI5p>pQe7mQ0B-|MH-dIoT}?*riM};^_Tmhz+JB5 z_jCd77Eb8|`InvO=8%>Ld6J$UzrB$1=VgF56JeL>kAJ z1qq0uRmd-TYSXXQ@ApR%4cXQJd}aIX+f3N|sFpTZEgg@MDJtxFN+tgwj_Tzv$hHg+ zV(wDC5>YmXtnqK&i9j8LoH_*-DdY=X*&dINJ|+cdR&&g0Tb2mTcQudWAwuPC;VU+b%~Bo^ zTonQ1uqe@z8T6WBBLxJp$&b2?B0?R0r5kcwj$dM7WDKB6yw^wKFT5lh;6#F15^uY2W;5 zS~4YLctMsZHU;0Y>409SXUDl|0x4VFl3x)x7zvI0LCa9-j=%cEe@tP1o$zprB`?5O z;H0J9{yJ0U8}F?aJf;m4lFEP2SP7a{@hxNWQ#1+J>2ZD-Fwumd*0Jdh$09FC1j4>q z{{r3Z9>J__pgJIY62(Kp<08)dwg+Ez3A%M6+l`&rFC4qXtB!AGCz)ZEo#v=BV6!4JUb5&+h>xS79bsW)F5j`-nM_>=yuEB0(r>ACN% zDc<>@)Vmugp!*9$P{*L~T>WvsBmKPfi{hQL3Dpb>_YGmhMV;&y<*5eEd$7JFg<<}k2XSvIX1J_R8f-+TYj+EHzx>Zjs*nlD`@-;lkyBP6&rqVpzi0zZQ%y6j zP)rrdOeO}3vi>#`LI4DiN_bh*R3)KrS25MRJ(5e}A>245*!$LNPkg)B!>%21JzP&c zEL#lVXNBtK7acsn;)3YM>lGFhr?iL_yNio3PN{MRr>?cwt2YPj<-oLybkPQ3n2B(( z0}vS;3?E~~XVqh1@v|Xv7!}W;*R@DdE?LO~5}|QQ?1XoOsy=fF$@!CI1Yc!Nkyoob z(72nRdVI!`=SZ>Ukha88C71M&nQ<|QLX2~x?H@|(vqHZwDroBNcA&T4vxoXTo)7IvB&#~4wRn?LCX2bYx(LqQHr2T zDm4q0_+p_v4|f}rQQ2&32$if>Yw`SRucMt9(l00K)Mv{kQuGHOFCIr1e$(RWwZX{w z(P2cI$Jd|(twoZfLylC-2L8jYCsvL;DuXQUC32gkPvIyE;w|P;Y@q3oT#&cyL__cB zdg#=}Zw|0yY{faUDBRVV@KG=I$vxeOS!m~HCoMG9MBR!Ol{B%oAzRJ{YZgp<3X&X3tx#6BCQ`)LgyiW?%szQEk^g#r@tcgn9k zaUvXZuIV5dB$U%b$ys7Y0!fYAwp+vE!Bz%|<4T$NWq{HNf1;+}et9^GY0!SJhSDy1b}XX`6c_HFft5+bVK*JrS)@w~j%Y{qJ7U8&7eu?%AD?(} zpeCj$$qG~zrvZ4M!x>L?rW`PY>BoE6xh-s`$Kavls=L~zB~L|B0WG{xxY}N?XPuYx zbWSLLsK6wY4Z8SB_9XKx9>*;d<-Db?$jBIl?ehMtwrGc+xCI}cngN733WY>DKQqq1 zj<}s2n>D8xP=!*p56T`3vy!8QO9~wC)6rq=(>4YP?iC7vlqwKS4aOai8Eb#ECL@A| zhyjOf?~X{>Oh*1?on%$w$>%=y+CEg)RRUu&nWYqJ)KuNS%k$F7np=ZD(E7-R$6@&4 zn6(UXoV6tP(08Ac#&6ppP;17C%X)8xs(2;z{KfV3!?Y4g=_iPLfN*y%4mxJLoFOl^ zlq@H>#=UkM-08lXAG?C8oXZ1#Fl(dvrTjxwcq0wsq%Wv_DwfHLTTUAy$D^pz1cm%5 zu%aOH9Ot<2+~R_xUPOoOZUWg`jaWMM&EN@;5=Z*>(|7+(S~UiK8l?T#NdXG8f;Rth zr4gvU05-NCiYI0Q`T#R?30kXz?JuB87Ti&^Wm%n$=S3kUaW3iLhi=I(E#`qyZvZu? zCM*sS7(Gs|gDQ^LE+t>w%NU(OL^FK`f}<9dIt3d42^HDh6C;*>0&tu@@^33+$GB27 z=oP(?WaY)PbROjIdrI-d!mOns$Dz!3099JRg~-U0Zk4}mi7^eW zHG%*FaDq)y-X+Wu5tXd?93le66bmT>oR4C`w-Q<>(7;cW*RGd*JxYApJd^&0q5txZxab!k8P5pZo76ikCkn9E4S%j>kW3wU~?Lz4^F8feBq0$kehMcl59T+ zK?5b(8!gB#edj?;0{ro|ngab#L0rL0hZ8)da`Jt7i`}NE#>o(`UQs3(f!uk z%^9oPChbxRj;53q48@6q)20QlBO#y(D71~9a@+^_LVXr-3>ZRVCJ^r;YHBR6JO2Il z)4(8(^8I0@*~>RZ{&p_|nC{0!FM!se*)hJ6S^-o((?3WYS+Nt2i1YQet0GoAycvMu z&ac%S>t-zd2{xF8$a`_1ucTYYFGR z?!;l*#bF0U)~()vC&+oQ>;|?TL=M7$cNRX9JJ+ep*4wK0#^?g6MDv5Tx|MD)1N=`` z&MzXL69NYdwWFJxv#V_vpYbUpNzl9qSWK zxg^8!mhUQ>e9?PVV`jrNOgfB8^s7O)u?n1g2{KT(RY@xnt{~HS<{t@Pbziz`*0BFt z2(*^=ZU0cjvvA{KX1!d_d}pP6%}i191N$I|Vz;w;dk#33Gy4CxF zt0$us@1enIe&z5b9IPhrLKlwFmmK54sM=AWeLqLL;+MQ)$b|O6xU!$Q6z()8oyy2VeM<3!ge~yf)iLhqR}k+?aag;n6I@SM{Qb>wyHWoe zI_hO65n0AEsT#eZV$_l_eXP?+T4q-scl3<{{!lM()hihB9aP63m47=L>ErB*5E1)-npilR||8p9! z18TbDEgYgU)^K_AROpAV(ul)@7bvc1rsEtv~hvlP637 z$w**Dfda1_FtAyz6-ZK#^X^uJvQ4r{dQ1gQEal#)UmCl(|BI}53a>2SmPJ==+v#}4 zww;cRj&0lMj&0kv*|BZgwr}ryzjOCK|9&0wX};8~S)*!{6zdC=e}BW7km)ER&ZLXh z_|M<^nfZMLlK1e&aXxvoU@*pN6f|9knmL}V3mN0E95Jy{e6Tx#J++{D%;74N*Hn`p zpS*0-mL%(~zxKOzyBpyjU|S%D!m$fk4Cld20`-4zu?DoX{s{W+^4f_pHk#%n()@}k z$7Q4aNXf|iceXZxP$Mn&`leD&Aavdqdx@d7MU{rfh2)P;OdEI2@RGRoEJy$DpA6m>CK# zCs{>Z*2o3=b1pJdF=*O^fLmdF+GBvPy_F=ZjEE0kO?2SZkcJpyC_cQT$z1 zc4h~ed(HLyA*aTa*%A#s=22Ag=-AAR?dMXbR0jZ_Nt$s3{x;Cm!#veMXkx!c_)WOdo$-hR)Zp zsBYKcWsJe^%a9M!X-TVPKE&RZzJVa&p*!7D!2=CV9j)=!=3dQ!EZGJknu^3W(X=mV zK-)A5U^T2UN?oAmJ;d{@t-)oxJdK^qWk2eo(<83?o+zTx&OnHu_V{k)Imu!$+UKJ8 zHBv17)%r0CWRez2Yc)bYSe5JMdc(Mu$)+U)Ly?{|%|x45uU(nP_dc|`{TP(4^~v$` zTuQ>Af3*E=&g-D<#pCnBb!wKq60Q09G|C1&oZ^xzhUEdg{qR<~H*J+lb|7D6(2v^5 zLUey1$P+bgZ=cu$?2^B-uhOJKGLzMu1^ki!CLs2-xb{)Q0TikG;Ylq**#qWG<@00( z3rU~Trg%~sF)Y$WP;~e-5M@LV?APm1o+G5y!h&eEn5bX!sA;)-z zNfm*$ZfWf(2-i6y{L{0O3vV-Tf|Wwys=$<)-Q5c?X5L-q$l(VK?vf+k0&%I-*z&+w z&fY4zhfmoaxX8A0o=0~ediaKwR@VW2YasM%;vp!+!lmQVN zI?Kgx(EpuPRiC0BaY|9lDIkdNmbL=5+DN_J0uUUr%~|$63WNO<&S!Gw%NT6)bBg>k zkwoA0(uiQl)dFsl;B4Sy{-&Uxi^$i)QufCXA{=ujgi6w9qX}%zuAj+~we4gZ<0jQl zC-clFba_KwMwP%wqF{alktq=#1?Y^}z1^p*DE8FE7&<26<`T_`o^F)2tioJ+8mKoj zWt!hc)Lr1M5|l$}Rn*XXpi#~xNxGvmNeHc){`4hsZJo|$ZyeroUKfNkrZOGDe6=C> z);6vj%b?W||Bbx89gY6)^Se5@W1Exz9}NH3(+}lefKMw%=mBFHJIu4gO`co@vyibc z_WE!)YM2S=;SbAb(g@{{3(;~R1g;r1&OaNTh(5<;t6j!KV9c4cQd6dV0ZL7n*jV=A zw76g##Y(>u;~TGyh5ni^N)$V{M<(<4Xkij}HO&7~y;jTlpyBkxS|(uhfQflBjpJO^ zP<%J8@#Ln_@=uheE2V>Xhmn!Dbn~e?a*Qi$h%bjD#uNV49*a|kZnX>K3MXl%CcqaX zYE#|KvZ0odm3&SL0h zDWP%vu6Q32&vuko82)rGcO~M`vC`Z1PV2&s6>dl_Kf}w#rq)NvI@kRUYPXROQR_ao z_VEmJ?xT~mJMY(ewmEIcwE9<_jO)&wEA?wyZU16>{XG0`bt3$jRhm!l3;7Sz)q;nJYI)(Aydr^`) z&6NjB&8rZVu!B`_{RC_)5q^Fd3W*82qnsvE~a}?{sJ{tIz|X> z4v@|8-xDHp132Z;;o5mdPse@SxWy|@eI9$_6KaZw6!SKRsH{7@&Zz3i{HvDm59VU6 z)vyd!ZqOp_jH|rIreTCO9w=5OOZB=jkggvLl6)Qb$pWnJz(9CuQGrG)H8*A(2Hr0? z4BCKqaz$}`iF+?IQk28 z*Q^PaI}N5lamXhehNF-Hixadj^%rWRYw_b=DkEC%tZRwrqMT@Q$tRJugktymes04j zM4hj=oD)*LysrBqhOHl;dm%yqreQ$f@?&?-!F>)VDuspUC!O+|{1dYSf3s)QF;Izs zIF>neS;12>3Vb8ItPOeh-8rDzp!x=TU_w*;Oa5`~aou@UXZd7hTz-a9-CL{*@Dk&5 zX7XtLUH$ZR=iWHZuvE;K)w^HI9Xlo^D4Hg#aVQ9o>&iUQjeOB##kBk-W|i|gP|Gc> z!%JJ=+j@{*-gxiL$Z&%sja9?U4kOGR2gBb~Wlo0OYNKV0St+fu-uho9pZ0Z@{iBU; z;YMgh_5gul9@4q!<|t3nNZBQ*+jc}9A2`-R%T#@r*1sl;In17^Kkp=$%{M&u1U9xzaF2FLtw1iJz5~?L!Eb0{1*`cSRWS zeP$=Fg7*pAN2LhhRBwc8z_-r$?9KGmiI=rZkuTaZ!E%(<{2%1lS`cKlXBsAAJ{FY7 ztnn~Ap9@8~J)|-^TZ(TfM=VZEhUWY+rF0S=W(`P_NbdDq>#NpZMp)y4H8b83JZW3L zsLLD)Yi*ejsLEV9X;{jlsNh7kii`PvrXuTM`Y9&kJU$~nNn1O0!CVA6a4xlQGn?s3 zWG{HRATmC8F%5TCNFi7IoNzMwT2|Xs0VSq_9Y7BctXp0<4(kCULgBq(*E&3XYL};y zO~jSsDug@kc3WnJoHDU>Y=I^yw1M=96#MSKh@d@!K5#oIMu{Q0B7Cm*O~~PU_l$SH zxP~0kuf2(iCY|lhOrQ1_o;apgCrlQ-O{!Fd{AqE3eL45qS`UaBg9nyNvC!T}MrmKM=worU1iw4n=Dg5a?o(kp7Mpm|JvO3-#o2~}6UhkN78Z!S@>Y0)QCY;X6qdctx zoQESuZs#+BP*ZaUSaWCL2&4rnNPq}xUI>V*F_^Incb&}+I|*(I8hNh_?l~-{4)n~b z(}jzTN9rZSI0)?u`?f4m--8&_#@Hsc)1AOQb*TT|eRHs|IbA~|Z(i$lLtJ@J?>px^F{jLzq zPzg-k$hGqNf!;^6XL3<3)g=M^gIjQ|?-NnKdEtw|6x^iNzt07dwq5~$M1d31n}NjL zmYzqdYDwL@=d3 zt1YS_F=^qm*9@JKKxB zp6L&V{;2zAG=%S!VDv029qH|mY1B^)+tayV9orrWS1*q)Z%bH31^i?_7wKW=TX$5? z$luMbDy`d;t<^O$JHh+01o`ds%Ldl(@92ivBeg$=sJW4@^R5#@ITis*B7|aX>Tt%! z0acKR5xZt8TThW+H(mP=e=BI5XU%*PW3vjQxztPdhfK5@&+xQ7u4|X7^-7~i=`2b7 zS@c0qF(R-1uN$z*6f8?P9~sl`PUfw+ub=N2wIXCMSJ#XTl3{W7AWx%k3(N%S9MAwC z_=dL#*@SQ2{6sOg#8n#}Lz0Nj$D`&oCO13_t5Y`Fy}br-X#OK$n{?m?Ai<1x0)DyqNd;7d-lYV9Fo~5c2`5I*+L6X){)*`>V|fl-Z3z_mu_^@XKMy{-TzZEL#)K z^@3?9r0EWGWIm5`Ar^zIE)D~3e$#Vg=IsNXl^U~YBmX5;!1Z-wH3D9)EOr1HRx2XjW1DhNCDuI;vEpvLK}X+M(f) z6ku9by#Dot2697m>;wwhCs11-c@1n}oV|37aQ%L<9#LL2-uMv~;I=&PzJ?p=naCD& z-*T9R9V2^f`g;h{^7l<0*lF7|?WGz|2~WU1(TGQP@42F`(-(~NU6+k(j44sa6?BXy z?}f&HqU{G5T&n=iS3tlqbn|fFs*!^*~u3jE-y*V!a{ggK= z6Uh9w3ju*UzUIm3x#eGh>YpD^lQ+#*oZlx7W*{k_2tr4`b@=x}ANlvBvFOg#5axHM z=A4O5W1uKx+KB@4g3bdq__48XSEg|C`?arz;+qw}i!OxVt2{H67YLu=mSUj;36RL6 zPL&LGW=Dd-mq0ce-h-7TTR}Z~uT|wYzLk^}u9o06ULm!hh$3DBc{uA(Bhtt*@H(Wf z5i~R%X!-9*fMjAE-kmCN2+vZ%^FXyXGUsB}Z+EM~vKaXq`9a_sp)@@6w?&ZGPh(_K zt9_Le(SJS1>wR31UGN9BsKUkvG?E_(%BCppJ7jcsU%}{`K6^4knq{JLHj(GD&zpI+!z9hh?v?!Ap|UktDx`Ub zu$K&KFc_mgcIL%`++irTj&HIiV_ZNF%gBU|V3&ezKDm_6F8yQ7XA5MukLqb1(*?wf zc+EzP8k7M+{dj<-vnPKuT*H7+*$5uUr7+Hc1~ZU+666CsFx(0FqzUC;s6hRQ_i@CB z9$C~0*7t`s^vm?25-ffGg?tcq3;ctxTHi>aJNT6vNtCTbLn%lg--X9CzRnJidXM{Q zbZ^g|;8jNKPehkDs5hT)_ze9gSC67paCgHrRIgHp?YPq4(N7M_UIr?Lwe#ih+D751 z$qr=p8Es>&0CY|SC;ST&WCZfiyxr+bzk53lIWL&Ss4$WYCIIO{<^$YQrkv`RaTE0S zD>fq)IB?o$c~&POx?4PgQkn<~cIj`%Zi$@XEmSm!&hxDQ*zxOcPe`Hq)AJWZb&_hb z2uh6j4*w2yC$lE>+H4EDVo~w)bu)dl9XIC5+tW1T55F;>?gc_WbHcH_WTO7M;j4wu zArEEwy~JD<(o8ULF3HTnH~Q;3?bl<(q8|C*8zYQ+a8ivtr5`_00<}Ezk}*z9f44&z zUYKaou`q5`il4zEBN6ZC>=04H5XYdA@vKjqi7DlL;>8fB$+roF6{vk>9G2*Y!%D zf=FJ@v`?nz-IXGEA7*QRKhjyN<%o`%*y%Q%M~##LIfIc+3UU`W>UrSpRw)Q{1KGcI z;cu7(@UXKmka1c(3RJqu@P<&Ybshzk$Ekv94N^?~Jm?eIgrUgFgel>9ccPP?XAh$a zdYCdLTVl6@S{BTnxMq64>s=n*JboeNT7LCj>fKl6mnesa)uw9!spUf4&dP1$@fZTJ z&t}y8_MPuvCd!0>+?t{IAjvD2yog5e$RIkY%H z7tQL}F+mPlK(o;09*=$H2 z$Z`M!pQKsMR-63{*LF{SVe}R@c!usJt?qv80N77S=l|E3h&e$UmmB?|!Wcp4C0njkkM?f9#wv$@i3A zjpT3{>^mjV(Sd27UuFlz+I;`dAfK3?7sFeg^LJyAjW=`tYMKRxsDvktuyDUlk8+tW z2rx{#u}9r))|scq;Xsi6W!Yf0&THc8{J+G6TK`XH`~RG7w*YDfYKKtzA-d*HmRX$Q z%2rPoK^e@MaTWB?0x5KBOabxls3!H|4LgmA{ZyHaayv2v?cm9asV#a$LyPc$TU_?N z8?^*vw-p41?E|ruKcK1FNvyu}bS=-xpC8sff@T1zZ7iV0;_?v2C%x8&y63`;(GL2I zS?K3I`ZOQt$TW^KxV>#*9q)>W#od0zzzG?rGiwRcQ{xu(r7zW;HpfONGRp9>_jq&C3)r*WQ^ zmk)7WXPi!{QaT=)J24rX%=Bu#!zA&dHCXPk2Y>5KwEjM>^(UmC{$s+ie;YuI3gz_m zc#QiK`XBd8RMv31yHdRTa?uR&-a$E(6Occ@=2ijA97nq>_`IAl1W8C2N(fy<1IP-@ zv2VGorEHaZL4ta^&ckQ9ZqVx7&0@5l_0PRV@K<~bwjL*;RnJ(dV+CxnG_7z*J4sCw ztaK=Y{8RC8Pqa|gK&pK8JhXLo7tem8R${LgBQwGJ5#@UMajaIoA5=u4YyiQ2#(|e< zX@q2ufOWw0J`c+XxqtYO)aDuB|8wR9s3j(2-7f6j+bgaXq` zMlL8Lh-~6u)3*4Tb1GzIVVjyQoeV=hHvM%9B}^yR3Y$ldEBKpa!2Tta;^Jc_bQ5ft zh8ygYW?7ba2F{YQ#<&VY%1G^&>y)y=n=ri)%v-3j&f{qZ>w`M(QjUYADoAK%JqFZ0+;M~u@d;_5bKbbYR(2&!=V>!*TUOX`b{`A@QY)~Vzite>2t!<~)=6_+Vx!zlFxQ@}t;uvW-mGLuT zhQ3Vgx->zN=;|A=$WsINXDYor-?8rBt}cI@9W&WcEXQHU%w@ zx6+HHXx^(l{Af|ZRi6=%u6tR89i$kYPhE%{cRiyq6HOJi)%UCBrTF}?{IHtuIqO}) zv$P?Y!Fx~j8{a?+sDC9`AxdGI%~!$k0H&jr_=*e6$Fe0D`vg|$4nI?i76sBlkiXh8 zgOCOn8g6K%FJ8MF=L{q>55St{cU zvUwtTu>z>4uZyB@jHdz#{AWTwI_070F5l>Fn*y7;-$D-v#jQs}3JzTyq#`((CH7qp zB||EAx_gq*whMhy0Yd5$WtdL`Ty4{SA_w(^hza_+5*_cq{Q=@TfgkU_?^W4xnC->F z?5`v~q-3-uude;)3ha6g^a*b1Kd0ZlpeOkW>8Iz@R{i`rT6iG*PBbGqxv80WO2*t{ zbG2(AMEdZk%8(zpg&bRh%fhdsMZTQyJAch$hkOG7I)5Rp^tn9<5uNs(IBOIB;In9n zU{;v0^88x65fEdnF!Cf6Y|N~@#>m69c`?<@(mUvgQA&KUom&0Ph=5DH+0W0GJI>4A zBhKT`ny`!zXM%KcoXUQnlTJ(}^<7*1?;JAT?U@2|Eah_j6yWpg%NT(M3Lw1(p&=Z^ zw=O46_s3wIp?t;(xHk3-NHM3}F-`p2M_8(W4RUPRto{eLCVtn`9!+bf2y`0qHj?qy z9`-7J%JSKc8H>;yWp&7;0`}wSDH^h;3=zRaS~`Q&6E`j8Cy6+Pv#y^zX;}jzxSBjo z86kG3o0V{0h^zVAYmD-P>z}!pNx+3-DtmYz-5+#W=L)bLAvaygd2Hixq#*L3#!82% ztD@4Av7D+o;4|&)@b|g3k6-eS@thML4rzws?y?r&HpP2a`h~!{NKfy1w$xjTl@25e z9Q}^dgAiICA{gAShKUcEwHW6S`tZ&@s9uwr5{wt|Je3C~?-PUfxaBa-WEO=A;dzB_ z2i*_{K*CO0qK1%Aj(h38LK#$Q49K)YynULPUPHcaC`C>pOgT1b1>`xa(b8_Z*NhY_ zB5%>a$-h9eB(;_o_a~N0b3Iu}d9fEQtqLv4(6A2LU0i`HD=I zz}sk_?3lwH5?DA4l5Dj&%2xU8`hk3!AWuOJGdk7V+oD zlo~y|QXvKsG{{n$K*@+1`Y;7go5G+RPA-KInZQ%-7Jb@~cgU}an9O`VYp-6e5S{tn z6Xh1-jyvf$vbGRhu=y|?S*P#-t=irbKWu>XD`=oJC5Yg&zVuZ@5}8^f+pwR(8Y=xR z+SecN;GQ(9b`T3E{SXqzT3@)>-&(~^jjx`R=7KF;TDt*zB^pUL#DGsPZj+_Fw=)R= zlES;J%ViF|>c{O??G(E2^74WnHK3JoqVlgm9@$!%v&u9ugU~DBS+ZAIKlMhMyLuDmFGE;J)8Wza?r1 zR=K;0zVB9!Sf93MT|tBIA?S)hW5ns@STcy9dkLD=WJX^bBeYx>e0K~iESxd_miEmyU)U1c_1E4U0zKmC17VL zCs!WVYN4y*22EumDSfC64Be3s*JMMLFAIZzdVGm7xi*VKj2OIyDh@$^1QrJ;+##(( zxK9teG=Ym{kWfFw(ER&?_8(P$*KtJvpZV74!@XI@X zaSBO96s)LlM)sGq7&qSh#yu0OB{7z2`KSmuSc*vg`@x?eNhvduZ7 z_O=}txyXES3nsA631g3|nqF=WoS52|zYX@ftuprB>NS(t2?EFY=OTyYFh#+<=N_Im zorurMi6j(-4Yod{PC$~$70{++{& znUQbpD#sFq-Umfu1mFk{EXJgS5*6+bWhZ@YFSD7%f5kJvTrOmBRPflqz?dgW5O&69 z-aEYe(!dj>p(G){PfgZb5d+xbdfYq}(GSDPgXqt-smip<38Qy#m2`9JJol(i-<$5 zAO`Hkk3Uhho?qC(Fy`w)No@E%-qPHBfh0W1Ru@gB)JLOXdaY#lgZ9$1I4Kw*HYqxe z4uT^w-V9JmP^g^Wd3?^hP|0c%4th>yxWQ8@5t1`|KHOEwRgzuF;C%${V};_T@s7dg z_~&7+s+75^M=fuNy(vmYl{-N#n*UCu;;tas1!*Op(>4q`delL|mgh zKa-!Ob8>pT%)N}LjFt;nf-lKPr0`V963Td@>-E!9itiPrV}qa?2BePD^o}9Q=LY+a z;)_-DNldbA8POk8xukMSb3AvSuWnPfTq_Ea(Xe>$3$uxK-~I+oGAOAO2FZECqA<_A zZBt?_wO?Rv0?F{!&z;HDN73;?JBWsW$`XCM;N&`#ja6gb@Ow_sN%w+;s!jX#@ny=~ zaBa{Td8HbThO^OvmR`lzigqQYA3lG03dc}3G*X`X1A=papJMjlWSm78%zt%Hj_~52 zj+y*)-56P+@kimf%L9)?s0ZVI*}fBdGR$&pL>RJjxplUaFK;wN?8^X5z-(?EUSVmbTK z(&+3QWZUUP8L!`!eo>;PCW;s(@%L5iUv`iYbpg>*7z5qM)%S0gHNbU%iLJwot zSXYe^;$`a;GW+=<$_fR=|E!w$o)MLQ9_GSfnd^)L8?45ldI}YWD%~rN>-yoxH#Zoj z&R2MWhtZbJcAbM9WyJOoob7xV=8O-ye%Erl|8)IJ?X|D2Q`8t}w(Oi4-SkH3Gidsk zuB(w8tj%6QN$Ul@rIidhV_(~^F#g0cn1-BdN6gTpY?4N%ek(h;VHXlr7xt=yu49Ah zN8;&!3PWL2$n7pXEuN=!bKvmT(dw{Y6O)(%^Zzn+eOEwSxTSZr{ZIQ>^}n1i9CkRx zX}YtNs3dp)BAV&(L&+qUi4`es4r}qO=fasmlMpd1wtA3YI5Ye>s!GML0F3uh=j>xu zqYR0DC=iKe5S15*cu;6AsY%KALJ;A9j#Lj-*%%NKQA5_))EIX>vIK4b`6QSbKIq@$ zO>KtA16exOF4xY=F*^RJ95nSS!FsjPT-LHwVaif)8>er6*n7E@W;tL*8)X&MFuDZ5 z7r}dyZM+co+0=@)j65&;O)KkXP@uVbIyF63D-S*FjL!Q*mFTL*k z3Sv{D{N9`C*($;l$W&Btjjo`|FAo#Ci_&>s_uKJ`r}Bi{fxQH+#5H!2t^zP)RXYO| za7R(71;?DFgc*ZCv}7QHs%ja9{1W{i%k!YMthEAT`uwh%&z}``K2jyFbc^o--oaC# zj#V${9{o9Qm1>{2a#0`4a7?e~of&hJS)$+cf zV0b0DK66tZF8~cp?ZL3PiZ!mH9)&ywcUr?_CDlmY_Ew8}m{1^ll^u0Ytn~?Tw`sKa zlh33E3ZdLD&4YNJM?c9 zFI?nGL4+)8ADPK@|VJs3%f4&iWbsWoZ?+Ne|BKz#j>^hMZPz>T8 zBw-v6Y0@N0=Q%O?(pk6iZ1+>zBhb@{eh=r(Qkv=>#hOh|Zl5mMq&;jvN}c%|->hO1 zjIm0AHqvH1)hDu0G>ybVzP9)g6`vH&!%CO&IFz*P$vvsb0Cj?6THx5KdgAp~x!IMk z5(BSyq$Osz9+oznJW&oyjO0Yz+g#Ig{=V*FL{I9}SXjg&Clrxgw=^H#ZNu#TZfnNu ze#l=f5SvmvPWfB2WNg)n;+?6nOh68)g-Er4u1RPTKjhWAFt1Z2P2R zHKv9%3A#^oDNL|Fg4SbY+WlEvo%y*_Q1RF-aa?ZB+?d@Jw&2Y$0qeNVghoy!!m#t} z)86AK|IAy>LwmXjQQfqi^)nF8WlPgHYsHoMUDq_lQB9=s1K8J`B(Es(VWD=cIK~JqR8d$Hb7!}pXo(RR{{6IUw{AUS5x9-@<5-CMbUD;mnm$>~pcEDMl>4BdPb88+0wg&YK3;O#bmxSSu5GP5 z#V`|w5~lF1nTO3~<0NiKR2XH~Ch@zyaDH{zvFm&Pp6!2G2>#nm8}JJ%!iR0g^cECF}L()c#If~IvNKziz5Nq(}9xCD^32}sx2#!~pieCSaaoW+2d zW57%upE>^YF}EOw@rqbrLqd|pyI250aMw>kB_l%e0_h@pFn!grpPBBH?=n4J^IbxIvpS95`M=q^@m>I_G}P?-NFfhWF_F|`Ce4`0cOHWdOi{) zn=YX;zmTcG(oHO|0_ z_|7rEl{VA3xgcO8@=kO^bT;q=1xzl8z0yeS1rgJZi!NXFt}z^75S51v3GzQj>2*qz zP>Q3^tS=_|PM0AD$}^dQjj|kSx|Sa4I{o>>mkDnTmfCjh@A!Q~9nV)WyRj{y_NoiP z?F!^|Q5nr9t5*Rp!=JP0gSUm?LP-`B1Zjh^&C?S3u?b1s?NKHqU;jWSt(ib|n*LBx z764E#mUF`LQxfnx)9OyOfBagUD-jqkix-G>!>>ice*V*w4=8c#<)2bB(f*BKiFvI~ z|G<6hhhQE-KojDSJnnvDa(2m*?!tVR(DA1POp!W@x z<+kR8>waE;n>rm&+1PSGk09VwM!h z=Kq|^ELz)pu2ba@u4JapU!KFyEcQIb^Yi-s`T6WFs7CEPf7xXVY3cmJEPIK?ZzI&@cul&O`rd`6dR1otU8>A54zZ!`jbK66Wa1d|0rj5zkSKK%J6Kc8 zpU3!QPZ-Yg76{LT^W4{+Sf#KwMC@ei8r!j#EW*0ZOa2!zdlQC#O*?#it>w@b@wW$619@@7^3CXvw_VFuzr%YIyX`O+rdT}bO!>h@yee5?&CL8EGNp3jaTK~ujaI@R#n*5cNfQ66>@f! zK3;5%+(_cbyPb2kv4Q<` z0zCC|DStv{M=KDT8>|rcM+8;Y4FtS^pgh{32hf=zXk^y@W!M93cK5&4z0n}PNgBb$ zNP=jrFMaRAX;?xj$%v_(|X5Itr^!vsXcHn}9gi_{0==PmWl|FTefo#YXpQ=&z zG7cjJ?ZNeDsJd|r(Z8Wq*Np>%>K4(E%EKbh%n5KG3u_TCAU2ed+2@Yt1362(nMzT2 z&Ibv}v>TP@_e09TvGGJmNg$wETg8ebq0$4+cG(1NpTKWHuc2jn{|NhUbqWz1JF4WR zmd;YVLmZXtn%AoX3pGcp8d$jSV3DSRapMy{bpX_lpdvZMEid5A&q%4-i`;Y8<06l^ zAXErf(?F*A5@pCDqCPtg-exH%Kl6CcEz54eJuhpIw(&FHxRRqd$@y z1*3jrD!IqDumz~G&>#VMYOmeQN`eLm?BokQpQLa5hj1=0chjelNXntlsSJ0xi%*9+ zvrasEvr9QsGY7IKu3lKcc%8yx1LxVUuAidWMX9&3q%M04G!O&t%Emlc83*IXDnan^ zxV6d%Hsym9sRcVW$w+UO0a45#cy`hGg>42aH?$_o4oPlH$nY=#9VXhi!nxkkz_c!K zFy=GR&|f>n6bn`98enO&5JhtYu))oww{fN>5UYD_T9$&D1$zgp;W|#O$x{}rOGh`o zLpi(5EisD2J5p-Il|S}<6SOo5kZ8Gc;U}2)9111=syN`*gh>Q>IK|2$@yXM z$uq4CKfHadyBr0|pJ;#V8M)bWyLx#a)_Fe3cRbh;y|Jf_wUDkGf;URuAZ8TM8CUSZ zRyx;`6!YiXW8{-|8yKf!pNRcx7nzUPh=_7B1WnB?*HX(Fu#!;C6?CbaDe1Gxct~*i zDlAF%(aq^P#HOLrxrCeJ4`j00z=A*w$u12c`U>O6!9b{N zh;~i#`M|<+KpEzc>^9T&@oLDZz3oF&?%d~|+J?}*Kkj|q2y8S^<36l4BDk+nrb>CO z4rYHqP(*I?`AbLBaf75rkce35L$s?;kBYww+G?}QW)0!rGD!PG*$YFm0&(%y%ml;J z#K&0z_We4)Bj~C|qaogdfWYue)2(f2)Pd}3q@ zVS@wed%l24yt1?3l=8;PcHcHs(mHJe-bA?13GZ*1PAY#S!|qD&HIwo&>TJCv#Dn;E zm>;FQHau5}iWR7A{6<@=VLtrZQ2?qnTc%^6O7$Ky)NPKO9EC z#i9Gh0b@GBQJHPHJ?0NlRWeeUe`glZsKx(`kmbDOf&PHFz-wRWM#llZl|gE?SA zx|#&XXMUGJu+!I|jXS70c{&cg6|Z`vFRBU^YaB`YV}y zWyxXA;5*c^9${@uUB$AtFvwgUC3b0UN1Z)Il^b&gU;|X*b3ipuT~E5kKHwq@{KSS2 zO2eap70Ph*5Ok&jCx%dYhsqL9@i~!BX%(vXS4|hCXcgnMjBCv8!Z-UhE70%3zKAhj zMGxjfOLfDlaEfpsLvNVWpFf1lY*C>F7kRO+xu_gvqO+kp3-l^E86JshtRY&ej}SiF zZjl6grGEt*IUsi1Kg|~xbcP=#_Qzqre@O7kAnwOq(>&P^Z8nDreXy9u;;t{Y?(n7hVH%d3`4lR zgsDlI?UV`Qj`V@35A|FWI)$S(=|vnLdn*#&TjOvD#9JRb^|D_AupCCg+FF*d^Gi@R z#Pi>IhLo}*h99S=54DcOHJLr~gK1n-7Br+I<#LG%5a}h{+kKW}A)Kz^kYzXc3u*@i zN2D=9*LB>)A78GoTY5D`mJ5bj3Eylf9p|!D6Z}&B_~ucw zuD#~u*s8yfPgAY^0g@<91;0s*^W@zrx920EHS1;_bS;$uk)$f;6Zq)L3CH%EcMUuT zBV`RCuTRt6K)#0vo`7J!2m2mz|2O{cCOP|FVE#D2s&=8q7g^RIHR!iD@t!kTmMN3u zkqkWMJXGJcNTodrAhjG+vTKJ)6wk3zE!K}{&_6GNL`ijZ07mafJ60?o3i8I}j!XD? z(~q&n zVhHPv=}))Lr1>RE|q1qW{ROxbO^ z{_=SZAyEya_oN5RIVoKi;s6z5ePl#HiL`|IRb$awK}eahWAq*vzrTYd>CFD`5)=V4 z%)d&J*h1sP@%p~sRtv!zxe)?yh4fw6rxcYsvyQ4uKYQMTou99WEbJeA^%(+MhAzSD zO#!!P3yIKF;$5)>VWtEQa>8C;3ga82P0%ZY1(iQ6g_tYV)3@lVN@{I4!nu{L^4H?j z5Lz;KeoE!~A%{`aKxm!#rZQJB-LSkh1tRHNE|R78Tak`X7(@@zHfI}9yk=yy4E;^@ z9Ws`Jm@=r4w9aPda3ZPC6nKC7c$tE^piy2QMKM01$od2%I}Xmax3n5j5tynbNeF$Z zaf-QH#G2tjRTgKwWXD5{5su0P`iUjWx7u4Ubl*vAJrfK3zFsjcSEUHr2Y8Pk9B*X_ z5H5+Y8TT(-t)Ak8_POK0=PauGe=&mi$0NYl4)pp2ERq#ZsS2+RlZ8@C_Ilu$HRI-q zia8VIc)}DDW`!d7T?IN zpu^Z9WD@>r7$j<$1RzOJRzDhvAOtq;KvnvcoeLLsGo7$|IL{ER1q;j)H+-zG&C1mY zo(7(JrIK5#!uF}BrX(Lu@;p;ZULkk3z{jZRr*l$co=;Eo>Oy&e*Iz9kKk;MTHf3pf zo#GP0Q)jZ@V+Qrpcze_s6EoOEz&y)j-m@x&1}UO=H|~EZjqA@|8!ktK1Xe#U5{=0Y z-2bW80_-6zo88i_+IA|$?D4GJ^0Qai=H7?$%oBg>TkbAH^+{=aHFrtA@&atlfDdfO*5w zkWg>CH%Bi^_4<7L`vrT>sCc}akzZ8qNLy=pho;DFL-d!6FVeZ&59nj%-dW+|ltnQ2 zEPQ@ZwbAMoZ>a-IYm77w zvbG1lPg(|NI zUmfII6~Aa@vLHLZtO}f1t)-vT;_CjBbE%PK3VFw3Rlzuq0vk`4)3}m}#%8BGVHJQOLCfW6; zfF@U;+w^h8Jwumli_==p)`JizRSXw|c2J~_UbrB1Uov$spMou^hDfrf&r&hG2@JdH z+{o0;T5u%ODoO0Wg>4jIhpb+}gxF=2r})!H1h>tv!L>%`-x}3hgVL8I7jBKc)I}iw3coEXgXGC6fDR{HZ zyg1NiLead#?fe>d5U7t;MsYQ%{QI?vAbry-x>&+Yk;tH<{FE??)L@Y%Yz=Yr@F$cf z6@6z^U6Y~-na-4UyF$wLLm}wovAy0h>Ptd)mw5YiTt`#2Jsyjm?jdJ|dg|&N`m2qQ zUwNqCn?(FimK=qp-z3#cW`E*R1eL=4H4E!7`Fx25*a$xosH&yU+K`-y^utt4l_FnL z{gHm5EQg`3Jm3#>!ZkMMCa$hn1pq8zMd!IN&icy@1oYs+}I68Bs)@@A?#c7gq?`aA$67_sZ^!7Py7%|71sghK1pK@nb|)TKW- zAG0vb4(f-v+*q%m>mizZVzWq2{$JFXNMq+RNB>)&;o0i{qRcs4pz=MI`3n$TEko)P ztPsQN+&@_?k3H9mCt^5!Kfu~X2B)JSay~cXYkrG%Mv8+uWb4wSB`R$^&*sl4#04)#?GJu zqWTuPj2qqJZMh*Vl1DgqIE4)6^_3pWQtM~F?;gT1AWv!6-lm6UB*cZy&{mtkKwJQN zU`||%!9SunULIg=Xo}aHNb%;vj4TMWDix*iEs*Q~AF|#mEUo~^*6qgK2`&MGyE}~p zcXtUM+#MQsO>k@6-CYtaxVr^+cRM-vo4GS*=5g14*-!PYUA5|80}63}Zx>X~zRtHN z-~Zg74l4lXD($P2B14u~OI1r@l_f-V*n|BJcYRRaT{dw$uE=rLwkT!<=UMxpm88w> zC+xdIrBzamz@rC!q#)VGpg>B0iYpsWGXRBz|>}#4*dSRxQbX4B87Pt(^2^LG02>9sZwkl2l ztCeV1bb?2*s#RoL)&E@NY9H%-W_Gej`sZCU-$hxW%(}OSZmGji56OW} zr`3RKni-XRoYVT)74{;d0{1x{`? zMm+V3{-*BXiwT+xgQvav>AHt^HDAX-!@tH8IktJCeblGt;;27TpNkstY1HU1vD9^6 zlOS*V%>PB{3jMYMtffRtqlX5-pN7>JxS1E>;;?V7z~6C_)hFW!08_`a;AeC)s#a!5 zpO>KoJ&BY%5FS%K1TJcfMOIFq=qH6bhZ=PF!`18_|C0rPL2n6I)iKMoWn6(Jub7Kr zE!P>_=v`I29NC-TQT*c`*R2gUN5LY}jaYh~HH#Kafq1Zu zQOWEno*tWM;qo1r?7vwueUNIi&L?&FQ;BI2N!f3xL^3f`>3EpzbhZoq{@DN63T367 z6pAKJ9)0=g3+Gu8P3sUwg(Ei~meB}3!8Pa&wCude##F(?{zUKx-j+LPZYH8ES#EeD zx1{8P5nl6m$H$s2}5why6H$laF1atR!-lHJG@5YyHra=Rxl8ad|XGr#w#Dft4N}& zLJ$xv@xX-%xKWle^$5X5Ok>$d(q#YbwsMm(!0Cw4vX(|?{h+N+fE2C=8M?h6%_DZf z0q2q%yAir!6`SMN9G)!JA8#S0*f}-TxAlK4X+t2?_a_A(OcSB$(;a^USyl(j5W`Fa zeERMbj;IHGDoil9+vMF}5grcN=pc|PqB`5>D5N#KMEv?AYclXUKlqWd-Z3qEvOH_D zEYtR&v#R`4uXj^A-$O7?%R3S~KT7Bfw$)8$^bW_T(YkS+N)v-gH{1DGpbtyJ269&o ztK}-wBieR`MBI=RBL7x6)fM({iY>D9jJ@>e zlIu!CU}=}~iFu;6X9QO|VxBpN=B7sM_QXDG4?8PS()B#U)2}r2DCudr+bkCBFycD> zZ`&F8ZIkPNj*dGSknwi|oc!7x`+VvPXgYb8W}6#%tIDdTbo34!qPt6qud?=@h7oHl zgC~245e0krixpM_UvXKMFTuoHQBGv>KrG`CjNUJj_YNduj>t189J;iQk>ppby)B$s z&4o@#go>P_OL2CCAf{i-jTxiGBz<17bzKd1uygX!R3y#nJosAtD}}5OA+=Po1(<~2 zac;y$3dLN48>N@8YmDYfnR50w5FP9GJ8Ve0{CaDnuaSJ3se5BNcHrl&hzBd z;TeRyzC*KiZ(wnMO={_k-hsgZ|0Wt4Rsu>*OV?!FLx1xv9nY7voC#)DQFXp)!;d-u5z%NbxS>Z^+B6% z`!FoI`IJ*Jq{yqtpyVmLj_xnFbAqmV(419lClCUfNc|aQiHLS<1E|#p;=`M&D6lXU z7@u2TSLcD)tebFW8Yx5P^<6M9@KsVBA`A~H8T=RqQjUh$Lu&pgd}=P+ctv*A6QwM} z_ZKTLVY#NsuFUd`->=Fl{#sWQhZEm7a?o=rm_*%D3J)wG&CqMEZ77 zhNI<^m7bx!UX~_WWcUy^R%{u%sMsL!C(IG30joxyoRLQn0Th^>&%E!4iI%WHg80gMRA2WU3hbO{gkJ3_+SRM`>sU+B2g zmr@5C9PeD7r=r z>;z_?z;9%;ic@r2HQE2kDq672^qo9nSqSO(pq8FRNmCtiF6t1Sy52m9>`nx{({$8Y ztTwPVo8o>f5|Vyl8?6E>#6elD0)-o`Ba>_yXMk`!WS1t_R%nnxXN-Ku=A6w(<(yW- zpD?&0GX`lUsc6`-xF^Ww-4yu92#9a;+0z>(Mnv!^*O=TPc(|?pwQ=h35k4DLre|Wn zQLnISVn6$iwj}9Mo@(=;M=w&LPI%&&uS?Chnn;sDgLP!*IeZMz>rI5^oM?+^;rr@0 zZp%jvFDpjtiHu86t&;s$@O@wZbQ&2Q_|!5*T8uKg&NF4?6ok$>h!p5jd35bVSAAl; z*6}Y|6>DgEA0NAGWN^9V_gPl2So*eg6BHb82`VMa;*HUtEal%0WHs~?o7E;zc%`5D z^aKK4(IDePE^Rx0-4w_nv^7vm=+O5z^CHBWS|17b-K|P5{#+2!PP>QSiRV54HB|n; zOtQcLTi{FA-v9Jgc-R5!Eg#ly1kRq$3PSs$C+;sq&TTh;HW!(L0?HejNv8t7mtKwi zs!zmj4h^b!S10p)O3pW2ff9s~-3#QRZc?GLo1Kj2bo{-zH4Pk|y9GSij4<1mkK3SF zS;9)1v_#>9Od7`gReE>{nV2U4Tbc0Dq;k=@x#*=P4lvK(2 zX9n?~IIvER17M9iD2n%8gZgt~E2&GZ7T6G3i=z1*BV^4^h(S60s2(@m->>zy)NgzJ3$P`H)I1ISafY|CHhfO60ECer)05xMcNUlspT z7#xYZPu_h_hZqY}yZAqk8|HHMXdPW3O8ve7w*PHOol9KI!LTH%WH8vL@N1Zds(kvE zs2lad-i(GEZQ|3nDRqB9eV?>W%iGmE|>T03GaR+t5RM0VFogG(gLZcI?qK zY!aMUAGG0;Ja&puH~SHJ1#RL|xyu@kT!gM%`t*JMs<$YE$L6o2%P5U7&HCeTcIR;p zdGf(#d=B8 zgJC7dWS2f!$Dvh*M`Mb=S1?+cU{ziXO`{J)Zn7jrxz-)sgXinWR>KP0Bd0S+fL3<& zJFF(MYyCIs?{64pcL>~!N31JxA(;F;ZO2zI8O$C~sKrl)_qH?wZ;C;olQyTjcKlaM z^}^m8FFFj4)H$4L=6?b42C4HbMz2ZDG)5YIliJ8=&IONzzzO=V{Z-vHqBhZ{UI^ZE z+#K9oGP=pBKp!QzlKVrO z$Czx;T_byOWQ-@g`yA0)cd!*JXiJ81#;^Wsc_7qHJodBQk{F= zK9P34vq#>tm>S)CtSx4Z-1B%ekMHwM*eUMoL}Vi(EV0&slf&sERO#Yo>&Zvyd<~?0 zlr6F7O*Egya*Eb2Fe?ckKbPPa23)Rdp4yMR{Rn)8pWZh&G;)#|)1sYAX)s0IOH_xc zC4)VUx4J-HZT!#@Ixdk}ZA< zZYsEY#3@dE{c$ome(xylGtyOKu->R~W!vN4Mbz_F7UHUzfkMj}-d}=ng7&h6k!B^O zzO77m%W$+$&TnKOI3jtG*eS0YlPnj$Xxk|(o1huTeruVZPskHCGZ*YN3YL~^WTecr z(VF_xJmv+hU#L(plnW!TXe=Q7R59LqT)vXeOp11ha(nHtD#LxlsL1oB!s)b?db$*v zJGs%Sul3oJjONBm&Pn}(PX0&FXH>z>k}V-vrdH<^ZzBnKk#y1L5TA^N@)wBxVF|Z zm0QTSmelWAi2tnLd;CSVLzw4;-|jj7;`ranwdsiFp|28Mtvye)s^IN9jzxnJPm04| zApOb=*(1T+aA<&#?i!g_jlW_=BAZZkbdHtV$Swz(tI9d1|JDvm&pmIpjsaZ)^-c1< z4D#xrU-UpCw3)~sBzN4h=_$EK)1w$@wqTMlaE^>YKrxkMY5sNNc9$)%s+2a*$)0c} z89{kDniGS^a^18-QLuN2{%197&`%6-BNVt015C-MDkdU~V1+v8FYh7b6k9Bx$vc7n zH!i%0p}I?EXQJk8Wa*i+SD1f)zX7bO2UNy~KGoE^-dDo+V~J%O+J8-9a-jQNEdI@# z`pb%4w(&vzx4dB@zR(Ptep zG$yC3PQK=K^Cvf7N0w-wDE&JEO-9D8C2rqa+7+L)LA#^KqX~hC6q=GN3xfs>bfj)9 z`<>|#A(evuUu{XVyG0)f_3)*JLx~CBF7TF1Bt_l_ChvA~HSXpsgo|gHGkH&I{hg z<>aQL&+cCopX(ZS&~P5AdVYJzoh#QUIV$`iQp~`@`|pfFTHzzN>j7=9lK$eY$HAeb zyF}?iJY7r*A0wf<4w5ehMd*VZ6-i|%Z!2mlb4mYAN*#xYLLs60mVb@9bovw?&++e>f>t~`t@VNgyf#2O?&zyLHQWDKyK4LrNnaeh?`cRXWP4)Kac9K`+ z(gMu`&|0IuL9N%-j&$)?U zSFQA&_^3w9J?Stto5a-_`KMsYV>jq#2H^0yInFC;lZ)|cvrfZh5m=+_?Tk*CPu zuxu!c%``PFhK?|ct&Rhappi=D=`R|V^82N-`6;v~;ix=u<>UD$G>>+|GzFVS;C?2F zF6gy@dy~VMgzcqdH6K*Cr5)^%4VXRmjiOW&~KqZj9+NWw0+EoV83^wT4qxETFesGb;I=Ej8a?6 zWcVY1e<0pKzu6umU(`p!ORg=O-bHXt;0F)trDfFrQv(`7f4HH(exAA*zu>EGtu0_+ zuW930{&8wuI4PK);rUd@G@VISBYEymUL#ui0|rk2wTXa4LndVo~;M z_}T?^nFB^`F&e(^p1)OqWF8;ghFqx_)yJUi55rlp{z&BYKKFnke8Tt83LhjDZ$QPwWGyzp*a`VfRQ8Njxs)R&gnvpM zSPQcROUq8q12~gzO~w0=Hu2=;rglX)?Iy>W>u^?k{_HANM5(7?gbX|MOG79UDvrp0 zK1{Q9Yh;%fs%z*UcjgzI_)0fz#dKn;VvxJ#>L^gm0j@Cf+m_1~`(`+0KP5p0^rtKT z7>K@W_18mR4gdif-kdOUNZt-$PKwlI0O(Ev!_~{-+0OLBlFSID&6R(Z37RaYR7Qxk z`cTsP{%%Kel7(L6b~K=MSP~B1YH&l{WizD2_1qK|2B$?26kFmZoL_t0&Zs`uDzDLE znx?KIPJ^!P`MFysFYLFl-RBVW*sc;+3NxY5TPrt{VJsju)UU?n-)G8y*OlvWwU?Gu z{juUbPwL+TCBO<0v$nZxhu@+_$G9^5f>@?yv0-zn4FFd4{vav;>GW5AJnk0(o*L|k zJ3a>bS|$nkCxRR;eA61hzcaJ1u@wSYyhcWEGc9hv(+|P^sB!CVWWDblfcv~tr%n>x z0_n&3hWqc&us(NbLEqn)nV;M0;7QnNhsdBZPCXS-t|g8JFSc7H#)cIz2w8hY_0a88UgeNNBY6v2n^p^1tYtnJmD+9gZM*bmmONmFf zEKLKs7N)oh5DGj58Dm_VjeZP}9L|RFaa?@*qj1~Gukv3Fu6QZng#7vNku?Y7A)&Y%bbHjsTkF*)7+ew0Dc>|Rw^iVad~GGaa6}uXVkSJc`akB%;^?4WtZ?;ng%jZ9h+>l~6+{7N;x^L=3Nyx#mC{b6UA=6Sj5)CYn>_=>lmBmag zB?oDyY-NgA@yJ2W6t5@5;wfUNlc~_@WBF46WWPfvQc9hmxBxMyX6F$d7I}cqRG>bJ z(Be!x#8-evh7yv#`s7DF8Nb~T!RR)|9fG)AOs&UYA%ywf*R!?D)syT_Ifz6YgJ4)U z_+%^j%<5Ae?7JxbW#w1amC6(g{FYZ__rFc+CUL-nk`I3X8-G5FUVLaEShHtncKRZb z^bN=D!LhS3jrFzW+v>8pfG1S5YnujK7W%CJxUh?F%{ZS48jUk1!;o8`2i9=zZuZhN z@6yJfrKg`^wL|v%dsMqm$SlfLlH#GZ(L9NfUhsoaE0Y1T_jZ&lw+_Wz*ZPC;O94mf zkBi-K|J6x*0~DZNb^hWRLH|G1j}EwZjKdo7^&jEwG!ha4jWkc!vd;?HvbT+e`IAB# zF@g=4k~m;2hWTtqf**D*c6){14^Swg*onbeyd9Y^t)oCq>2g9s1}h|T8pK{T)-23~ zq0fE*p)EmjVP@KuzIc^hJh`AWn3&JQD^5J(YBij08BZrAzi*Iu~l42srb(>4;{jqLrxxpV2oW1Y@pPr^g_j`FHr!>JlWN1#y)86wzQ0KbhM(^ z>uYA8Frt6QNL_oPkw01Rug422K%{lRZ}>7CiKD?MoAo?l8M?T_C=!RpM~*o3!$S_y znz2x3Nq^NuDC=L`ls!5>wO&lvH9oOpy^|sejaXz%&NpQ_E^LD&#sSt!$uw@Hh`v0# z<;NF)jxXVXuPk;m_fntzN#pxrg0ND-77Br3Tu!JOv7?x^&_z|CR&&Rk_$l~KTGA0G zuKBPyU@tl~LfBEJJ`!A#xQv-I5hzUY5RkX?xrGs`m5IM z@n7WB*)p;zZG!6l-}5}dai(BE^YtL!|Zsj(y^mG0

3Xwdx>(=&24Gk*f4kIbKc7D%yuJ`Q0B1 zqZu7I1l(`e=(8@M_r0@fHNgu%8<+T@l4+3a}j0d4RRd2Tw=F&)Ld`XMahEVQ+CO6!KHgz)P8rLh->5 z209}ui)@JpMV9F6r+fcXA*#fjs&5&%w zHUb2n708%O-9MNFRSPv+g-Sc9ME$cFNsfy%7B-;NP95s15XAnO= z?+`GT-xBaWlv&%i`F+2}kmgN89Nlm4XDGPD8kILny`;B zsTOX^iHFvkyD4H_B-(Aa-{`QOr$@XZt^-HMC^VK@!xO-tGby{d{;+tAUMJ8u%D`(s zs0o~dtFu_Kqf`jhhsHh3q5pa+6bPa6bH5qy37ja!YNk9e8Jw)wuM3m*>CFDrM)qx0 zjHEqZ-ADtbdIv+s>Z_j4B$`hOohYTj+FJD8tT}Qqnc0at_AK#fzv#e>z4`NXNCqCN z=+Gt26EX39BYYR;>@ObMo@JrU?fP`2v$s0cK?1QT_(Zs0u|rfXB+ztYtN|=7iUY)+ zo3CHtW{9-yw**hks=L3mbIDS;s9GUMJ2Ch0Y@0QGVb6W3lDHAC`Sjhg>I$)nq!$Y? zN$Ja7MIzN^+Hdk~Q4V)~L2%i4kFXm6C!2pDWY@hg+nx!0v}TEj%s>gxe_S6V_)&#y zpeLY4+-MUQfsZCsuvJHbpga6*x3jh0?|#g(li{(l5i1`*d*|;Oqp0;&BS4OPN_qlO zGb+zGCl=onJ9MS`4c3kML+6fFJWsDizPY5@F27kl>WBP2p%Kg(j&YB{ivKgLE!sJB%8bqWVHa2q#zu zosaVZBnKW74lc5ashin|@qtFXm%++N;ArF>9(`hr!F)lczZ+onTIRk=$^r+T?vDj) z5I$)#&@o@o#uW}cZNc|}4AwDj$`DD>vhbH3(bXk*+>TAk>o$|!j?AFw@PcPffOXNE z%Ls%Q0k(7@bHPF*F#`j<)iZg_=X?1uPVaH_G(u_kQIv!li7!9k7iM0NU`&j7E6p?KFjj#`||2SBzE3ZTxA@}Q&I1VLenr0@6VXo?i;>BPRBr0w0v>OZMa;!gxW=M zO>=$~axf1>(=j4o=G8XO#fk?;0nw3N5s<)0u`fiKC)r0TUaCh5G*d-XM=fLp|AOG~ z0S39@$If6$Pl56qko4Dr=NYNgBTFNGm5ZmxZT^q>sRLq zY=ufydlnoDN7kaqZ((xMBllkP)c4k`jz6fO;(?OqDz}~H-ftqlq{ac7MJFE8Ja3N- z*Ew&5z6@~s^>R>uZEN{Jv+k!6GGSpfh`G^Hh2A4XpJi7mN|#YZvsu+;!qkG(D?&CY zkrK3r`xz8pnxPAHtyKjTZUc-%h|xaEUz$57)3b$mbW3kA&8U5_QJutVpqE5O&%$aC zEPVHstR2Tb#gI&K?$Ww~;OMqzzVKoeqh4q4eHu~-f+5Cd_b{l23paEgVMawZ8EnL1 z9G6<;B0rg@581~SvWxCpkWS)9`7N`&)B8t9krr;mK3O$nAkg%S;i^m*S;fB-6!lA# z^K?oxhUuA}KwT@mMe;(_W6-}%Qt^4Nc>(tIY7S7!C@-ZqvhwuG|uafo3{I zgmI)UC_m9@iC2pUZ>rj#`$gC97Bb%N9heu8y7Wp6@9ndl(_If*YAaSBDwbYJ?&M!p zvD1J2tf~xMfa?m;EX`yhoxiOWlX}j8KPNmM=^k9%cnU ztj9jk!h!~6@Rt&Ava$B22#Ew8F<{!^n}K0GD=HkAWetHTA@FV~&k zvE~Ja?ZFHigd?|uxoIk(mR4WXC_c0E2XL)k+tx#<;pj;Byg%@vOo*Dr95Zz5us^ie z-&U1zR7mopRH$ED$yl19F2REIJdZg!2992n|1w>hwzIwp20fg zws4D7tv65qnk~O9bZ@NLeQdLxM&B*C^NtCElUc^hFT?C5B=B?{u1J}WnqnrOjDjLG zF91V%Vj|7L|Dxa1Ygem`oip06G75EMo6}2Ih63=yFfskY6h%dD({qCLPf?-+h_vwE z48h3esQNlh=Jbj@@Eqy?z#!U9-3}i>yN&?u4u?N&A4sh9|8J-4hI@A#*r3S@!5stYK&#$rLiZ2BHJK>}b6 z+vA)LyW%6tve35o`<^0Z0>^5LWb2HmlJ^pJlcD5lNAf3&0;2nQ%sseTkXAv{1#qD! z&EA1L)d2^mYcn#NH0{7RpY+_S3oN3S+#&piNd#l!PB5mX7y ztO&qec@2~j1Hrpqc@es3F|Yn8q6u74sB8lwO^gDF#XG#z^nVhz+_c!M<{`nR!5Us& zCJNO>U3Q1)lY=TxmG1rX>xigB(BcHy3hSE$ORyPtsUA#o<e zGPAUNMS2yv{!kgF|H`x#=Tz__%9Mq8>^1_qkr+9A6)HI0(xePLm?Cm?fU#F-Sl=(f0A2h~pTK)r3(JhcP24nmw`U5o@ClRmjkUvcN$#`H z`fauW{x9Sx()rNfJz53z{eE0wG)v!bq=8!92B~3z!P)YPoW^k#43k*I8-?T-- zzc`<_gY54z$^->zZ_6f(>T=h<@7wBTfT*9;EZacsu+n?c?QiUtpQz`6+JInKQx5AT z0zersn-oxNH(aXqaJA#H<{Jntk<@a6tNhCtUO-kjT;)BXbcY3a?VzgGh1~uLU`vVZ zG2qR9i)rep^5!0^59k^=6lc2BoD4h-GtQ@lzrBeIyi{fwA*QLu=N%K| z^Wp~E*h83+DLg5Lj`U4?`?872i&nSbcJQz z!iBwFW!V9|+jGTcpY8e~mgtW*F_rxqK%$QoOTk6qg(5MpIp7WI>CvDQU+F;m3z{4zY z>JfadXA|kFYbw9&D8hNS-V>689d3C5D4;A^)E(5VvAsr6!u|YOR@?(Qxrvw-PZTaaI_YUe*4N_@S{ZyeH`Z zGEaDFNwh{$_%IPW8B#?Zdk4^BZf>P$+cdIxXl%j3TqkEjJ{x%XisH{AsPijL`kTEO3D&7idIqSVXBkh!DL>lmpko3SaYFsIFA%A`pWbf5M5y4Y?zz!9wlXyDf57w)YKy-f0u>7ZT{EzwOzfU|3 zNO~IhH|zZGveI(4*M-Gu$c1Ijow$jn`L!_ax|goR4dp&tpRe+uwl^x(0P9v!gnQ|^ zqGrK073f?A7E(666>U@bqB>(D1E5Qx^`L3Q1!AqkeFtbuX9Do+3o}??pHK~{a?68; z0Am0wo$EjDy=e)77N1vu>e0|MwFDr7a{@O-sf_1rz}u^R=9ciZg5Wh3n6F)lcu zPG6SP*kIokBnYZC=nc0F{4OkjH2Hk}la%DoNzCs?O>o_Y+{1w_{n0MkktoHTc-NOS zebCm{*#jd^Yf&`dou)5#(s6`kd<3dfii!>Lr30%I3j4?BBj$RTr2&jXV~cv7{141Q z02lB4JV2o#8xfa!^k>$t{+BYAoDgyWHo`<8tsZ%{J9!p zg1f5lO2uF08_ckh-wwOer{0lz z_ipWf0SPGIDixpbs}awSn_b2QTZaP_t1s8)IgV1VNG*qC%=|hV4M;PwMIT5ihtk#* z0iUE^O{e-8|3283rCyll^gw@#WgKY&44X=RnZsnu~>mO&lh+M$kgKARuY z0A>RdOf>_U7yPz~Uoj3YZv#{JkD;UL3z$Jg!9%_-HoysdA!eeIoTVh3c+u3w@0aig` zu1eCTeZb&7b7xn}}pDQIr&ImU4GmEM}`KBcWG z5x(y%o#5SdCd{sf6q(-3Ldn0UvfeNve@7p?iN{rQ2iaI7#BBmVFS+vHpIMdshCabU zr$-&y!)-^|IQ?oQ=T>TcN-{f-ZQ|WYkVHd0)bRL-N znC;pQ{Zf9qC{KlZh1!)!M_f3^c$1R;#W>j%UU!>da}CLrR^Vma@4}ch61i>B)#u~r z=+?$x{wvhc)goN$GI}o%&V3+B%`cYm_)eQ^`M)$|4B?j2r~g%bCGtP-(9MM21+F!Jj3ig0_9%HCZ$AKfkKj7z(lsRF^ zlkv%|a8O*nfbI-`Q3L-ifoEXqE3W@k?sr#;3mp0gcOZ8*i^j$r;O5@QfnPu6Tc_GM z5p5}P4gp()Fbq*49BI~?ZffdzB)FleinMiLi43q#(;Y$JZ}jpP&m20@&5W&Rt5M)EZG{d~`CdMIMtuqBfj)z1PA#Ni_x(H(by01R z&so2fG3%x#0MvVGOx3`R1Tvk}eRhRQSr!ecz>P=Ao?r0KpI$6QD5VFz0Y1-@3ZO8y zi)1ZTe(QpJdA%Vd^VgrO(u*bN)Jc7_%@fXdIQfb0Fzd6?zq{Un=vogkzSit|nwdNr zr!$>S?e^$$y>Zxxr!{{?nyS3*fq2^M+S;cvC39MSE6SrQ$7~})6K#;lUk>3ZlxIVo zvr|nQZn!4(9i{6;X(gndX;WNSxSc^isW$TOn-@by%UX|A@I4%V5VyRRL&2ucS<*Sg zNM1IY14n$SbBNU%ZE?C1Cq3=MS3#4J-piBT!M>U@y2Qz;8GLNUD*FJuCqzqA_)=X2 znsG~}`w-T9vAWJAZSwbH|I3KJ;%}X+EC>#6CfYYKNo)^4+M zf50h?)c+OrI&HyaGrr*XjpgvXM(*SGX{RjwCc>783cJo;@ba#+WJId2K_UKRnnUZP(Zg50 zgt-fV@S&ya(k7iAgIOCu1-URGGU1tv%$|w2_mzP5@h@Lf*C`;O%m^7R@_~NhBRAXh z63Y$hF>h_Yfg%C)6o`Lfe}1S(8GHPlFuTy4eRk7(fH+4IzTHpW5g9Q>b~$HArpCEh zbTvXDU_*GC@Gq<={rf2fl3SQlx5jP#>(B1_q$z~BR%Jw~jW^L`JWh2h_?G>b1t(Hx zoE^eniETG{Ut?LvBX`nt#@Kt4kWtugeC=&zOFY=UEIyG8ljH|Qen>^_UDRe#TM&jP zL0qiQ^Ol`VQXZ+YCj_i}#(3Oa5&f9p8I4FZIQ7&XB*Sd>$MwhCvDz#QucZF=7Wg%w zA7_625)PmC@q;y6}x)CByBVde?a% zrVnYy(WQ69J$`=maELhUu-~0Z0)mcIe?#euuSk>9uOTk=eHuHp;;)<5`G~`)eOlSW zMX4mug9QhR?IbgipQE#JZ^m8pf7g3kHd~Wbz!$Z#|0xeYKB1zZ+t_;Y@-+KBzYmY* z@^>Ev*C^YZl7Ma)dhlbjst#@b5h$B)kiGL2gwgcABEIIj-|UXr6&7z194P zyc?MSSEw6K?|3MX@+=NHu8bgbNpH``Dx^6{!kti=m8%Ycyt3F>iTM3{UjWNl55rZet%LBws6&H1dB7eY#07yz+o^=5~?~S~5W)N)NBvy1oY`pVTIbCAw zYIBMUvM92ccm5Td9(1O1LWR^0SA_Tk3)L(D3FFR#a;7yzp265VztnA|ZiF#GEoV=d zWLMe;mJ4{IPfa&Cx)t=+YV{?fYBPuOR5ZE9MDaphBJgf8CWvY7K9sHkB+wJ^Q+~kR z{A#~xQTjgGS#TS8B2qm&saqEAlRNA1@jdKnJaq4kD{RP`vh`Riz_knR{tXTZ8}#T* z3USQzc2V1du1fyO83x*OxAZ3)I47=pv9rK4$>aB~VkKoLUU7jF zp>bx5ztAd%3RmWeJbGaW+6EqQCyVpQIQ0DW+7o+dPZis?0i<{t!^2w8lvEJP*muDt zGx1eH*Q3f5CSBzwq=GiECNxjK-jei#T9(cGFM5S@+Lrf)8lX^SWhwhF z5SbG;r;pQIHCeSQ7Hhj%{dWl2q(IPsZZ>wGvjn+wJu?wCK0TW8(7xgDmF*cm^=c(MA}7;l-k>`KMF14J?yDYTeqSEa3G?2 z*@&rARr9cQ(%mL$DadV5d70{BGyH?iep|fN5K+y1dqYp&$W_tvdu*zy-mI>2fMRN{ z_YaE5hvSl-*;jm5^ONCj6TW?}&^wYiHSB!63&2m6Gf_t9ZV&mAPy?~zKfE@M-*lp%b$4`U z;|rYFAs31V^W^X#%06bCPFRvvIYOK9?~l?i`w6}tJdr{1gU*^)!t1}a-=~?f*m{)l z++ATJgHdfawUk>0VkgQlz)55B=x=27rtmD}mwnXu;I3fd9gA{(?+AxEEzAkHIXyp{ ze7wHY^KTKqP}~%?nJSRJf6bxfzQLf0z-0J0Y~2@qe`_f;uPf=%qazXNk=qVz*}l~;`uoZhD+QNRgkV^`am!{R<&>2c-`F`~m}*Nlp*jbE#qgun z-f#DY*&|3Hc6mVD=%?__c-J3T2e?<8g9)NYjNA*}-6uApItTB3brQrU5yz(39Wg=! zxy)esJB+pM0tp9>2y*@@=eRfG-qGY8K2rv^iL_AYkzhzdb($DDF4znHp6uDq(kCuR zzYoz^OduimMU=W9{4UADb4F<6tpCcLhhNjt>~Z$cr(pu|uZ`d2&Z8YT?v+zTKi~PZ zi0Eq7D7OEFK}Cz@;E63OvE>TG5^f9Z$87X-v>H8j2U5ur^t#ZZ)5a90P;MboEdAuN zgym3hY;_|e(UJ=@^}#xsJ7adl!2iyAXsTN?SEWSGwIlTLHsf^>ASv>ib~~O6S`X$Z zGqlqJt|I-y#7+w=Ae*S>8`YcZ>Ydu8+lyAFVB7tkxZ62wt2!rhL>%c}*GwN(t2RLK zJdHKc7$#X;v@!{7f9TSvF!HEk7P5%tS0xJ-w#*xJ|J~?kr2Q1zqjJ@2h&m+GOhT&W z{{HCE}wNu51oPH|gq}3gXcGhDa=89Rp+)>)E|-0`&JrkaL!g zHVkn)!>z61Epvq8X(2pNbhL8L9(Qs}SBZd08 z{~ER+BfrtXVmR!}-eVk$t&ZS?Q)#2KXvet-8l&9nFp}v;U4eC!`vU8$T&r+7yZ~L7 zYWogva_(OroyVYado);&xk)6uxCLy}Ix~KP#JiqqHMJt5YD(My-!Y)8zNh3Z zQ0P@C+lBy$(HT`CBT4O0?^oU^IF;GbtH!yA9D0nOSuuY0Qm-$8iThS)NH7T4{a+j# zWJegmyp3XD%NI~}20_7{7SiOQS40sWjNVrIM1Ld+aK_fkx=y1&dBAp4b*^4b@6Pp` zJaD&q@~db^;OY#(>u@@AxmN+C2bS0ak6Uvr!LjoWcxnQVH$?k&!EfzXUNMyWf5wUC*89xAI&sk}sM0A;l8EMXPr0s{LaK?#z+@rf zTdToY*qkml}a(6~_GNKcR32kyT zd){&g2Ag*wj(rHSm|OfzTC554?*wRpNOMB8Jl4d@8ZY~4A_AdmAs*HDBV-sT&|i{P ziH5BJa6!D9=EKMmX4x|F1>%_3>TP)x#jp*Dr~fw#V8JD6$rF?PX9jebvPcx7T#s6s zO|qkD>E|5OA5lc8V_&x_O1d7URURpqx=;*DFcyNdEBI|EEm9{*y}71nPn!CKXUbc4 zw=9h9JSYf7^UUmr*s=F=q^jz@(T4Y|7_B39`cq;Sk0+K{EcHH^R94tb{9ZuU!@#G4 zG`H+M>_@f-@BQPeeE*Zm%Vd`#Q+C(x?+P?)jm9}}j7u3$>1hF5KUC3*$@aC!I(ff{ z7dNJLP~D``zixgzOz{==w;g7_d{MsY%>K$M$TlM^m>)&9F@w|LrmAL5&Y$m(BvYTx z-sFnHy48)Xb)WO^|Ey5*v)vDPkNz*CVXh(c>)-!I<)HsOr!p+8@rZb*)7O=D?`}+Q*;_x&#E*3!pbc z$w~$&;77#fy%%xPrAeHxYqClj31#X5~U; zw+zBSCj?m@m9&LlYOc3S`bSTZF}PZh5Y||JAIyG3Mxz>>YXlhbbkrpeI0?u8KPpo` zyHHMJ{UMzQq1U&D@znvPqR6#7o{@M!sBE~sqi15>D{6^5pGYCyd!_c zz3+1G)|X`Pwjr_y ze!$BRgpwe!sJIO{E|C%Bx<>V-ITVXp-{UerKg(uT{PA55+P2xM+d`H?DUAW)XZa|q zQyQb09#Tny_@MR%H>|!$Y_33TZg{W8r9SOdmXx&h%O6c;1rF92;FJ9Lc zI^B&{vC2Z<7Tp>aA|hKB&~Mx$!egW-kyQ~^c)jBM>}oxzicJ9XB^y-wOomO1?kTRN z#+VL9nwBD!PaTiqigSC9g3s3-@B%XwryE_#4`&-z`>FKLf^HwI$F~{pNF+I|H=H|f zl{~(5+||6aT%pcyWf^b8-kSk0;OgZYW?}7{{$^M^20N4|Jqt5lFeH2Mf~JI8(Kr>X=&u_Z z%zyUQJV2e>#&eHq4{e{ud3Tjz4JjOdavb%9{3UFTcfW6tw3pY`Q?;ANB%n1p1gHyl z@Iq)j#OHN*rAK$hP2tA4{O&JT3LnLk;tOGBH5F_D!&VUkgS*K1)RW@JxUhyVs8Rwt zRU-%9^xU#(HVgbQ2Ncvvr3BEkxWDR5c{2xVB&G6!s-9J0F9ScFq9@&e$ z>Qz7dI9(@Eef~?&Q!WO+B#r*3o+p|OY9l?=*eKJ4kKbziE2`CcvOnru%$c_Fcik#8 zGmNo-e@X~IP5i^g$+EE4o^tz+s0X1G8h)R1rg3#bZIj139-F)Sp5$m zES)Br>My2`ttUl4{P$Ok+K4QsWz->k_S!Cpi-SXpKk5g&YCiWw= z4XJ>~;4yKVh}R#LFEYcXNz%?>!BXpZ;NNE#jwR@42RB!qlK#9tKY^Z{jg)xame^?0 zDjjMloOugWqW*~xxDvcS;xCOGs7ty1FJIs{+Xx$M_lgqU?pMx;*`5>^=)aeKLo;!m zW&}PZRKF{iam88ko%R|Tz*g`VuRPIo*gApz<9WgwoG0f6j0qs82&pHTqB-uWet{?H zyD>}U^@exiek#252%i*VCC6q#9tBZ^N$bSF0oglteHB#ZFPd)cLMVmq7A&;{BB+h} z5sp!3Pzc+Fy|)(Ezgge;N8Kj-Q?{ctjR#mSf(dgvaLFI%@dYIx(Z9>d>%%Vn7`u!W zbKtpXxrnONI%!9MvS`W{s`o8@CFVWjLNQ^%vIvRo*0dvnPT%=kH@V3CpM>d`Col)IRO4TrGTUO`2)_%!1+LuN!MbfRR$NsvW(sMt-i{#U1i~7J)qyG_tr!G|^l# zVjq}dZ1purG$=lK_)gDr9)Ptq^<3-u`-^jwBSfa^2Zz5$(k@?j!tcP?eASRq<92hK zSHD__%mJ%_TS#LPS5?6CFj^U4zd(wZ$@D;ljdMHOV)=VDr|MeN<2Krk`N zehF3VRue=ED9lI-NPr%UM22nv_u(_(0D`6g57mjyf(7BCFAmIa(+t^naUT8`ouaCj zKiNBN&iKJi?XqL(vp>4z?!;9H0Xf8JHc$Wtm>LZr6Yi#RXiV$woZC;KFrwfwzMk>N zJR%H${m3&)JcmA`2&`2YzJI^BIVV7Ka}%Tl^kncN0$W)9fBmj{ zXq4j3P-Q=(B-Xwjt0P5YF^4>&6%ssD>IHuWi|pu z{xe#qQGLJ6Pgy2?Ro^lLQ!MYIWf>gZ>9X`#^VI5|`qREqVE&V;i46uh0W@V^sYEZR z)iCm!cze9j+3u%`4@@spNO7Lkr*Z|H7dQc`L&3{Sj3 z_BJ3Nwv!ilsf^|SrwW!PpEx+MeO<+tL>Cj=BojU=NRbcj_}K1L3T^7DA$X2ssdNuY zET&?d+lcF3YjdpU%63Unnr%19{G~;2`FvKbc{= zH(DJPOx||rwL8ZWhs3wQk?!dlkkOBRnu@#pR51Mlzx_KefDJxX2(Mv=A36 zGux7GKB3?y$Jc>_QqQT~*8HB#%qGom->YUGfT_z{zA@@Fh5*hdd_nE{QKet|jy4(` zl;OgpFJR>lbu4JKF=X~OQ&MoE^ZSBJhU{T%UlA{B%eOkUYS2P+dZWEHeA}64H#Vtz z=%y#LmRIc1YFX+g{M7l0@LEw{*+6fuz~_Aw?Qqu|rSm?q`Xox($uq}oGR#(+Xz}n3 zZ>?~36K(S;@Fxi!-%;8MHP|Io%8~da623<$jWqlAXoR$=Z6OU;BI3jNMZGOSbXZ620<*J^o>Lv&GbZ&9U}s5<4~ab)Mur;b8l#M+#da^W)(V@OIynK7f>v0$;RHJb>&3t?yO4wGrKKWv)(Cag^NulP>ad9%i8 zwoBQwv(|IuPi!0>twlgiVAKcv^M9K6zRiN){_gyz92jT-eIuR9xHMm2=a2)%JBhS# zaj5<-mhm`<`stvVo3aw2dKGiNi~h57bd50pNhhKM=!&C4Dp9zZ>#=DB*o{1tl|lt) zfgjbyG>JA;O>IlgTd%#CU;ef}-)b1NT^8OsefrQ(?Re*GGrMyzc%BX(Lf$=K&Ac_{ zk{LKhzhxH>=%1mwmS%wNkqD4awOgE`h%RgFvA`fO41zPkhS`{jHZ)l$MiCMy zr1P;B;0!IGj?P*3&O{{7F>E12y?p9e`W^r|2YNrW0iR=3dE>tE^kz3t3Yz@t!BH zCV)9`l6ZlBtWyh`m#NC=6sK<4xrnGRKIktu_*ut~x~gJTBCd7EV0z!=d=r2w)&;`C z@Dtq>&i2|E=9MB6NHAp$#~D(NT>McN7zyCbHeLip^2F`OIKz_d`3PImOlM)U;=0-B zeIX`yd_d7KcgPATeSsTXKPZ+u6>MB`EDuLMC3S+$1p8&bX!cI2HT0Y#TAogH4z_VI zko*XU!J=(QwH#qUSF=j6sEls)H21KpUv%X&ZV_L17KHj@d}$j_`EEVm^y-A8gN=-cc|AT94<7^vyqnG^^Q+rcHc{*2OQ%%Q5c8} zD-DKRiEUy|QpgMjoolPw9cndmKF9Oi2ktOC8l7)I9M>4%F6)Sl)1GUNf6?Pv=WY_2 zyb)}OD~m}S0oU(ak9-F` z-F@}a^8x#i<-bZrGe_e#=Tu~H*rIwRWxDLVCFyU6XzrO<4IH0){2pZu6rtNp9+1<>p?**T+Fne(Je<-pea&xjDbeJP7^N!P}g2uf~Ikq0uT7OLb zWw{Mu;{U=knD!EvWcXom)OfN#byLLW*nanq@Rk2~J3e8syD$$&ow>H8k9`s=B_seoqrZ|XL@c`Sa{fjy_oyr2++kNS!3*Mixj;6_X#iF zS?)O9RK42mxlS=RWz4|qofX}>xfMit{`i0HjeuFP$Ml`4Yd^C_>6UHO=|%fJFa&s4q{F)TlrrTFk7BoC{Z2 z3A+NRv(c{j6IeJ=VFD@`>k-7kAo2>SYAMaD?mW6_dniLnj?ypPyjDJe>waz`eOiWe z32ps?eq~%n8-h*&;Z~?ZUjSY+nar?jCNCA~3P>)osJTSc9wNMQr`aA>00da`g<-yO zAi=Nd$`lax8hxmB98fL_33-ou{x+r+NYe*Vlt_&pr1G(oZxIHZMs`zbvTmu@sFj)u ztjPbC=+Kvuhx}$K)@5?J7LIsU)+Y$12AZ43cx>gJJkDKo^;tLYJYfnabyjfim-%H2 zTmwM};vH*_P|ulR71of}q(hhyKu2+xW?;J6r&tmD?~sjBMURwg0jTAi*a1@IIJ~)K zg>pdD;ID?|t$J&nm5NB_v4kTbWLf07bAm%flgS?H8_!yVsT3c_13)QnA>A;rd|Anl5#LL7k2Y{z5IIWa6uskw;_-v1 zmwgNdk~^18PgzI75pMGVl7omHeJj(6%2nwN zSdvsJVJq1A_NHLqe%6X=C8^PNFYhAwdJCzT+s}Tj@%9Oui1`pz6xoW6`3YWQOLD{^=?=)aVVj_~vUJ0q#1fK`33{}l!EuONcEUh!vyKL)#qvG+NsZ zOZR+s`f=cDk%O9-%hDIX`oQCaCe_--hFi~)`nUj5c=5l?DL0+KPa2M*k8WBshOcNe zCg*h5&o}a&6tK`F>n=9%@j6n^jA`SS&BV%_sa zJ&szdpIPO12QGxHgLvM1tGXqdXRA-+&>w#NF>romV;v6S*Cq1tFnk#5$v=MBX(?Cj zwN2^&7y~Ijxo|b|fvS2!Z#qrz4IvLWt?K19^5C&?Iu6fFD42#p&vt!%!+rWz+uDnJ z(@#Bgwj?44WV7}?*>-ys@Eu)jJ=~_Cz%QjR{9ehOyVkP! z3(B0}vU2z6nbSx9XX52E)Z@4_*gLe#O4;pF(-qWuW;Afu{M@yhoPQ=w1Ez+k$qCsK zpHiK!LX=?86Tb(wy5X^-CaKCYehuXX@=;+uQU#TAtDJ?ix%{AAdlV0MBc))#b=)Lr zU??T*;fR%Qn(+e9mHm-e#uu92oN>REj5A)!MRGtBfSU34*} zudgf6ISXxls`p9{cDH%^aOH67`OA$pyLX&VtJ~g7?cTzok>H;~GP~)bMSlrayU6%7 z{$EbqL#f7Dj#zFc9Y)X1KdG8n?9G=Nv(Lys34AowLM=bqFV-7qIa}z+!=MqtTMK<1 zZI-r4STDtk{RH*>=(ce2kf_=WkCh=-ndJ-1zjciHQBUwfPS^DI=7`o%KyyF$?#Ir5 zcwI!Nz;FKl#RWgoL2(a0KrQ5xLz=dL9Lx>f(&wZbb?r4O)*KoJ-n_^n)w(7Sv|$9> zm^I!-X?}<`+CA|2E0F%j*cKZ(Zs<^yd2=`k1B`%ZRfxlw*Hijm)v_Xz=LG70xBG%NrY zJ)g+5g|7Eo0-ba++;@3QQZ(Vtg4iYTL@h;JfG-vzEtZp6QX!T;hY)S4oTS{W%Ef!# zy^QRL+)8biA(%pvNKWDah$gyKn7v0Z_>iAZ;FV>sJ&pJ_3-6-c;Eam+BaRZmD6cUh zO#%>iT4BjH-D}c=U4)PxwOR$;qXW~*SnQoq2Y&*^C0szR`R6e8Cv+5s{jv9W26PMG z7~4YdoJJi*5U&l@SynJxb1mM#%7b4?QOE0&HYruZY!MK(%uydtH}|2ytgn z?5BrYf^*Ub_g!TQAbGDlTHy^g@eZUB{aJ`MByKP#rqdJ>3w*J~3awviF7nIR_VrpbCF&=}H0L z8unsKdZ!hjR=x4q#lOOd@6J#1f02iV9?vrwjMo!Ho^H4^nOrq7TEbP2)J`~)m-T13E6l9T!jzlx>9GottsL+Vkb9l*f*ENAl@xAH(x@ zXotDaM;p|MsGw{uRbbqP97{iix$zz}&`ytCT8FfGXgCQ0_UmDW8BdYH?d848teZyiY@gt0zK&T)R>E2Z>vGz>i)j!06Ej~M zr{VX@<9@oVUr1hqeN!RBI64Jb#fOvE`V84;xXcdE@rz;$y^>-JtONHqg@#0}qKB}nD%Rhsf7oG+J25do+nPBH;=;{ z@`lSd5RGqVS`F`@^}A^*n|!e{P-VC!4vVhpi16X#E#275kS~eir*Pt#3lM@{*1vnT zmHJPml>t4;KWj{p`{@zYHuG-Ud7U~s#EI02&S=gtM+)r)=<_G;C zyw`zgKwyS*p{C|Tl+A(rJ<1jb6RDr~p&3k(3`kpHW>_vI!j~Y?%{Zp%vFR~{9_yE6 zQI^gG?pn?v2IH9d8B-pp-6_dXr~=(CKC_}EUMPj2f5KM)A#69U<87&Pdr)AwsGzku z&3Djw;g52*!iCXH!WTXvO^EHo(``_18vZPu0bom*4{4Su1y8~*)r!s08xIgn_{QHc zgEjrtfU!+d^K*7J#G4xVd8@PZ%s!K)&v=QL#xb@0g)zfUTSPzF7Lhl2RX=R%_)S%s z&WzY6W%3vhA;L%+Jm;8{=QyydWd&ct(Om@8KcDG~`*XbcD^^};zFaq#t!L9BTsZ#v z2D>Ri`Y$3XhJvPmnM<0&khmHxeS)gSECC0@0dlhXNs9I8e<(V=w`o%7LIg75 zGFKfca%n$b|1gE4SRw0R6-8wa0pC^KQcM)7V2yjWHR$b!)P`ko4i=}4Sk8AzG+aTK zX8IfoqW`UAGO9|$^4X~|oK`d?uv|q471|2+h$j6pMC6WNkJlN8U22{d9-N*Gsubi( z5+UA1J3f?lyg(uKbFdGg6EMp547raR&kVW&?8N1g1yzd8@47j3d>-n)=y4}%6mGV( zMomf$iFj-?NALiPgm}CWNm^f!FjN@By{3z(ETEd! z*wgGYBOp6DO@4-C6K7>5f!$v(qDC$2GLVU5J3CD6)mHB?S#tK+F6Z1#+E)9Py)+ez zs!PN8JcdbiI96q?Py+gkR+prnqaC;W1m#oxtzx_0s?*M`XW&qW&s?tg1*Sf%7vKb) zohlj{!<`3Uv(;!q>3R{5s&91g{2dFL^7O7PGQC&cO;PhI1u2g+H}a>ct+f!oJMMUU z!usHL83$=9P-ia+{TWsrZ`o}#%wFBO{EKI?Ul#eDK>smjLc~~iO$PQBMi81u2vfxa zx>dwx{CA_--1ooV@t~%1@#iFA(ckY&XMUsr-s?wt<4A@`29y+b*CGHji%S~88`6>T zI)l3nHs#KsEUYmCHb7$XN$JS5R-aM1}Pm&72m&V?-cGq@V~X7)EZI9+@W7uxfB`<@Cuon zd}7iG*e%`lSpA}@QnH9(Q!PfC#iaEW&W!gRO*#JXHJF{wJhik~zeBxnUA4N|6MV{? zM&X|J_`6;ZJYCyJK1(p-_O!RO%=rE}$e+aLHYxMA$(KyizWEFvzTL`KA;-2TJt%E# zp{lYijNi^_Q)y0Dr}Ompc5Cb~a{t}9WAqa5%TQx5w{knbi@LccN__X2QVE^Xg>I$6 zl@s+0?wE{EXNoqrzPwaOLW)WM3BG2VrJ@K&H7~}JXh~zk0~ytDvm?tn!K1mc-$=&Q zf8Kxmu$TmL}AL>g!+gywT+G;A!T&qY+M&-)d`IaD_J7nQnI#~1Qv!!Oc%6(@GC=J zL&bdM!HHX~n?Z1V*JW?#jL-M=-E%0s`jw390$LaTXQqhy9wk+LZ)Dt8_1Vu1a*kSO zLE(fD+S##O5qeA;N(+QJnmDE*pS)4|;m;4hU#N_=fW4X1Y4C2UeCPjSD4{k7SLQSB5 z#izlh%y6#zR{m)%kV+)CohW*g%;vjouz0)mkd-_7D*eLgNECvsaH)w!>-m{?Ff=T| zaDY>kt)4B`t4P>}guY(;8u8)U9#V~^X6goy)9|?CbG@yeBaaSTbiwc14H`7t@vEa1 z&XdJu{oe&56SrGu+jhfrXH(VTru|t?_cl{Q!!2vtU(k4n@QagTMM&grQCu=CxpZ&NyoS{GX4USI%#Cb8J4($VteM6`z$yt{BjSQ`>WB$tH zi1tVA=7SG^b{nmE4@P>qfD^{Y*rQo`RU!B*p80-S{S!Q6pCP+-i1&5r6gzGKjF~XY zZWjGT>0z~U+)k*MWE7a5Y9zqR`7r^4mL}p&8Rz%yBEN6zUWnNwMLpe$hlzUUQ?r>v zfAMiGvTryntT($V83bE)m?lRjBQP6r?M$Nd$D$cm#+>9@ zZBL=4pA}rSQe{00ME^w%c?mZs$^Hu!MS_p@00}tvDX?kXE>A`*tB^8cJn%l=Wo9gj&dC8VM%p@9od zaT$QcEtD(*#J~)^F;{>1UKUgY5lRx&=s3&z7+g<>8!^y$de`&S(9*h4m^pIuz?6kY zhZ><_h=xc0%|X7&=ZKA`?>q$So)aVDHWZ#8^U~J>Dd+=7jEtayLhLBaHUzSZW?yt) z3@=apr|MP43jbuQd;>&DEFfod0#Yz)@ZFLZ z++rgBYL`<2){&fTvi#RlF`xi}1KF!+aLxI_^0aXXY*R{e+|~Rrzc~vG*$T_G!YN|Y z7pR=f`XPBrl8vG9xO5I~|E_m$^}hbm?5Si&pXxp8&`fyP%;TFt0*oynvKLeFu?R%K zNEbyfiqY0lRHSdQGvupEJbmG{7t`)k=TaOiOGrYSex&@#iMN*8nj;|OLBoA3$r42d zR!Dhm`u&$9tqpi!hVc=~|F0YxVs)T3FMQBXXj|5|>z3Myj4pi+<$)498g+{F>B*so zr5Ls=84AGkQyR$G`vSN%P38{|8tCXzcE*HQ4o%4Q^UrBF8M~YN9N&!eNoYo_KCl7@ z`a_wFTI9(XV?5iQKe6ajDlF^JJBE^xr2QytdxDG_`PYOekm1*?!~1(4nuc1UOrb*a zk?j(O6>{?9US|D00>v@=@f6hW$g;0AntWXjs?t{%5q2WJ?I|4M+*VO4pA{i85}7a_ zG?EQ<4_BlM(KsV`v0JQ6i}BEI_t+OvUBBzQ*=MT}X|bCnUzm_%ORc|KJpMK`{X1b> zOayQtc8NW4_x0E5UOyYUEMyFD8fzqnvmXW;Mh#<;Oh!9NPOU9;26f1=Vjt=l+}q~yz3AjuidgK6G< z1A`*;op^r5&FMZ|-tpsG6uS_+9j`?2TJYJ>7XJAG!PGuaMx+PkQI0$VzMaV{Rt<8k z0u5AifW-3nufwm2>+1v>Z9K(~b)?{Bok3`)RCbKakvYM?{X&x@a}#;ehla1Z^O|#E z_r^GAT&1ksn=tN*jL=;GOUw6 zO9Prshy81L#?=q&fo~d|3hfpag1LGlB>lUHO^mQQ_Tc~`u%v?{iE^Mr0NSKMEoPFC zQc&)|?YLmhOy%S`WiIDv{8OjtbvVpKR$_} z_DW%Y=kPnS#UErPTr=@FYTIu=8>@!|rQS^g|H;D!DlRo<`09E3oTfT_GbHs z3%xycDlAUArBpTiukD*+w`<8MVsYQ-&JxB94X>g~fXdK0AR!bl!b`4A>rGah|6!m1 zh1wcT;E~J1De=o+9gD#0&OrP&w%RGEz_g9sAyp<=|2h>2Us1Ve8)I3?nT(AHAM;Rj zUrpJ~hQI>xX^FjbfN*z{9RVvf4)SS$EP7@s^6@`~0&)<8AduarpZ?vDAcsOsu6a{E28vIBt z18DdTb_~}GYPHI;h3#45gXF>{hHtH1K&n%q$dP_MW6xn=U1AfwpTRl*mNtPY#(E*B zJ@f{%f0mb!f-V7G19RcaJk{~6r?Tbh_B8V@;KeF(0a=c~u`CJc-#Z(zU38N|M@r}6 zy_MsoMucKQ->j#_0b^ZNi78nyuj|{3InbY^5}m(d@5-XeGtsw|YhWTHMe^sJ;?o#g zDt9RsOzk)1-J`^+wUPV(j2n$TK_8736z`*KQS?sgSRp01TB}*7k23(rWCZ%k136q_T&00(kn&G#!Fso5Uh56cyWWs1>dqHW8@<-oa+%Fj zT5*dT@|3v{geo<1YoS96J@xbaVP9|bom#dn251S-APj!6imkJix5eX^4L96y`U`S6 zkLR!K!X)${7oyLR9pFIOUQb&%|Ma}4N31mrh@OALR!)&Y!K^m|AyQAekaw`ro z{`thg<=?3B=(p8+ISGTXu8h}!p`p^6RsWxx`L}27QQ0I+f*>1r6df3jKlC({rPTpWxH@s&+Z_AGudyfdX7&q}}#UZ*tPy``AS3*gLvB8x=jEp_~9>`fq#vaC|KN zTg{HDpC`}0h_Aptjtdr&frDdIOIWTW1T{JJP~wp5bh^^pKCKNpZhiH}2Rk-hoG`V2 zLz-wd|7mnP|CelNOXlHR3qITY>1%=c7iF=FkX9+kZIp{Y⪼|(|T)}S{LlU2=q7} z|BsTF+wp^Dx}-snQ)tG`EMmd&SccRx@K#4C0>i_e+oZaIdMPSvbmkM>OeUR0!QG+% z?m_*h#mbs>f`h>Hk3K$_&2rbfq3rR+5~bk5if}X7CvBB-DuQfTq>`JL3xL(fS|pL1 z?=JGEKB5Mi$1kOoEotBK^mhK8p-8kGqvb+|Ch&femhe~q?{w^$1^@53e2)gL=KlHE zEA#CAztI0q(91*+;2jy7!V7PXQpMLy@No8qtq#5R-7)pICkQZ+48V8Xd;H;9{`^M* zW+gD>@R5rZB}7C=3iOk(4+e4P_rTU9APMyjSXdjALZQ-1wV^<+MX}7oR&$Sj!0jg* zw1X&?ul5TMhDq|R$Y7OoY7!A%!MfIF<=*B&)L$z4yiJ$ZaJ|y^JxH?L(W{_MxkIrz z@B(R>g9qZP3$R4z&e$Kb%_C?j5qE|k@HEl^!BkHvQPWe>`s=t`5YC~H1rpg?=vJ#+ z*+_p+37Kk!0n9v(y%^{GNW|fQF2$ntc0`_ivZi*&5owS5h`%LKXlE?oV;^`tFjF&<+}1Kiy{J2}e4W-|=6DpQ0z=jI_uF zmU3-DiAq*@fMZ*rZ~bL%GcD3G0_?;f#ixa*&#&D|5^hDfjP1TRr z3=5UYNxnOvX|KT^(GK~BSnR|jg6Tc&9P(%M)}zx?LlA(Ay(6;aJF{R4{UbYuu z*{iALp?2l}v8-K1-j*S7+Sm_^0W>@EJ)>VH**+$})61?Tj9xRiDd<>>r}&NBl%8B zPyCui2pHSA{hK+jp!FaeB=`QamGiskQMD8Ot&8D^VQ3MVGedfIRXeK%>VyrhOfvtm zjpQ{Eq5XR)^)pMtH%e)}D}JkVej+)y&4HaZ6zB-|(puFs9ghfNc&p7AC6AUd8xx^Q z%4De{A71hRwXy2hrTsA&B`!WwmLWYa#SLWs5&z{?16Pd4`WGEMmF9UpyN7Zdjd9vY zx9Go)Znq-qlzUnJ1SrE zNT|v2T_?BF4ER#uV5l<}Xb{+xRD>kuc{R1XKvRiG;~vak zAAQr<=#(cif6b##yLVNa-dyvx>Q5;%T=#7mVy4_QyN9eCNY{{M#L|4c-$ z@1RH5LB{`|VE)h3ppQHdm_XedpiYBA2l{q1XYq6)s5yV9-wnFlM+B$*IgkS%HV&U_ z*+2O76cY64sU(?1ca9m?gah*+jHnH4n|)yao=zvC)K-T_QaKiiWDjz+x9o$~CV~Mo zcDPBMk>U%<9AQ|tupVhloi;1y9c^F?#;ApDW_QIwQ&ZUm-o>=ezptV!a;pT(AJ@K9 zDX`!5?PQ^<<6c51353jZzR%=kPE>6n=D`8b+Z|DN7g619tO$d6r7P{u2|mc(jjt(n zeLJ+zP!mXsiR=CX9rZ8OA#Ro-Yu*_ACeM$0IS&HEicNZ&mazYhVrwVtySy8yM;LEd zr{0h=K)vL(@2JDylgNN+Rg@4(23B)~w%4hOsikPRER=Mbe)@F41(f=XAP!TOtQ%AM zP3&FzPz%|uPV|1J(%OAM&`2SDZh2i(xce?Xg~jYudI{LmE-qGAYmafqoHG|?TE2V< zU&d2b#PmGet3pM&4yS)`Vinv6I=3d0P7Ko2g4GCOkd*+R>*dkc-LLUAFV>pw2L8ft zmZorI`t1IS2bktfpZjtr5%qne%Il@kChL`NdSK(Lv#K<613zMmt$p%PG1oz1Ddq~{ zCT?!e6}tlE1Pf-03t(t(S`J%S3i8z&Sz~UZ>U-Ac<5%{6*s&Lx0I<1MlaXdLkUUUb z1)9K{ip*lQ1uwrn&(^b?2UJ7$7wrx1*}+P~c%;V$y0?}ePuQWL5#A;TM-u8I(?TLQ zG|?2uQy&*aT0}vF6ashV?KJ8FsB%Ld06Th+&)Mg`%oBj80)}$6ZDkHjjri*{fz2pO zy!g{raZC&w{>=gyGgg(zho0^PrH+eei;hY_Ud%CCnFLcK!I5UPp4mhaGEyvP4};oz z5|1^|rIRx_ATJl#nZ!6r+{K%Efa}7>PHgsvuifN2y-yLfUH~*eQp|ahbab(Yt3B*GY*fEGpL?Du5BI5;wkz5Bl74=JBrZ<1D^Mqq}HFJk4lb?%i)d7z`NxeD|bns zP-mf*9NzY>sQO3)TF=~HhaUnOH!O)cUK7Wb{i9$iWfwq$|3mLDQq;^qP)$|+)b+*DxIHB8=Y;<;iLdhB7Uazy2gqx&mq>ru4)<>eC|d#E}7g+f#Avp z5tpnvFIKp59qRb6F+50opNMkl%MpZA6yGe+khPM>cJ^cy13XyfwJ#V(ZZYe|Wf(1Z zjQ3}$1u1AU1M>GJ7U{7vsx~&g)i*t4b&e6E7s3g~o}OaL;Be-@Z@0qJB)Uq2C1PAh zUBGF?9>LN~Uy`@PQBOD)slG%5+|ycw^#yYUSdRLBd7KhH!TGws{BV6N%|ClGv#Udi7LWoF~Ph^aJ5&Jzz*YyM^CO@ersub(qSF@wCc5hanl zN)LYJ4>e^?%|xJSBT?-Mh(2s?B|EtBJHE)VT#xnVKWCrTKTmk(X?(){kJoUKnl?Iv#`<55$Ifw>_Y{BtxTnKpz$|+cKbVMqiVi@fmwU(g?t z=R19a*^H-~NKxNpEqP0JcE_-`3#vr|>iQOVYl{GUH(RT9-~~7J!3Upvkslej@c1bI zout>WD{$y=?G_8AJ|5sfE)IXHc4pd~d6~1P;N}A5He0#Zvq66HQ{zl!l<_1sKd8A- z5zMi;;%TQDamazM?<$gJE8MWD-f$7il7a{#XxNPeFfQXq=ymZ{5LwONgGUe#cdmju zAWjK1p-)%wcgLQqspRRLH$FPdm>`U~9f0#Gm*j!g0kk2CI%EV$yaJRRsRHZbVNBXG zl%WD*jHzfs(&gX6{UP{4yby!rfx;*yMoe=(cnOWcfJCb1(kX$8hzqrhZ|}Z zfX>ja7IuLt!-e>wOkP#>9ev9YdIj%P{i=7T+uk^XANuCy{mEQMNa3$sv{Js1@x*vO zD0A5@0PCbC;5v17Rm8@jNN{Cq<{foW_VM_GdGS2YndKikwJWech^}dLJqB6K4j`Xh zx^1a-rpZ<_A%|~$IMhrT!?vf~U;D#ZKHJN=o)u4@^1&zBzC-)*e6JSq<7u@g)!T^M zH-c*Aw})awScTd5rWKX`@_)#B$L30)En0N%*tTt39iwC0ww;dcq+{DQJ7&kWZJW2> zt9z?Xo%416fVJiv^mguAA?r2!%$qx*=*5YLUfH-l=9+`}Ed3;MhrL}7{vHnKMXnzx z*oWkKx{h5OQs2r8;d`8r2Rsw*PR5YJ6xpfP+fv%21Z@B7gcsmewcZv)b z(319ZyvTb70lW3JIVJB2cHCTH668+)%T}?0qQrz6^kkXhxm8tC!XmO>tz-}YbFe=; zFrZAoBXcfkg@E_$S#VI8o-u5^BGV{8N%eZCBU$>5Ufo4pWljl9Sav^io%vFsh{t~4 zT2)^n=-)t1Bo9gZ6>|@*F%sLtg2x!GD)}!Egr(lb4qbDvzlvoh7>ohiKWq zI4it~bcQK7^J!xpzGp*E!AvK!3{P81Iy6xovpaDbMKdg~MEpTrHcFt-`wd1z&plpu z;;|lVbdB3<--#iEk)mK;VfNR#O|#`-OQ#x4`XrS-WQ-nO%A;OC|6h;zaT&9W>%=be z1aqwKln7xe`v_W^A72bzn30Xzvi)j7`UchGZ+U-=6aJXJ8-tD+R=0JgKOVR;p+rHp zm-{uYDYh6|^sVtcMJFkY1g@J1q&;!?i11v&R(*1ZWn>pe&ccHA6 z@fRoH`Na^KJ97myVP|j7l$cA{wXB!#)~ZaVh*Y$GDC!<|a+=xFFK@vMnO#sG=OGsA z^=nzm!(HpGzyEbf!@#fPYU$nn110}sqx_g=Gq4Cl*1`0bMCtNJVy0?x7fKZler7YE z{vEMs4@&XqFPR0dam$J4*Cq93U!w&7wZC>T@2>=i@Hd4Z=WZGf$PD6J0rMI%bdZ9M zpP#`D`>C1fj|U-+Q{VWT4;KxT>yU^9po@;_bWP+Gb2CKH)Sn*ROF~S$4i#P#SN7+W z!Kc%&)%RgA@Z%geTU-(vlPNToq~Q$PY*||*)K+aW5^yd zF5}H)5p{%z^5EAQcU7d4UmbV><1x3+7U-P3E0V86!@+-#Bk`_7D@Z0RaBji5!Xwr- z1{yd3=ubqA#Hhkh4q&N-FopM~@6eiv*sFtGetq==98a*bk)c6OK~y9lbaM886c)AP zBUtrW{|t@-LBNOM{j%xn(=eOZLpJbO8qF0M?2V8sMucAr*2Hr;_X2PLCGO@c%qPUc>I+VIMEiL|?1~agQ zp~3oA_V%P5;A&ItE1X3~fY(QYN#003{64iE`!Y-X;C!TMdSX5MgRjV$Te<3I76vx^ z*k?S9eFiYNf|i=zD@sd~7PBYUyv37E{Z5bMbY3YVF2WKKfZ1j3hD?CTB(*N{1I=*z1{_)?-c2c+}`zPIhcaGYG$M9b2jM61lMB=eI~p|MDW%TXjf?z7*hqF)sb=R z?zPzJT^ulB!*Mqa?5MJO3@^-nWBmz_Y1AI_EYkrUXtG6}@b@@t5dVPSxZ2kkot-dz z#2TFrc8ui#eJdXccwMl4&YCyo&$SiSW(J#oP^R$mOTcNl@#K8W51H`Z=4`1`C%G9n7}DyN!iNk^JpP}WzQ z_(q&a23NS*s5U!B)~a-hU9mohMC!8d6xFeF&}w}(75E_ICpRIapiU@FpfsRUo>gkI zmP!uP;;p@f7cV@}WrGBu`d3j(y>Hgms@ zh17Xvl)A2>^JlxLCi>9n7x##5R{R-Y~f`>jTV@qB;d5O7#N{j-zGjF7(s%~2u z5fLya*mHmlq#MzXu5^I2UZ0XgpQ21>=M5;}Vw#)5Xg6eM_0+7dZONeB$cOcjPYn0y zS(48ke{*8EtEEgGw%33~2FW*obQ-D};NSapc;Gu=8%Bw|SZ4~5vN{=6q@2C|;2FIZ zvEzE8y&wx`Db{A@)`pDZC+c!n{P}hD8ojNA{@ikA|9r6=utC(xnl~TNNQrG#-Py;) z>7C8RLuU=cBWh828o_eK5o5!l75VSZD7cp8e-gi)FGsc_-8vSk^K@apOz;f*SzzZ{ zPqSxWjNz~|pWmGkwbGNpu|0Ypz=6UrVEC{n+Ia=TIM-1^n`BvPd^k`tG zTuHUzk(LxtV1p?8wYr72KyMhsl7H=uyv>AmK9oDx%m-a}X+&+g*UM$U{K|G3aZmDK zf+Y`mKou;SsAC7tfYo8!S&^MJ0yuxkDdVViccCINNgO!BA33cN55545RKsZy{X?8I z4XOTFsFUv*7Y-(p$JD+x6*|xJVL55uvU8n|Rs4&jv!jBJ5K_NL3D3+60s_KyctDhZ zZA7PRFA6aXI2Pz)V({%~4nDY#GgO`M(KHq&o4 z$ULjfRaHYl&duXHbE4^GN0Coo0bf}tGh^%!&bt>_q~+E53pbdr(B;(#97t5_RQmJb z_tPqXNn!t>LMVQTPmaf2lBu z6Ocvv=7W{yajyTyVO)>1YL)YybH+DbIWM`-0*=O_WEcU|&n(0$*KTQI4S(#9Kz@rc z;as3!>6L8m;$StT3PbGgnFoLGTje|)9)$SqZa;kOP3fT(Q}mfNv0~#|956vVqYj4{ z@AOcMN*h#Z`WXKLacWdKn3cpfkRp8$`D_?wEVrEv|(N5pN+trappKsqDBN(=N2y}6v0m>gb))8 zfy)L6uB|+B7_loiC2eIO1E+%OJvQvamLHF*`Q6g6E}7z|c1iz1TFD9!rJ%tnK)k%J@v zgO8R(P1M>g47HXHQJh~TbtQGuWG%H8)rSH6MC52}1aoO&3T#GTUjDm+4{@8luD_Jg zB98ydQx1`E;%vkntl2sG18H=&pCQG-S~I-ttb}6d31ajf2)+Ww>m(N*U&>PoHE^99 zc%D62|0*&%?cVqZvG9`zeo~*L>q}=eHCFcI_}r@F8**YA=<$NQDGrsW9DhugED8PI zy4&!ZGjChaSEsS!55dR=+fri;FB~#I=xd6Y$_j7c1|Hz1a2Ar+<3ss?$iuN{sz*Q! zJZxNQicLfg>7`Gp~(I1>=qK^Q)Y&!a2LJe_V2Mb@0 z>zre!J9tZ`6k?0Cz&L{?-S$aE=MHGHpTlkJrLi8{SLuX~(B2JpuAV2x%ObRi%O!i> z$v6iG@SEwu4Dr#*pVf^u3TNOA^|^<|R45^b%N;ph#mOFu&~(-@hT0?BJ3#+W0=##= zH+Rj6iok!?HU6g z`XFG>Js;@t1dbnnsY`z&bWJ;-3s&cVx#EE1GpB*71X(B|QJk&orjDG|0>PF9O<_W9 zX65jNWH1ce)E#K39{333KrFy7Tks($O7k^~2M9lUwH%C5@8IS7*-?~*gR38E?dDI< zjkVlnzh{F8yTpD!Zx(QZKE2!dh|Z2Uy;1);g+Sqm_h120NTgIO^h+~o$@T<49zf z;rJf@!u=&v9B}zlVMj%fhoTPP<4Lbbcwj9g9kEPfAf*Y_o@KjImyANm}}{_CQgmB zB#DSo04YWQsI#ysO9Yet2C&IYXfO##hDQ{{p<0f|pcq)XogvpF3+|tyVqd92>T&{7 zLTsMFG`nX!1t)keEI66DPE-#dnS!ITZDvoZGTkShsv8x6 zuM`e2F1MRCtGsRs8z22Sf?5OO$zp83W;jpN>V%O!hGAjjV}QTLBrQQ{wUv_tQo_Lw~AS;JI3R_5^ZK<46wWXq!O6CF{!dLrs zc;1}>ot0im*hzLT5>%c!8`E-;)ik@e6%8WAuO}l-Y)g4zobJ{jn;gfpidftUF&7pF zmrRY>_{S22(6*DOeG7d+jA85qN8Z42y;6N4Jh&E=5J!%ebix+cQZ3UiP@Tuw5g{k6 ziw)hSWQBXaZm6yrGuvM4q~YI-v-psC6xba1bsRd1DP#+~=>C7Q#XjFjeJ=-v&?8w8 z#Cp9?9JPjt2w}k3T1tx;@YI;g^ye;-O-Fg>RD(E1Q`J!`7>PiIb`AmrVMHy>zZi9e zc@7HmrVO_>o;Ae2+haHX84%vN`su(U;PW&MxA1i7@)1H>4TVxux{0URwR4oD(=eaG z(KzFX7-bsAM^O};ZuE|d-cWFcO~&xSm58Hh+7c>!Wq*W?um6*UogAw7?!-dqexD#k zR5kMa^3=H2;V+sWzFvGOLGSQ=_>dq3r-wH&RATw5?O-;89a6@rGeG2{OROtGD>2`nIzb=*!uN58LQUF_ba9ajdL+ zN5PM4As58c_|Eec)?oV{nRinFmTEAoCJjQ?>&lK-=q5?b~8 zH;gIfAps7^AXG>JqNiN16uyuskX%Wt&^T}!nA(L>zJjmI$b{`R5&=GfSgn91J=j=x z0@n?gyu04?gX@EpPcn}~p0iEqZ2!i{c<1s9(e*2zIY7=@Itj*E{c9k@w7A4!icJX;%pT*_`;a6X zrm`jZ;9DiVZoc!H16c>{lnid6-|m%LW7s;_BMYhq8oazyn1*+6ZJ;eVjtSXpb(lm0 zD3yyk;f$v7F~&Y|CZR#8*Vj`~H6#?oW0OTMGo~}*u*k(HS|m^VtzrjB1h45rUq`LN z9Rj8#cH9QFMkOK&0(zok1{_~^!F%{ozUqo|l?!GtP>$jSXn2n4CanggcrA z<&10R|7oK-`zIo_3!JcA1w7%n05f$x=L)IiN#R)SN@EMpS z2wDn)U}pd*K_gFeK-%es3og66gz`dQwA+UQqU;G0_y0KLdW~SI*(IVf#~Y>o{!5nd z>9MKf*)g`G9?5xo%KgxR4DgF4(AJvaen5V2G1BO|4HFboHM|fmHoKaYj2d>=k!xuL z!jjCM{N9@*cJ5TmDW&)(3L3irG`Y+9XXKYnXn&`nkR?qnubsyNAlF)z5brA^8|Y@M zI?d{+rn!XvKdUC&^a5adHE_1S5pN2`_8{j#(Zmo^!5^*Y@7g2a-QIcj)Zp>JXU8!k zU{#W`OTz0IJY2#V(MPW%$duyO4o9z+TfDyt3m~I5Jm(S*MW<6SHvR^LLOwfsI zp^)Fnaz&MS;e(g+c)a1l2^ zd?#w@)$wZ0!Y`hVOfJ1<*V2=qckj1>9AAS^&|S%D7uKbm7YL2k93dCWsp|hvrTKpW(b@vw7yJJ%s)az2ba+PBG!g^7OHTkB zQSlrqpi1-`67!jBPJQ%uyn9zWQA1klZWus{jDBVHyQu#uE8E#i`1Q-0v zjrW|DzlLv)1oEa!650xE0p?>t_9$io8mNT}Ly2+1Ez>!G@~TJOx3{UoK*6K?&3GhU zxaO=K?kiQHB}tcaJTRa_5(tZ!;GgK}Az&kaYg-O(j@q`!^^BywUga;l zKib`hB@c|L-O|n5e0i-Pa2TBeMMs~WbGctAFCiYcBb6B)Sfgc>RsBmOHbSrqN$-K) z_qB8FBR_L}H{(<~9DgVl#B>;%Xg&AXHzpv8tbyj4vLt1Q@FcyfZ#F!teU8`bIDyBf zq0I7z-&LXJrqK=*+1254`*U?1DF_IP5DMDSL345f{PL{k0oYmC(dlK)M| zwq0G#tN&D(^ye7zZwvH4ZQk@h^Kl5`1R$=QpO=g>NHX3!ULEHhcPlgiCSR_Q2g{CA@-CD$N z=vQA*O_CU0_Hv-}W}pC0ZTciiIF7g!NO%b`*BJ*T1A!iZ}W9n8^r7c+LJ zx|9e4TGa-FqEGYmFaoQqM%<)k*qF||V04KrxirmkCr`ZCsgCSGVT#J}^F^#l)#}t| zkBNk99u)VaVP1-4=PcxOeSNC8wtwM?X45t5Cp#!&0FFws19)-28aCz5)ucejpjMjI zC$f)wfrUHip4w*}*(9E9?+} z*z}vAOGOo9Bu9-&WX~${Y*27gQCps7{2sI`+*k*xh|?Bqlq-)2R22r;Bx|g(!5t0I zJt0jVhw z_wA{n`>hukTUx@I9T5n7bMd{)wfR1t_GS4D;9hdC^HTHgPpnE*Jxaa|??VoP&qQyq zQL^F!@u>>n$ccu8BoqGw&W?OcI+WAwvYZms$8+M{zYwL`W|Ze!ypeBKQgzuRStmjU z%-a^Si%evC?=fbI?wHsB-yY>W&*@FKS>TosdZ^ei{`0}~VDOHW+Juvzn%UoNb+K@J z&pQ?hD>48*rei{Y#`TyopJBLxtGP`RZR|tj8GGyA)57IB^k00G6#PwTUeD z15(dId#j#@mGTN*aUc7`HjtV9@#_@d&g8PWUjT9O@>bYE<21K6dp!6Q|5msT6Tu$h zPK-#~2seBUtDg}N;$tyB^SZbn0^ti0p`38 zyVU+GJ#+4zB4=lX>2Y5%PL;546JN}m@A(+yewh6Mz!O~nk!u-z{QL#l2QKrEn^^mk z+*}`lTO5hz;vb`d={SL=@fE-~cz|4RDXbgph_t z5EEicFgwWGY6eBSSwrGMk67MH-5n@@^`-QwZPdrxp@W`wgbKL38u?-YG0FBlE4)^> zmFRd%GsqYQ`#K`Jd=s`;vf?BocoJ?HVGnDS<#(I1qr~4*{&*K$4rNE2URS8q1ko#P zQ5)tBahH}^0_+v>gjs3}U#$V2`tee5=O`W~h|Af=(P>t&O%X>Bb01W`Q^_n??x-GH zNQGQLWiSCKE7fdhKzhCcFWwnB*X=5GfN=qc*7T)U`Bi!D@?7_;N6G-EFC#=(BSCfc zk0eSftW6`Ql69_uy@Ju#wXsL=MYaW!Woxs~Z^hd*P_5^Hw54uDsbYCQWPF6P^yyDM zM*h#>Nca^O;304&(??AR_H$@kSz16Y9BF~h%$;f=VGZTgKHR#=2@c*j;l!I^-mTc1 zf};yktF)YlybIBa#B0wu)qk~8Y*T&0(R8$G_NI4zPvn`MB~7jJ-eWjY6LLG|c-V7$ zLu`!K=Lw_J61n=WDZ z+q;&Ws`eF0#2I5z7cU|W_9yec!_P@)C5BncG^o=TMO&>FZ%F1>?Z+8V(VRxmeCXab z6w%ftA1b>ehN-f4?X|_}1v%S&5`arvSYvw0Ddhy*j$vrg0$?;MC@;%CK!mVVgJ1}7 zqNU=8ZLZQzT?w|+>Ew(ZgQ>zRIQVUYh`iC5VN@yO#Z>%KkwWkPz~b_|?bog3&6K;kLrXnvKsH5;;W2l zOLw#e7|&EHI0b8`!&jpA!F?V3CNqHee(;>R3A22Ek zCiv9n>gQ4&*FyzU{I}3PuNM{FZyools~%N$zpkFw6jo(|`6vJ(%T&ArS6-d^$6N7B zkPL$en2aRFB9#>1#mdWkK7yc)3V6UGiNMCQVPZq;31o+Dw-%;o|HmrUtY3=3)v!xG zJ1)LBb^1M+E!E62Z6uUY_ai+!CJ5=Mzpsx-d6cRUSSh6yqOTLnJ}D+kJL0CP%Zr1& z5oN)D@NvuQXYffV&pIETN9PP`8Qoc!tj`oyYqdav9iw^zHm;Se z!=I}0Ika}I1CL@#1CLy6icFPDB0{SEhtDVf$MXC9_w-K(1Yl1mM^;271;oR~k6w^M z(8>}G00K5T1HIpptJC+)dfqFxPnHKZyZSc>fHhDt2|6Vk|K)HL10%-}MsFTfp|4jw z#_4gGxbVt6wOplgNlRNy=_{SR-glN?Lyh8T{Rc@L!qy;6@dgXJlXz8aM-5_=6a^(| z{Gjo~2NWlQ$$d0p|Aiw5=4zS4*$*-Gl9wu#w`@75e$?;RVuOuZu9}&(0%7N#PseM5 z@nbPADbI7+K3lg@)R*f}SxGD0Y0U!8rhxW*#B{gXuRQ%%uXXx4%kU?H0%!HDB1C)p zxu9ctn$F*%5r5g;;9M-`)-|PULJz( zDJb$X{X6R7FdxD6E>>cMW*6$O7I5$H9Y@RVVZB{NH;jGZeU z3XFS?LmrCT2Ot;6$vQzhR6o`e<#3mRBB-*PN?Pj^^AQfA^=5!pN1Sg7ld(a}hAPHJelcYvJ0xfYj z%zUFmrW@3#ECYUM1PFc3bA^buu?9{&!bNIFw$609>@p{#HKWx|fB z76}ws$sSHA)~GV*sKMojEt7v*Ux=anNIYpdP7fabDXb@16#f#1P?B!49_$&1WY&Y% zIgxJ#`Yh|)irqIQ0mE_mkt)%>o>3P`9=+ zc)K0CVW?GQp%Xq)fDFuQMdGtwEk@3#zL`1$>N++rhqD%JK_0s1Rw zPwiFwcP~PgE7uFnNwBBNy?i}y0JjCG*gCj&Y!wmKh5bc}A)IV29{OEZQp&Ic6uTg^ z>L7G9aM~&E^zy%{D*ZWs$eVBSNsr|p|JT;}|Eul=ta^J%2B2}d0g+Zdf>fOmIjtAr zKsz+SBO@YlRPU>^W7a&;6O)-;=5FUpB&g63?Gb&IW>d82FO3!VBajDpYPA!^OEbYd zdr&(aiO<~pudn;!+FV4WUjmpdjy6D3mX&a~pEzek^ilq7R-lkmSVsLmg-`W$22o?J z(gr6?#xqtG9pn?=t=7Q{4X*KC(tlII2s> z9Mst@`|tiFtFNN`E{5+d!ufstrzq&6-eyu9*v4PREI1EU zgh0E+RU9iSoLuY(k2JK=T&4}WuMo>NUB-^H%<*z&+#VfkWlfaPRfZ;bummqknwz%J zKabjh26(%QA%;gK)?;UIc7s#_-amIM%od22MG;4BHbux5_H_dderQJNDbDaZ%i{fT@@XfP6p9>s)+RBd0Z z6e2#->-ExUtEA@0w-B}3f(){axN2HOK(zhihEjlr?66wJ zD=7$tR(Q)l;axq5ILT~&sU+Zoxgf!EWMX<*R@m^U16GiBxR@gpS(-9A9+E7jy2Fy8a&c1z zcFTcVN{lR(3-naoX%@y4JB>hT5IinavaBVdu_E|xY=Q#kKs>=|9QpKT;vODLSnW!} zuoJ$P=q4gFVe0K>sC`N{7@veSj2qJwoGq)gDna8AYxP=vb(r?W*gXjadEm4BEvmnJCF^;upn;C|n|6mbPwD#5Fd zo2Tl>T%tl1=LA7!g_^~*&1#LAoJmgnhR*}i-Oy~or&R;{Sc)-~K%dZjU%McoV~Z6$L5^;4g@H;hPSx#6Yk7Tu>oj=qqc1Fz2kdNP-Vkvw zYuk#U#4%I8psbZYF+?1egn&N&o^g|qs2eX>6<8Z0;G&z0X@p-JKQt1!X5shQO)Mr6 z`D5f9gs9r|$>O{A==4lt$?D3J_A#W=sN-Z3bYVs)_z;$-&i*(5OCxgE%RH|NesETQ zo7$b|r#LTnA=61T+MbrB(5KC#);k4AZK&l!=PN06yHMJfHS)_2a zp<)FPsa%|7U)M{sATCp#0_`NNa3)D#WWez8>E`3F5IHXoT99`4ZaVg53}t{mriG(B z))A@Tmt+q_?j)_Fl5muK-08aKVrx@YSLgOr1@ zJVOO_Bwxg10YMrfJId64WRH!A167px22g{h@}j;a>X*ghb~1*^UPk^p#JV>C@-y+v z*?qQy`!s-W8tIfr0#;aa5@2vlT4y0Lr$+|Du|lBc8NG@89uYhgZ3cfrixPsHqXN#8 zU@$V|gnRsZN zZb*@L`sRV%j1EWa+TOe{nY}KaBnEX<#lj#a3ERVph6PKZ*ZE;lOSF-|2Z#M-Sdgy4 zdq)$ay9Dgc5INL{FUp}B$4;g6bA}P2%Lp+D2-6)sJssQ$%?Fcm5Re1GaN*U&+Q-|Z zN64=9(&?iZwO!B*@X@A-)~Er&&(>=JCdkBFN0(RG*CMc1C)?B6EiUk*|J7!CD}ehO`71-bTwO8qy4{m;y4rw^9`!2!eYC-Zj-{U`;Fd+ zlJ{F|mNfI#V9FKj1YuK@c5NNnh!l=Cn#`2($*-^(O^XYId~xsjh>c=F)MMmxZeTwl zY^~wNdqIyjde7LH6jVlL4ZUJ@^H>^R@xkv{0S}nGk`uU@Dh{|R%5*-GCO6H7zvmSt z-uLeWL|3|ic{wrr;nqg{&+!Btz}{%kvO%|OCQs1eo$EN8pR`*d1+Jq|liwO{>Bk0HbNfQqh@Du+ShzNZ38+WIQTh)w5uD43Q8nP1NPxDO z)nc{Tf4msF$!YTWgs)~&+I)74pnAEzqkD3M0fQa9e**?D z6&k#JF5W6Mv3_)>3m0R%-v2UzUe-soSW1Rn#dn6jFZ0y;3W)c84m<2m{O33Y!yI;=|ezU32RNy&j0?HryMF$pP@QX8Zr&%l*&d(-X-{>x{B+Cl`l zl~#yWzWw@1BN-~O9asLO8GBxKhp^^##j|L4_&L%OOef)Nj9T`)j~{{!M-;ToXm>Ak z0!Pi#FdG^41^5JizzJggPdf{hLQBMezyq=pMB70CZTslZ9-FyHSQ#^4!VU6Nk%2Qq zO!D@9wX6;@(WPrxL9dFK0EcPdbY?iid=?F|ily!uoEgf3%&u?0F6dj~2pw!WVo(|i zo~Pz$q3LyQ+qFm8wB#^=YVRc_++OIDfhk{UTBVrpTM!hHN70hbsZ%T{p+G_2HX;}D z66L9CHqP^twJ)M9CE><-{Z)1H4|~-p-Og=GMb5;;iAvl2FI*gUcE;+zr_dUSkvtR` zGwr2=i_i*>nXcgYV@JS~U5{y0L-~c}VtdkVG(R1t*TRWmFe?ARBY4$d$` zaR@)QA|fyNNg3(@n13l?!`M9tLT>h!1_SK9ogT16xWYJ`uC7|`N~K=MO~AAMMgH*` z5RyP#9MYM@-XDk_>O25_4#Dm|Gw@z({i+ymfOFP9Nt!f@tsL4H+rp1(xEA>9-$v=e z|77K8Gu;)V=pdLJtTaX-suE^X?yU5oH83^io}m7Qo=hdjtDp5ZRCV2Qxg0Ue3y`J? z)-USOgT#{*`lTa!?p<#B>t#{f6uO8rJy%`1ONie`5T-2;3dF{$S^2y0-oB0b$u;n; zBE=B!(*7H0I!=buZY5-nMj8)qgs?uf$eQ}PePx(=>XHTfigxRn3IR8)VTpUi2NiC8 zk)Rij!SOx4wyqA#k&(fnbm8yvD*uwP{d$x>3uVo2!@+jKp@mrYvW)&HH{gTFBq^|u zyw9h7%`W%=pWG`{4O;=l<+!(fvW^;nHu0XK=2SnG@0Zio_QQjBd1--nfE8A{D$SFz z7*CF}`F2ymzrtFy@r<0DO2ZHPZX-3~f_#xa%Pe|_V^EdS{0tZ}>{J93k}*A7WYtj^ zTtoN4NQknMl~v|Q=TX2JpYh2@K$cBb^$RI=vnwZcHl9idlC^WnY{I)fpfiPj36nq( zEo^~J9N&ymXyqiIrD-}bWv>tfLVE*umJU!;3mZnD^GS|}=*xqfo`iwF^LHQC>r?yA z>tI&xq1U+`&54s{IZ}j3SJ{N7a*vHo4Of%@UuJmj*>Zmzol;wZjp}cYZ@&>9nQcvn!^}yqjtwZ z@Dv5Yz^I*V8)=xNVG&O@(-eG(DH~DDQZ2mBx>az(wZkbzFAA88p$)^1tVCIzB%hfW z)o1}TuH!VvK8MK#~&q&LxFtAmEH>B+?(kz)07E_TEh}JNqZ`J7=OooY`i^Z*U*cxMWo_#Mva{a za}*?@<=FD56Qc9ss$nI`y^|hV%iQh0?7n0DLPp!8s_^J{F&`SH*&IPEQ80?<5oh@$ zCcmn>3$uUn-S79=?HMkM>$|bUh!p_ zvcidWu?w_!KZwnhmue&hw>b0V>xHweE+o_Vj}17|h=oJhR7g~);Bxd07J@}s4$>t8 zB0|G*pTl!xkViGE4rfs@RKf|&r{nKWo#5}aOBkkLnRQ@QJa-%ZT4Gpo&K`FmWxWwq zT1XfO9JVi6K#36c9?EYmeBUdeRG%ix(Bt=gA9{vEbMiO>uhzMGdFz| zZC%79(Ri~sNN<7>7GN);6obiTd3v7DwVK*b_H&qbx>N-%gXl!80_iSwoRo}4%ok7{ zeVW@>pEc4P!DVoXVr=16Nl75L#n(y$h7IOx+BO7Nb zk%=hFa`yOVRXHjTNuhECd;9@9paX5Fd>*=YjHw+BP9jP3(mmHE&DNu0WM)d3#FJYc zD`Q93-&;hd)scfK<{7t_#+IvEMY8TJGlF^(WqwdaPMU|wJ!8yRuDbVT^3^;kD@&-` zH^%pxZ`1Qy73Ysg2Tbhe^46F2rpvZO(;@Eqj$^KNEBhx{an_~(l*KL$VD{I}C?^d; zuY9kobhLK)(+o@2>&)3;B)up>W>=oPTUc;@emz;e(X;SdU9=lxbP(zAGtrVtDMKeaNS}Sx8eIHXS@6qUD>QpSsiRmMb3J%fO5C11Ave3t64C1iKV%ByyG&b?$ zxmpH1zzX`cm|{b-O-D1e(E^_|rsT5ERUywCRSEO_e#vuugE8dSKjIL*)=pV_Ic*Ii z#yF0;;MRG}%vh>~5`9{}l4-73M;qE7H?jo!XY!bs;Cuo~m+6OvXty?IB;ez(rxkH~ z^*>opVA)hySr^Z!!;Qx*vHMHO>FXZh-~b651qq;L~~QLeorYopf-zT|d&IID|JRvNgs z1+N(ScLcys*48wVgV|mSMIWXgLuMIVQ{in&RjjX`6Yx9->k|5H1ZmJ67Pl8)c zTt7Rq4JZX&B~`OgCm@%u;X2^h7nJ+VTJBzL9$GVfGlUi=BN(l91YUQfXmM~ww2O2{ zo*az897fU8CeY@6ptUPmlz*zr>{-_2>r_^N*GhBuR)lS?%Mmpo*Rg^W;AgQ(o(1xa z17C&cnuTF4VvX4NmSU@O*zx!=X6@Bv_Oz_31&pWjaS^mNZRsxS7T368M==%qeWfl~ z9Af!u+)(=b5D@+%CaA9aq1y$*I;2G(KkUDEKAvN4=cnIU{sCoQeV`}n)veWHJx`iG z$fcT`FY^9Dql!PSYx{|{U_g6W!XO~MPvD{rxcqt!-Y-!XuK@VfOh6D8{(B= z>3|DpGs}9xM~#6xBw^Qod6qm>;s0DrZ>sxDb)Np`TKVx^0|e#otHRe6G_l18Z5?$Z zQB%!;MH%c0BA?+CME%#5bV;^H7;d~MNrbh12$*#sLbeF$0zC|Nf{oC^3wl0~0n}Dk z*iug2k>#xaE2=s1=L%tu{D?l|sz?or@D2}}_WJlla+_ar&drk(L?ZOp47e7bRTiEB z^cEBI#9HV6!k8r#R)fv0avJcU1;pr_v~(FGKO=nAn@8})Xh=|#EAZ^sK?RIz~eXiA>A7XkA!V5izQuVnHVjLlhAJdxkU<(HyZ!Ct8(#M&k}`mnbs#Nw8S(GHsb z5wtbtu1or?-&Uq74XhZ#Ul&?qOK>RLXM5Y_?xg~jQ#Yovcwv*082H4U)RP@4<5i#s z*k#88^dnhH?=N~)G2AgSlaS{Pi)f`8FTqCT$oq6+DUi7+T@Y20{CQZ#StCK|vv@?d zE;zyP(-%6lEG6rzduvW6yZ}3rlqf)C=oNAwAxYr2|DZq$`Bh<;WfjHZIAGR``#B-W zgL`@EFVzkD@F^!>@2?^d2k&PLRC@z_mvgQrCo39GLp5%AVu>u`svWU3iZ@PVDcad? z>44CxVFxSOtJTsGxpuYB>(hm>?SKr%w@8AX6Zf|zTioXRU%%>q+u9tw{KDxLgFo~m z>ff;0hjfi@A2!g+fyO+-HNyMQpqQcL#rT;hBg!WSSc4bbR3^XsjstWtXDvqoKgIAU zex5LZg&Vkmf~;6J3G@zKgkz~Th!aE)T>n}7Yaw>mht>|d$7MNHT*K)YFNlWAc`Q`U z5sGRixfv&xIKkp(?!fSc`f(Z4aX?DAD0aMf>cRh1JG1t&a^IKo|FQtm@(H^WHz9EW z+|GbKV=Ep0;+!i!6-wees=P_8ZU&feAh~#L7t3@q5 zf%d_(?O+jWoG>|Xy*6+XhFFmmN^p_bcTsRCiaBqzxo-r4YT?ZjHuX_%WB&Ub)mqF= zN0PZ_!j3*1XbZeolcxi=nw#ru1)%hf|Eg#)%?MDgOI-Z(sTqco4Ui90drd-vY`(?8 zHsl{(T@o{*8ZG1;E08itn&zl+H>%x2ua{?KTIv&C9fcw~GqQ#royOA~~Z=%MJl zo30S|-uWjI<3^BT&fWyTMMOrp*;5+2Rw-KZIHXm{bbLUjyOOP4%365x7dvX7VGW{; zryN?;{0X@B%Ts()+3sJVi z)&&hs@Yl6oH|w1;2L8iL)Btb6K!!X%2W&#~XTgRq-kF#<5IKL8WRJfEC#24vj%77{ zOef$Em@rQCON^V%sS3mYhpcz(t_0e)MOSRwc2cqJq~eNg+fG(cv29mu+qP}n730=x z=bhK?+xzSM0b}+)Mu*;6E5zBF*n3e3uf;~ib_^{!}a$*KC7*UHr{OD%T)f~X3-ey@7p2+7p6Uq8QJ zZa<&ddQBuf1|*RL3*jP*zyu=GI9bw)f#}!NjMHH~LUh3vfPz4vvjK4}QA9*wVJv06 z(oM`*t|lifo!{2F1fL(Yy(yDq?!KQjYiHKp*Az4_TE^3T{CfU=HmT;r72Aou9iO%G zkZ(>gU|{TkHlAOp8*iF0TdlVRVXL|b+qJvu{ly>$%4QZNE!-;0Rc&KRQ2B$flV`zP zqLyObm)D#_kQY15R;qQ_#J|Oum!-Z13^mrDT1RZ5Q;_CZQwoai1UnEG83F52QTh0L z)%dWY9RVluZ?GMt(ltz4ELl@_Pz7Jisp%RNjXemD4{hziD#(Fv*?Qz&fR^Hu?}L6W zFcO{%fT8gT*npsf%Pk9-DH!5!^*F^BUn#M!oQ1C#yUkcR9GSX$VdrYr(G+PKXC4O! zj2#6dvVun5OABfh&-}!CZlzy7CL;VzP%44~GDY948DATzrvyk{x-~CkPGQyF@!QWa zSZDd}vggZ!nQD6*&!vkm@V4GH_xbLuF5A%=OPL);i0z==~c%Q^AF6J|s;-(L!0X;r7VOXQ}vehL4xQ zT(6NdN^Psfw~3yxm>1U^-*(<%gqP2_c|%mA1xbwJ80q3*Pa=@=ov`hg!z}C7K>^Rjj^=uEt6A}rHbfDgck~5A@I3+Rn+Cj*ties zR20>TPIZ{M39?KGomb!viVEcX79?;-(%uA6xiJL^X@2bE;TI#7FJ1&w!gb+p&HXwY zOQ1d62&p!D6;`HuD8f8j;65$W=h9emL**gLkhApqQ~8I+Ni%p} z%bAe*oS(~7iiiI%v9EKOh6^7`4wkavb0FbX?$Yn?vFiA#$x*>di=&^UmpJWAUM)Di zHg=hyQl@)ulS#F{fz0PqW~$m#KjPHzN^oPi&rJ{;5UfSlM?G`_PT$CDm6u3sz5}xS z72_FlJM2=26A}oNfSUKV8EemImOPK?8M;Y)w-*<6$)HzPsE0d`)%y?vGN9Y_xO@(g z{?zzS!>(F5zj_Uk6R!CC#+`D-1Fv$iJ`@Ar{%_g+2}Oaj)-BFvmdqq1JH!@=f6gEQ zpmMBr;hF*^Qp|MQ!gYlAAKJPeQZ=khI9pnM0dA;@O2_IS9GISohu+pb zQ>~8@0u3BmKkPP&j9Iy-r)fEIU3e!_n7iHgzM9h@DQblb0(wCMAVA^3F`?;io#_p} zU7&yd-*3noyXxA#UrPo_Moa0#R$)oqAoYf~xYUb)`9q=*75v{Soe>AfD=d#?{$M-8 z7pN7)go#_`!6U>py)LAjOO#@Z^;ue_m!g2AG0QWn>LZjdt*{a1K_;sclCJuqmr1v6 zvV(^zs>StB4$qz;?wft3o6cWvS9C}I--VYyTBF}VcB65I@~9CkGGUH*FO8BgVa;~9 zjryJOMfUMS&3ai$^jz~=BYO^YRt#|M49ievr^bp>w%#49n-<2UEl%Y*&y71^GoJXm zIYlhp8VCTGIhNYQlVb)B;{wl@r}Km{A2xLjPCN2exDTFyA)|;>moPuX%O#O<3LS}- zZ0#2dk5H;oQq`7nEm8$fnNtyZ6ghih&KksU3nGBo4Y*ZJ4psfDxJ-tpc1^iG79d;mqTC{lh&jVdUBMyOq~lJTiZXo;!lvw{#xflT}Il z{F+1&cmMi;&{R%xsnuC$%;cZ=Vhu5Y!u&Bxlol6pROvjnzhlflG8F68a<(8L6&ZpY zz@eq<$Dd$~mMoo9qcOYc;%(LhEm`Z=4hzZOI0iIWLuJ9+ zurIomkH|OK@h!emmTiF@g<>|WgnS`7C%MY!_!sdrX|VplupQ|5v&{vetz9M{ie(OX z+z$awWt{C6o8GD!tTLF!h|(?C-B`Ygb0T8N{`uexx=}Z_doBYhd7q77H%`5ZwlUVl zkKB0*M$JFZz81-ZAF~|%w{!MZN5zb#$o^or{1viCbXy3_Rqjk|v9k`eC&Sd!Xea2j zZ8}p0H<_bBVrww-%&@kMvw7A;H@041ToJiQf~xdyMErjLB77tqY)b$^#R#n*o^d@} z+p-9Gab6IA+cHYc4H%j&L8ENH%numdEy1$jVV>@dRxUCGy<@lEe&H?ml<|)I;T4F~ zza_yBq>E)CEMCGI4v!~=0`N#yyp>?L3~C+tP!m~O=lIdpbrf#(t~Ijd8U5&!&%wW! zCTAkxF2MQsQLu-HOf-x~AERsH_vQy(b592fJZ7lP_Zn)0)!QynIw7vRWzG~B{gyUe zKG&e`ar7y&ALp7iQY{L#NXs4Eg9y9Y{kX*nXcLQQfr<}1zY-0kj#{{*p9)=}^{XWs zS))}Mvr`3;CV41cosN}>FFQvr7WmD8E2Wr!zyFaJ$t9g4)wt!{TGekPF~LRglZ)ql z?P|X&LmhEve=pW`v_&>EV{|Yrv3gSp{O6_?t;P3W@=8CXc?M4QWRE!VPOMNB0&y+# z019i^&g^r;tb4-N9nGR{E?%BYOMMKOO0-7L__h&u8ka3j7W0^R(fvBhUGE&FpamN! zYi(SbTAcQ!`(N~RK50qGIm0H(S^W*0fP+~D%!WT}4C9F4aG5PfOEGQiGk$d!qr;}~ zo|)(^4g=}>W?m)g2Qv@b(_E@)-<2f@9YhP6e@rV2~F6)Le1N=)SxtEW19*Q)M&eZ9)Ew^?|-|>KrC^mYB=qqd`2Nez%VZJf- zW`Cpv?7(K(zHMVNY?5Wvg}wrQ2gVvN-NW1tY1!FF_a@jmr*|Rz=P*pw0Dc?&*K3bu zfHMB@sTj&63phx*2zgwN;*Pi?yxt#C{CAFEGo<{m734X=$Qst;F*8b5!W391LHOz)Lb&L{&_Z{_$gv=8j)bR#Lhd!DJ0fcZma@*M*r}|yJHT9U> zY+g2L*veL!ckO#(2{1p(l&VoBeIB}=Av9k&h`1&o8aN5Y-Ag-TLEjb)`!B6NWDWYw zRkaa%le#-t118(rz&uiM;iEy0;2NZHuTtYvALmG3wBh}a7|b_S?^j4jXN?3qLZzPY zy|H7l{wsqRBO|&>r73$ebH4QsHUDj3SV}AaD^-g;mO>DaKTamLS4{_4ob4gfg45BV zwERJ`s@*@ZF30uEbhQ;|=3ThC2)(zK&rWkygG9>6Qs|lRL}{hE6dr>Jruguv9oWpK z5PXD?sZ|~x2nHN6N9o`=dl8UNUS8-IXi`hKg&jX__jC}2l z=lK$Hr@vTpuaJ++F(6kF7(?G6QgBLesqgIoR7q)^RgUN2vZd4|a{6s2N-Uu3@rWe| z$pc+?NUdiK&mj&ezps!7& znOa?#gl^EaUqxT4I4#Qd6!B;uSM11IhkmCH5jSYWl^hOV8M`OT>tIW4|OZPrm@q z;RZdR6)DlF5nJwHbcoIs9!ZJ35K!I>Yn5lCj7Iy+57bJ(q2nL_5ax_=BtyRbbRe?? z&{P}?B)}`@E;_nZb^<99s?TgF)B(Sk*^fywO;uXHxRO+TsHih1`~QYcj6Sad&Pwgk zg!pjg*XZRI!ea>O408V}C2YKDiMDc!YK7YP&0(ju2fw!sXZ3kjmTYU;$=6L0*{0a7 z-1sziAX#;_344&BfeTP2S7!uGaOzY zuY(op{g^+aQ~7S4i7r1oG9%#)SE9DYh2x|N8EPN#E zJMs(BrPk88&%GlB@jnr2fJk8Uvb6%!HUQl#Qy^xdj>(D7_0OCAN=_Ly#+w{H9-IfAbE92w~Rjs*=+!cLTnv~?KXk8 zS72t>*y00#gvGrt{zzam6z~(`H8gHq%3kfGL##B$=ht=>k>bVQ%^NMiSkL`?bIsUy zW@b2F7r{9wL0x5ryi=(8Nc4wxz%m!p&0Xf{*8^?}A6?#cZmkID?W52>{W`ieI7zs9ZlfZkwDAa7HQ!pQu@n5~2F zh|f(kbvWJ}O$6jP47J;bT#fuei|{oBe78aemD}N&69}RsdM*Mfv7XH zja&bXa$9n0FDj`fQmZ`}HlB`@COG2tP;ta1{sShKqw>`jZw>8U(;n6QHi#0+VYnxDdU&G}<(HF~pp9LI({ zmBa_XE57;}7r0S?IcNvjyNU}SKhY+gVfxp3`JQPyES(!YlQ=}N*0j2nsLK zu@zsfXa5IfTAw4zCQ89c*8Ri6FV6NSX+kG51v9%b1AK!^Q%jU$$16tM_{InP-WJX%O_>xqOLsMAAD}zOJ@x{kl3oDcSf=L= z1BVKOX8oN-CI|=XboVc>1$|VHNo;SQpKldNAo0%+;#M^=YIciiMXek;oT7vv_Za94 zMVA`=sp^WR)uoS2h%mhmn_RxIG`14V1-2`B_5)?5EdNYg0M}3g@+OX-H*FB;)uhB5 zqO@o%3iP}O0S8?ZwDU12kDCvNrD?imQK4rR=Z6ulUt>m9*FsOchX=&o!I@;;zf&Ll zV>dCX*W?S$!t2=Sk-CaG5HWg!LwwCDa%c$1sAzw&WO-SzkKe@ozM(X^O_z*gN2f0FRoVP??KLtF|7I%$dpX{ea7+Th$$^+p z?0fL+dz$vz87;O&VwEVE&f^xgCkXX_XXO77>=z2mT7M((|0LZN3;=~-VXaoPXZ9yS ze7qHUfYU4TA?SGH9#1Q5(g5k!flssZ^YxitTCj%;4Wbz2yh)=)fU}w?qgG-ZIyB4~ zB8ksDh{~X37$^}pz`h643iL27zz3dqt|2>u?YX==Wz-#RDOWP{1Ejjk@7EQl)3kTn zluUKP^IFB>&MnS4e6-bVCFEZ#QKj`boL)>p4^0p*@q7lz69ml+H$M}yn>I)q2=#s) z<5x&6{08%oJSR%l!?_scq4ncao*C&|0!0{`;R~^rsyxA_6=(aL)ByoEx`k<}SlYgk zT=mjqOpp)FY26=;<(eQSpotTmsN4V|p82XHh@{_Mj_UAWS1j=|TzELe%es}uAf zaGo>j%moUWgujU3gr0-wepWvxr9ln)#*WT^gFkj{DPJqJJ@IyzBOR({M_L_G@4jJI z(&#Im`MI<+!kn>d?`xgnEryHt`c)JY5$qez94>Bzg9)c5k!-ON zuM31m#^jbs#-)_c=NcAPuHLEiWt}N~#5=K=NzYyC?T{99T#|G_5cU1Y=vnFJ z6|6i$ssTal3AOlYm`yG*{9ALccxm&<9&9{mlE#A_%%rbDKXOK89Xj@0dojTMhdyG5 z?7T-yea318>noX!84HqE_LwKnddL2db9 zNg>C#q1H_3m?wbXXovEHhmS~RYsoVo)n|-rH_3&)4PS!6FFUVBK2ok@0i$hCyywQ= zUMk#PA^lll>el}Fc*lndWh{G^r*DaPD#jEk^1H$A4}J{HPAOClwB217v!A*j?yBPJ@zBfLc^F| zFlFMMS7Cl$6ouGD*0|z?E!f%U8fx)qytMyJ9OI>%=p<(<7BZGqAG4dXX-!-lH~9Jk zcl~V8sq);cLMC)(aYZ^I$B;qS;Cl7rtd22z={UW(*XzEH$w)J25~R0%M2s!lE3)2P zV@*Zi>=zHWyW`U;2Fmr?e#;e7Ew#_W4id;K3h2R*9eE4|m(fh4QJ2Lt-mbK^sC5%7 z?tM)(c_;pT@2E=l}k)c?DN{C{DjzF`31_8S%qLLch?#+FnJ zfI}gQ0BT>o2P9Fe>mU^Xks23vJ6M_v2l=QJOX)z~=39#pJtD}(cMy_90}unCfb|QP zeG+m_W0S6`BkW!1r`#Zy58?<3rHm8_-`a{QRQeJ3Mbw~PUl(KmjRM&gnD2f{Hg=JT zN!0B)m=EB?e^1SGM{eBvq3Pc-t?EbM(>Gj?JyeXEhs0lKBFa`w*ac8w9G^N+3#a(^ zIl~yG?{fBpH{5h)qeZq4lf@xiKo@(h{r)rN=Oye)S`aZrHR~0uP;)-Lq!0eDqAs9e z>d`#g3j^Ci7W|kh;A=ubU}x*J#4im8NqB{HPh1sVFKB5Ucux)Eu8r9RM@V0gxF3JG zY9(nO=aO8awUpRdS`phgT4qE8*6Dz89ZRl&5uSWR+CBrUkOrU$IUJz@za}h>H<>jqli0#f#V`bRn`_Vg;fM%OM=neU&xOY zLTmyIlv>_n0lbN%B3GfOX0jG?V8=DYk?|4{ zMo`SWRM=E4XmXi5_+$hYJ-Vq4MA%Co{{&G^3^70+R63{_hn%(LYth`*WB7%|=4T~6 z!*fi~<{gKmXW+bE$YrytsV#xDwQ6&ruV^H$;4~9izRlWB&C@}w)wyx%#psGa=>wy@ zY!S*mqJ;2erHrhc)VM}CVGplyT$DV8p z@MkL3?4fje^_BVaX++X>xmRgTt;0 z-37llCbT}Sk2hrKVpOIa zf|fWMp>Q6t{SgYp8}-c+M#s2gMI-;ZVc5j}DMH*e5xjLR>PZr`Xbw zn&=5|B>ayCq2%kO3k%<56}Y%smSrx%N32=OPNG{!$fpBj^Af2$S-R1ly&r&ju_xKX z#YtvEX;b!hYQgp+@E)}hP3HmrpAs^-Wa(`RGn|eBq;E&~*v;e`+1UAZ*({RTGJS!z zHqCP`=1`Gu_NZ@mFfN∓Ro}9n!9vnjZGL zIC8gRkI3OvhvGjTTxE)z&&7>uyt279$DQbiBD4m6I8Mfb>XH|3bVZ@5Jxg-pzl$C4 zYegx>nj^^NgO(>~%X@&@zYyM8(@(mG&^k%<1K&I5y2Ni;|KoB4$6)Xs1@m9aO6}gX zy)u9HUW6r{UL;-*NMt{FXi&X6#bf+ks3}(jeZ>6WI6h~zMNnL$_$#%jer$Z^J!_&} zyS*r}4xZ2CeZSKgWFfG;rigdYm(D}A=j3HRAnPtszN)&=qH*QncEl3Rru#V zG#h;Fq3!BO*D~E>bZq&<&`N@kBQN8$_mchSH*SynO^6vmVfBGe9+xeILFXrjZA3c= zIdK`vCiF9S2=A=%EK%noL*xgGiYZsP^`_(cLctb8p&S0s+d^AJ@EE-AeYcqHCioN0 z4a-95cz6WjIne|y+2_cJ8B2snHL5oH`Uk$MD4cvHG5gR0xW%HKqhy3cMNWyPN{J_Q z^&7~+u=3VXH?RcA94BNk10S@qq&IRV2ZZOs@;$ViH%qfqyT_w<&#T^Q7g1+bZJAiW zyhXP-AoKEjz{SWVA-EkaXSsWFIu~e^_;oP>u22qWCPkPP zB={S?LR99xr06GISG$3-Y!62S4RnB@M{U7M(g?dS`0G!*5a`WT*t24=A~Uth-2~5N zU;~bnZSd(04==Joc*Mx+5RhCtB^%fD{B*>&Hk&ro!&u!tGPRN>kZ7!Z?s5sRu6f&# zZG3-$IF2)VC?kVl*f>26x8}*=htod2_PZ;pB9kNLk9X~zZ5fg5ufqO`Yx|y)yO=1f z2_CZKMNHHuGj-LbZjE^s`RJqBf%_bWII-t{sV;P>=VN0%iy=Fs=l50WXNCSA$%LPx zkC!`tRi`fT)O}n!=96VSz6MsCB8s9B=y`^g(s13TPxyDN2{8VEa7< zwfk3>h=Y0>9BTPz2?tvywzu6@M7NjNlX*$+=KLDEJp15b|9Q3fz-uWt=KS9ITX@DO zRq%r$OF&_-I%8*sAf^=Sikwlqx2_>Cz(c34fpEp?cVs;Gxwf;eyNcnWjB`+^Wow%UAU>p>O2&|IJ*xix>WvLwA&e7{oOjNGXps6LR@*!@d z?5{r35J^fa6e@*3Tm`~KmG>qbSG$iFjc%f{mMb*%_5{*pqO)=w6e7QLt#eGRp2E@; zvO(YTan51cMg&k$PqnmEHs#zXySu_L=WT5>2M&RseD&OGiV`Ot6q)JcY8M$`NmLD{ zb$5dy0ovE|TrIS+zkf3&1NK89HA&Md2^n)8#b=wrP6e!$Yyu;RN98O$2KkhG-TddC zQ1TdZk2uqT3zd*$C&lbtyftrJavFPl=d03S&jD}7CoE9j9)jYy=(~P~lMBcLrURs8 z#DW!n2Id{FiMnV-^v(lQG|k?T4x-3hdg{`(>x#Ic?4ko=AZ%ROsM7E_I$MkuEHKTL zV>v57`8vj*QWWV5xnd-B6k1sxUV?2|W^=EpAnUS8<@|E_>~7j2Oze^J^;ZXu5H%AH zke`XOZ^tfd5p0}bjiXsFwY0+}>prkkw!;Tbl0P*Oa)hT-nslP!7xceRO0N-EpGNKD z{}DDu!Z@NgT)Zl?u|naAR;7^CBgL9s4d}lmis2D=B~fnnmE{9G>ePRCN6Sh@$R^{> z55|@?Q}BOZDvYaL2X)!fGsFLLiJ2`wyL}I@WpPGH#~KS}qLl^zO4)tkQ}|1lSWZfX zWmHP}x;-prnFJS~alaWTN|E~@@xbw)STeUx=vjY8(3$B4`#(5&9R##9d$%!td`k?N zmWjhvsAAYVARG7yzgXA+xjIaT&^gB~_O=6`$fN}}DHPZnk4W>}xeo?pLY?)hz` zH@k$&ggaYFxk&#cO+79TyeBCoea80U-Hf<++JeCcRrH>vD)9PzkrxT|?8lxF?Tqx+4>R5^CK!d>f-nW~SRyN|XPZ9t|$pjT8ZP3RE-9U=0f4-4W%+lS6W_B&Gz`4ov^o(@{;I*R;EV7}T z`rZTIO+SCu8826v33fpAcor?xx*rUN0F^eCjf31mqFI~8pEw>~N^`FprhGk@p&t!VC})E+Ut`TDAE z^?Z-@nEmXhxiB(qu4DTrNKHBP>XOjIHkECDt-oHwoJJtrZ4;1Wk$Tes%2C zr3+h(tYobYh0LlmwA2*uVc8<+9qT|ybLZ0nvK~tx!KOo9z4Q5Z`+h%rIje2=o!=Rh zH^@>VTGW~Ec%trVB)%%$(93x)NEV(G1?cw+Yk5llx}UHVS_>Ikj|SN~Z!jy>C3)(4 zI))tB!^9c9G3Khi=?JuZBu2q-)gW|FY$pBE8_hbmg1~t*<`@!lr=?!@StIQlr6mV8 z*k#DrGey#HcRU;O78jD1#WU6DF0S>z{2-ntQMU=Z%uB4X7P4lz5Dr{xv(s7`vSM;i zM0(9CjPeLRnFInhs#AGG z#!-VfjIJgwPR?SZ58Z?Eph(%N)U(@8I2r{eL@>389lZ0IqPQc~+w=zq!s2;Kb17Zo^;Z=p|#@=8_C1B*0f^Bw!^B5S4d54iX>}%SAUb?dop&sv(xC zma~fwvRkrvCL9vLOZS&wDcgKB|W-eh-H>fjClN<2WxIpQD@nLf{Rk5FI-c5M}uJ-{XnUt)5a`xQGfDpt5^9xtB@(w?h? zV~UwrK0eV(acMg=Ov^X55yL#NZ(b(9s>SJR-|+laRSJ611Z8&Z7FXn}9Pz zM2V(+TSn{D#Irgiw|(h^(-2@+i^#h!H#>Q2YzGPG<*f-y>!k*HCX$W=|5uXTUJHe3 zwooWPcyRQ7a7GR_%}OpMjg8oxoZR1NwlJZc8q)m1A@8S)W?L+a9lY(ThcD8K3NL}Y zRKFu5-@8+U^-m~m6}~Uw=gs0F#doCJsDs7yI!rHto0S7GAgULu)V}OpI=5xwiZNo7 zWUUgOC25uwVw={0R1uzMlhU$X$Lo>}e@KsA&-7~(NY|5VDxJSb`?J4H3rJupP6QR^ zQz;dHwZ=YI{G3mCVP#X)9I%~0$TE<;h2Zq{SXXRoCba1pU>yDdcvox1ep#1&N>K06 zH_Z~Gj3vq;1T~V(8XIc`zQ&u7BxsG!6p_ksHT7$;FV1)4MV|Y^P5;@LnKy1xstE2;tDIvpj{Bk)OOUloV|0_q^pj$jN-(pE#nEz9IVvN*}LqVaqfycTz@9%@0s=5P< zLq3F|WJ%aDXDliPG)j5yu5k1H8ra6@>7@r4ug(*h?O(7W?X<$be9V_pIKQE(@uHQ7yjSexwn8A$>x{JfKY8r;oHDl@f z>=B^SVkcMnsabSw_{-eKGtBi6NXgU;ZL9aGnR6>_;T;qBq|An@(@)pUmT5m1D8#x0 zk#RgDxtJn7e#+wMa}m-X?-<>nT?+g>7>(Q&YqDJ6s3KbN;zO)VZ)Pnp{3oqL$TDDE zAyiP!O>D2@w%&1BO-4mPaHQq=&Jq|zn?^eNTYSa7Twz#njn@A4RqlqxS-QBL?_!sl z@EeWR{9ESi__>zuz?tG`xmqm=avcoEjKIxO!{~~sgUBV26Ai|6MNvJ4HunR=F$YgV zZ3IK!aiaWhwkyqXeYTtcZ^8Oy+HLbg&L%O5%%ROx#sRH&`qc=w4EEB~WRc#qiovJ- zm2l>_C4InmuZfq|XHIkF2?^32kmtXzIvD>3WzBy{DJ%XFaw{etvw}l`B&fW?Verda zVT-d@MGE2qih2s%4H!2`VjN~L>dX$8Neh$&EL?9vHgF52F0@~es#ZDV5|}^nf=ZK~ zou?9YTYn~~M*F~&ziQ}Yj#o0_33XeuqOQP3Bxw@sWA+$wI$Ct`6YTgKTM%MSx9Y9{N`n$mi#@dZU&~3!iArqHo?6o^B4hrZf(cCvgW}Ax5ekB@%cC;b=q?-j zh60=5;P|0MB`v1vC0a%X*@aa&^f7r}15|j516h@9U68!T+F4x7Y`R{N_Xj4xJ!dcv zuYY`AZg7M)AUua6{roG)HradbLXhl_Y6FZd9sIeh3A@+W{aOSjMlnG%O408&kuD`v zB*t>7B%9#l=2GXh9d@>fiB`tE~;>v`R35Wj<^Fa{oc-FBW+tI%VkJ0jW2tW%c@SoZDr*cH3noUn@5kQ#JnG zUmjZzu7|^#z9*W$WIk$QtTITE}W&XIZ4xc=)cz zPb}t1?A$8k={Hsh|H$a}Y0s)DuhD6NUeIP;~zAQ00PeHRDkZ-JEhmx^AW1 z3E&LFSJYL}Wi+t$osde3@O3tNj zweqM~_>y^*=aZRpg>I`<(e07GeeGjw{LTC&`~w_jzA%{ksmCtRr^?sID1#8D4(;-y6&q!EMl97)iS5Rt?nk z#&|Vqd$bqpxdBM#=*o;Jkhd8tBxe9L;cI#t_7{b=IPzw4`{U05N)oih(T<& z@MptblhBoUym9BAk3dvkVjs4;_)V;H9x+fnMXLQ& z@DbC302nr?9RPaY$N;a0zkV?CnH6h zJ4x~@PzGUD{FvJvZcDfY?Y8=Hpfhw6FR2Fmt}wXS;gfQER(_^EJN2lv>H68M?Tcx} zV44Ys<;-r|p<7AXTj>Zp2gZl5{DChu2*)$0O)B>7eO7A*;K}XVs5HmoMLA{?5oWcx z6nT15@?24(BpG8Sk?7BtudpdlMAZ4l>3XGV{Rq-~yYxL*XfL-}DEakbl>B73Vie*S ztk&8ICUt|JZ2K8$_2ceG^kpSw08R36St7uPL-aZCtl_>D@C`e(Ra42IH7z2&&T4Z3)bli${9S7dGPl;0 zeLc59r~*5mMyst~%xRm<;rPy-yE=w7F!E%_V8-+F*e?8RQQD7Q^Syun42`HpZs%{y z)=Zbj0zP0GbHH>JI2#)q3)q}Q@s{Js0tY7;CA}*8faD4l%110Eu>l4T_UrSg!cRlq z%FrNHwby=Ns9I4o5^kElkK$luHK+&lXi#Ds_r1=udj^~9VHax z5+eg58cIeeQ0!P{jW3}i>T@_qd_EcJJCQh*Bb`Z-UpFJI*UluHfDAe@fl)aZ-MZ(_v6xf%4MX zK;dXcJDReXKe&h|Ro}5k*`$Y}XUP=EAf~xBRf5gk15FPOr&%*k~!uPCi z6ft1Ea7DJF@D^k-+kn9T*P%xP=x_927<8u=7>^m0dTYtD?LCY zHKslnGwN465RPbBzf5{==qX6i+-?B<5CE)=h$5Vj;-BVZ@;b1z_5SIA*d;Hj8+VN` zn!XRk*a_lTUjNXGo|_`HM{t)Tu3&NypC3X}TDifsoiS6Od~}U)Cjdq=gLC+B^6GDiFAXJ`N z^{o$98B&)UMBo9u^F7(r1F+o>x>f%mDWE zzomTSo4f2p5NY{oi0bjGMOU2bTi3>*v>fo6F*K+*F4`7S>O;7|6VUZblhngAhg;pl zB*UHB9?;23OG)f@Y!SxL5oWq1W79f1pa4=G8kR?C#N`Kh&sia)AD@5<)~hk8b1ZRZ zX~!}#MZfM&6Lct#?h#fCIa6(1JPlClKS_*Ac&4M9Rh~QsY3Fb6G|t0^M%p6F;65;N zv+l?!=MN)CfU&?Etq2yCF-i=Y2QG6k{q+bID-#3Zw24yc#6K}OrjFmM6-He|b)5W; zXxu3Z!|grdd1B(SjMgif@N1r}sMbEX09*iGxenUchnV^UglR$8b0l?{>W&H!_`&gy z1Z;<0T^UD8yGCKZ{=vq(SjRggvMjj=HXns|0^X2N4WqV9BEeJuNP;2n`%CP zKir&-%W$3*v~()lYkbPD0anh>cqRp*Udi1Z4RLgFXHaZgsWAJF(YIatda^@N0M4+rj88pnpmda$EdI zaWTZ>3xk4iQYSKI{biB5mvq?pDjX6sI1&_nua`pXLPeN8yASsK5OIUIMT z6aRm+02&jm(IljZ=N8Nm>N~+(b#+*6EieBFR&Km;J*+t7b*4Q9&y!syg`XN%8n%$P zRIE9Nh>R3g8Y0b^OTNlHqEF{IW^qa(-<2|X8fCyuYzZ> z?q+;mADEhktcY?-@osM(?KLF!CL8O<*#TAo7H>XMu*B^yR4bw?^P7i#tnsv~!>oD; z5I;#Cz?caR-!Z7i_pw);w?M^Ah}cZYTx?i5_c1eeTf{}Ki~Np4Td{tzeHy+#i2W$k zM%xzs8<2J-1Ef)R{Hn1}cwXv>>xLWEdiep!@qXi*k)j6v6obhmm*VuFb^X3k(M8(6za5aJl_e1S18Ha72rTx zsgj>JNIZA8$=ckON6icElc#fx%=3ZgSbqs5D(Fk(;i>rZvLq(Eg03)!wHLL|k3!m& zYVwmDlOcwOn<<*wenC!ikNDXAU`_~ofRtyJeQ)NAEzN?vfC0{NkcubufsBh(mWI}u zQI7mqOIKtzc&ax~9nq~cx=X>()m1k-aI13S^b4khzUSVdPy7P;<)-kQCCewu3AdU{pU+nM0yjfRZg+s5U3yyDGX$iong z`w{l(YpCYD(#?mH_6vReVlt$jxhny#_b8di&I+94n`AfrjskxF#Fe^G4@70CHgENN zu`E34CIawd=sFijaCbUsUq(N$YM{G=fUeJs|7>*2uM^92!vO&qve2jT3OPq2yJ5t5 zMem;oMJeE)JTkn7AI6aqx!l3Rlc*wP@eI5ZjWgv1G6~QtaAIv# z0Otw#86PNCwuWLM4mMf9svi?7`NzPjJCR%`QT7Dh1DEp0x{JKB-y__<#&AM0`2UBl zcZ#kAin2vdY}>YN+pIXL*hwW7RGbsrwpp=Nv28o4*g3IY^}Dafz1@A^?;iVmjk(rT z%(BTNIsPeBO3UzQ0c$PqPmaH85Nj8v1?$VlW%BdJd{n`0UJR0D;Fi^|M`leG8^Dg% z@T*u1y>*j>biJj8nZc;RJ#)yw_`UWB*g^r5-b6A2^hj0b2dOlr^4B#F$*`~^8$ z!#kI=f=l|tt(sKACtND_9Tj&?tJAt<3WAD{yQc_AtM2s!#o8TsK9>rD<5>}{zI9=K z#+ZdLB77T5LrBDJ{6U*BTmlISYGq|$$%yY1kwf_`vYqun{=_v}ECrHQ<4Z#o-9%77~xt0#xVH5I&bN=B?osXH47<1b`Qg!Y)s~1ZVMM;N@>T|m*8$B5<}H8 za@iiYuwEd5|Hj;*OdZ8zONFA{R%3OiI_}Y#hn6;t&PF;*%l(nv-@5L@oHz{|EuBxt1S>0ddb2RYU-_^@`#1UjMM+H zOdji!0^UVt==ALR)+Epo&^viu{uZ6=Jn8V979^trLY6dYi5$AW+OW7Q%}{ zP(WyuOWS!GcZMXaa?%O;rr`+z5^$Z2Tzf1~lXU=G6RT@ zzqYwj-FM3KS=Br~2j=qJzdzl29qZnS{KA&=y^iORDfWHAQ>GOU0>~{BQ#kfY$@~;N zJ12Wv2pxX@MoPChxju(q*j)>eYuN967?`=Ux9YnJ8~&Hz4+jMh^Vm`C?;0fR`7Z#9m`*h-6`GpS^DAL6zcO=!+_QhhA26FkZo@sqn>0LQVPa;E|q zcPsfDe~25=$p~|g^J2{YR9*rFkTk+7N`L0rM)?%d*CN<>mRD_B<~#bMsPjUVSatm5 zVk$I|7%3+t{Vm7oS0sglzLzJ8;!{G>_AhurPtMnBJdzOh_l?fCm*GE@03wZ7-ZZgQ ze970x2OM*H2_j0vR9UTcuz0EZA{ELWDMIfqgL+iAVlQ!NdVgiM@N){LrJF`b^A&UT zjSm11!t9a!Fm~?~SgyqW0x}%)R2UXSM+hRMUfNnu?xhg7d!^bUoQPPf(`F*^xo)@F zXgX(?zwotx%(;!izI6A2uB>+_pLu(#Z{e)Qp^1)Um>+1aGPHF*`{CjpKschYN{&2O z@^PN4Wc%|q{K!`H5vyr}Ac|h7F75VF@KWTCUTHfha`ubLu#TygDggU4+dKJ45RzT(nJ?4@9~`Y!+=y z*p!;7>K}L5OWeRwTACZqSjk3YwK)WK$QywT{E#i9f&BI!qnWeV-5JoGJmH(f>1wI(sJiCC@{;=_cxFX3(LWj*gNa04Mox&%>brWM zAjllXQZz@zI723tu=omZLMhSS7;K43YeZMLx1*>@wGIR+CmBHae!Zng$?E+%^l|}w zVaP{}TrP(3GbO#+!V9^yBF&QgC&6`U-)p_L4E&2BnSPr@qyC`b z3p8oaPo8~>RyH-9xbdzpLK|3bNBe$N}3^!Ms`PpN{;o4C{(5n{ddOpSx zZ^f^{_U5fBP*w1HaOjb1S_XSh#VJuVVe2G^E`VQ*Qfmq%(E~5m|Db(uQIBejoxA#% za*NVlHf|qgh{4s2E0EJ(qZECi?GeofeqjJ{DSWPze#Koja~C|OzISne2A5QZzsLK8 zVAcTrQ;z6vR5D?Y9^%QYNNy==R3=7>t3S4Av)!D`c#9+SyK$G!PZ00^=Tr<{GmQuK z!A$EVMbrOO&|3!V<{|V<^7sAvKehF}asMRrPKaetZYQTf_6CqpS%KhUVTx(_Af^*Y z&LL~5pB(0osFc4lFS1qS35+JJthZ)s967((pXkL^8Si$&;eeZaOKSopjm#nOH*DbT zdSII?q;WDesmeiGOjUdLf)Be=i;aRsr2v&8`qJij4@~-JT-M0r<7IJ&{3@)PsIQ=R z835?FS`~3&HwW}3H@aL5wcDqA2o5*6VAx+@sL1;tzGv^mt)D#s3@b*|UnKeYPeQ=% z=b)xb+C^x|#o$SPP8c%s`T4je;IM(+UXzl25l_J%e<&VWK)qvr%_2fO)-ft;06vCO z3pc(qRYObn4UyqZ*OJ#^f;KHd zY7F;oy{N1s!R$(fbV77F*n4=iQP#rgZ}M>r-JXV^^4;#p_|@gR9yDioNe5k1*-pGT zn_b!Z7%&7%Bd(M5b?M-{s8j4v34*>`e#4!02&63XeuC#^$!$slA^-?|&kJY8C5w^l zOGxtX5up3Bpem{c3F59uG6E%WB45IE3AvN45{rHdQj?pFRPTcL+JPnrhBKCf^BfU^ zKL~~&;ywV~i%p~>L}T;iMjz$~2d@ypRUg+TpA}A8&Z5_2Pgs*agfepMv}kvaG|Q?} z(SEdlL;|r0b6`$gQ3tavC=?pdzHB9{S7`V<@{#p0qRR36_>CvYWGq=lt&3N&K%haQ zvH0J(L~CBjw#QvG^lZQzo(8KP z%ayH4*8@SK&zlX-2WaxU+61E!+>Cv<6%mKIg`Er-O7*;xt;wi5_bab<<`0Z)sirrR ze@r>aAd7o^Ws)Wzp}%7L_5g@tOjY6D7ES4zD?@_I+-p^BPBBL{N%p6mK_{w}6?B6F zFPUI}ft+^bWLFs(`gNkIZqg~4TWr$eQtu^d!lec9v7Ud-U=6D7Pm$EFb*%-Lv|j}n z8B?Mt7f~&P5d5eWlU#hlx{obf=_@0gEuNSjZ*MGs&}#|l5C0{U+LUm2c?;Es#fmb5 zl2=~+Cb)+TBLc{_a_VkCY~1~=;6Z3BM$$n+JepE*^N4)t$|1s};D8r%6->kEC)mOo zu0w5fy9>WZfcPPCgl0T?zu2BPB{TJ!#}=qO^FrNbsF_(;BZ19!V4tm&zu}6XL2GsZ z^kb>TH9ojaRyTG%v55YI8<}W0Dr4Lp?G1e5T7*!__FUhGzc*^WF(gO0?EI<|_nKzHBCB=)yNYOa zOH1mJ0=4Mc2J2TpRvFw+TA$ZJvYbC{V%jJd^J``+wgt|zU)@bAjfaA;T;59~j}f>B zRLYJ(K>_QQLK}|J4rl7PwRo~i_D(^^ny0hI^?;ct#$f_J96gwX8P8}o&)}CjV1;0H z-vYK6k3VrIWkr-jq;+(O?!xGr7>-F|9&?L%BlJ+Y9ac^gEixrwRrvh)(` z3aGoQXic&Q{%Kyu(#;$C;|$9w`0hAa!{9ctB{oFG58e;z|FkImv%hykJ*!0hUo=$! zr+o52d!*jJd|Y<$7PUWlQShC+?a_sQ*FT5SJkbjw=)|VM&}=;^6E%NA*zy7^$Ehj3Md|d*zmTuEzRI$DFaRV{M_}n|Vy^*| zsX3FxL!XW*{5u!l-m0_j(ggj!m|yaCsDy4f<3nGY07leJn}tM3S23GWdQBo9g5-}g z&V%be-nkxvncbsdQEtF#^=x#C>T)=OiB9$$bdz9&%W`TrOJqKy%v%XR`VFs_$V>l# zBF`@<;nx=@R%{*z<{k3ho7}hM?+hLFUk;vZvsd=Lzn7jk?EG?sf!JOQf5YU$Wh%Tx z6uktI_ki7kgWgV(!+?2v+sJpUfK92Urw9Wc$E;9e2U4_~4k8DpN2XH~fSDD~`q51B zD4YT6-H9@~SFo&x!YW?qzPI2kRhA+28Ik1uTS4@=AWuN5zZXR;5Fz0GhlESdI?FYr zyMTvg!3am2dxNYs<3Ch7YI(?oY`6m;&7m8DN70gpUk zPVDwiZd|R#x#z~}#H!4BGs2xicU`D{X+JqUyG^&GsxDLdO-ggUvy}>5VN~x}ruE%n zO2EvLaEpfvojJ90&sfB znnvB&c^<6^UQZbO3O^5sz49vT$%9HJp_{jKl{#CUxes$aN=RJJF+LHlt)l!XPk;_I z72P9jP`#fVK=oZ;6R55jccdEbF8O=TveeD;p4-xeuk`Ut;fLSbIoGXw;mdUqU$a8f zm5+}xXv6R5p5~Ke_A-Z?@~MH(66KCZMiw2xev0LHjxOb0cjPn#Gv=FhAHX@pr3 zm8dQJhg zl!VQ+!H$AyLDuZ{F^`x z<{H(FHLl@AabUViKg))$0wHDa;iR!4sKsFYiF6r@b_-@v55fbCUwBs45={?FoF5tY zY0E{eg;HB>E_~`0BK0W?IAfU<=VoqhTbxt=R_$(+Z4jBqPNSdWC2XJ3$Tk0EGFcJ7 zr9H4D1vj>gY0SY)My+Lxi&oEj&AxOr7F^q;suGlHa8^)o;KNP4m}gsK?uZ=qFv`xe zKv4RQfh!UP0kFxlCi%(DV`_FahLO@1a{HC$^bv9X48ka}YTSOjd^-L3-7#{p*=po2 zDSP4?n6JZF_K1$cX^(SaNK_^latRWvvQ5Yxrup<;Hx8a!#jO~x4Vj= zix=%<`K<6&2i2=Q?1eWC&u?sxR)8zj&@er-W@od|AWn_Vo zn&=fdsoj9^NFtWJeL=jxqIX>tVzBkvO6RgZt1j0xZJ1i+Pm5i2jcvUUDVyw_)38#8 zA)Ny|ED!YTdfwQ$nGv(J?c}#?iRFyR>l4ygXlAaLMoe`B1v`&XHZQ2MbOk-rxc}jE z!ukKBzv`(Va`?&**)@y70wj2J))vSpjN`c>2icJ`k-NrL7^lR{%Zk5kkWqH>;@p`s z+P^rKV_qZ7xXY!m^`1~Z;Raz#Sj2?6=*JkqZa$M02fu|r-SQ)x_4@*Tj358K_5|87 zV*5fIi{{|8m%;2#FpHHNje7DO(oUBeExNo~oi-!tNe+nK^(kkB7`NdiMXR zQTURzQ<@{~H~b>lI}yp%mFG35)6{R{^VF!YIC0DUP=m$kwo_|265D##In$-IsO8If zc^i~Ro%zKfd4GKzK1ZrdQ}|VYz;iy9*8Tn12bzjf;4woV#AwO?N`Px!Qi>l(2}_7a zJSo@2j=l)lj6v0nd@_P_3y+N2Bx{=v87fb9=MUpNT_pAQRq&E8b@?#H1_#Sf!ju-N zj;ZyH6VuT~BDGw@gHr6eh7Q}pcAShjk){AQk-eR8reBS1inZ?3C$hA*jM$8cYFe?} z4QcoJu2OlI6W3d?3ItbJwtg zQ^*JRJS8-Ccs6V{dXg0*6zUZ=>Y{zYUKA=SrZ8uG#{>nm0|RbLwC+Euig3rULzej+ z+TFoQq}e3+bF>!hj6bP0_Y_^XwG70IcIU*Uzp0o zrW#W;fH%a2`F=7iyf{3dEv2XAC#*3x(FZHq`%=-jrGV21ag4usCv_ISF>|w^KF7U2$~%@uS+)Wt74CUdd}%!QX33Kc*u9xl-X(`0qyo-}H0mYN z#lF{wUeAWO*#KLs<-{huq)=jHx~^Qx!T6^NX_<|en!FA|J~WsUb}L`^pbI939Rxur zy^%P^vBfC-(I-j9dhzn_M5P5!w!~w+J~h2c)lIWgwKQJYMRiFhZ8=O$vsg(#BW}OT zIS)(1oDj&X{WyxO=B_~g=*vb|&POa*S0XrcmL>=)XVeYS zN+f2nFmJWRvGhertj7)@WstN096=qOFXRO2rR&dXx&O{iAekkAfp*o;q3l&q&`XIu zp)yi@`*ZI`ver%$aN0WLH<~Vx2Nt++{OmBkoNJt>oMb@AD|C{;&MtJjT;(;!#X806 z2Iu6NDs$))1V?}mS#@2uZ0T=DYw23D{1FldLj$YK*Ujqt2`!Lef0yN>LO&cOV$&kJ zjEgc+1?F3nEA4E{-BO7EB>F^L<~JPh*&>~+H!8(MdK+vOhlw6p^TP(9V&XwxbR&R& z;U#DDBEj_lTD4xzr;=%%a1shQ67-?c( zSFO17>lM))8=Oj7c;AKv+uNiy50-T=Q!*xnR;5Olu?;zpWh?hnc)DLD$e&fkalyYJ zrWw!jpRU3s6PPbymmKptF@CcN9|Z+1S|z@T52EYm)5PPOi)6!g_~Yl11&%eoAbrGE zA8|G%2l(d5!74yK^T;-qtDg{Ue!`1RcK*}sSkLoB@PE!R9EwCexA1TK%l|Jc4^$cLPZ>I&-|tOd-9m2Dcq_5W5n8!ciY zGuFpU$KfsmTU;~epN#wFOKe6u?k31F!U3oEYs`Reo(a~!wY2UVZ1_Y%ea?KTTW%@| z6v%(;P_wuI2kdKSG>xJ=wdPp&%|m4;eOeA;Do(Lk8)0EW^f31;?hj8~6UWZNF{}$LSA4OX&@qf5N@a_ zsVF+Scxa_&C4EZf^&hw6(I0EcR? z2HBALAwgfOSgyt1n=M7+Ik=RSE*Q($ETlf`aP}=#*E>wD7L7unqM3~&k$aCOl3tu% zHZIep{zlH=5$_LGQALmQq7Q7!HV0FqY4Rzkeoe)7SCRZ*vF+r-5~!4XfneinC6uEb zh}yWeb!VDj9s`3Yv_(3f!OB5Sg+MWF<{CXGUK>1*SKkwF9#Mac>~rB*uEl~(Iv03} z=y%6V)LP7@!4lE(&*K7leo`Ag;0|kOHoZ&U8F&rW1NwDPV;B?sFBLyR9Zx}M)p45y zA9w*|X)rj0vS>~|3fwDpSDXhgDl+bp%}L^DJ~B{P5`lTGF^1|7a>#NfaQw9Vgh(+e zP03;~&jpA&n47^zFs(8O45x06TP)g;U{o{EUDOrKjSveeE|HSSZhDAwJ>nS=d1#38 zs4J9OJ~#LmwNDxya1VDDwr{@kEZy;^t-%j4HP^D z-W5B@6JVG*;p$Z0FMXn(ALX1M_X&mBi<*_c%`7<9Se=|P;FaxL50&;c=yOc=qruvr z_JiQ{_T(>U57y(V6+z|t$<2Y( zmM1wZ#_cqCykgw!P}!&$wDIFqu*!VeaVx|0M{yj+3BCpl6#5!erG`~$9+|2P>e^8% zTiOOIDdF^6(aT3K2g!>nMKF-r1Q;zgrzr#;bZFXjR}geBvZCA-P8U2v9B5MRDE1T zfpjQvAl^umTaYuAj0eUDwpKatX#g>m0r`Oy$S@v^`oyFU=Kgc>jXZC{=2yXz%qMK2 z^!GEn(O>ij`O~5zPau&Ns2~5%#D=iYcz!)xAKyDf#O`q*?f}#;10HWPe^%)c+l7_3 zN`Bm-O0J3-i6;S0gBjuG=06yEg`WT+Nbz}WaAN9@tg>;cw)^OdcN*@;+S``?ZPX^( z!Z!qO&+;8osUm_;LVlS!@UtQ>@UuPB(mi*{Latj6?yC@%GGsji!hRt_zt4BJZTH*+ z%~xf?R2*pKcK3$UQrYhO6Zm-Bwqo@p3C)1BZgvHZ8I0&CX}~zoJ8?60M5=sdlis$` zG#|hdr1+F%Ry7{V2VS}986ex@S>!HUhj<98tskmE%o~Z+DBobc(mAjWS{jM|Co1Rj z>KpDk1QT`)V1J-uPXt=!;vmTbI}OdGQAx0GED+n;!4k~ii_N4PS#azZk1lPPHnVJ2 z=@K3m5Ot`X`FDKa_A8ZLfQP(?QBUG~(=lb;wHuFvX>YmmpTq&@GaP_rQFO$=ZWvZM zC752pHvVA?g!ZoU{(j(HcDdWM<4%NBY}DT< z68v%T@eMB9*Y{7#5A$np7KY(8L(A(vsbak-P3>L@OWUI~^Q z_@1RR!$;kzH#ZiUDCNC-Izo$aA>QYQ)npFdzQkX(s?2J_`$=)?XxE3!%hhKZ$*yH? zFlUp6Ecl6~9gqaCbhG+=XA;FB;#aN+{!hK+Kjla#1IU}$BErt5b3P-rG%-~kga!lZ zs;e*1jt5}R*+5wzoMmy-@3bfTQD-?HjS1KSb z?3!uEB!nZO3e~Bi8NJ9aO*7|`VGS;5{epM<1RYF8PV;vf#N3Qe@B;P9k*yRHxp=2f zqfoQ&8$^{B{RMk9>&mrX;Vaj+hPut)Q5*x*Db9rf+od(fIe?!%RHm!#r z5gV22t1CGcc84Mq6M*}gqFuq{Xsr>5rV4Gf7!!peE?rXWasRqF>A|k-=w55~K4T|z zlGY7n{q_l(NCKpGWjo(KQ)(x9x0+eLXE$#6`KG5teClBZDi_7%AyEVzCP4dG$?OH5 zg+c}M#k%9BZ!Er$&MCESA(2^)5vnA7uyox1xvcX9cUZm(46C% z^l~*2S}&zzXn*NU=dw;wS1eeN5l+s#q2fB;beWPR6qtJykySKRZKK{!z6@+_7fjdzl`0w-dbBB@?6Q&nu zMHd*h0VWP`(qItd7Zo}bB82GcJy>g>Lf4rEJ7bGy0{1KOmy*UeWa+kcLA^iq~zk`1uyOYK*ars?{wKgn)Od!%fxkM z6ZZ$S0#eR}jVS}o_3ZgBi9|7)$bxIa+^LNUx6MTLi1VjS#vNL`HeNt~(+)Qjc4`X0 zL<&>_f0fUmgkSW`z*lfohmeEa)Gj}%{}C-J8|BZhN_KuZg)sO8kHi-d&4XkWquWaa z9^up0kvDZG(o*#H1R8|st-KsU24d~~Yqq|$qcL*WaX4%GP2AouJn1y*K=1_iA;b7t zdH|5Sl*DO99^`rrrE0$!oHr(45{MRb|A|F|Ao%`HAfOy=j8y8-*)~H#z zZTz=~NEjPpc#l!jIalwbyf-dtHlLZblEF7+22K-7R72TvL?XB{F!7r^?dv$b%0Kp} zt-T^WoR&muCQ(AfEk8v9G{v~ifd!vV%ZHGL(B%lf<+}z3X5*9d^_(3+>QuQ1J^C$> zq?ak2*C_&9v^q6`j`CPrO>^I20OXs2E<=9>LJMe(-tc8|oKpc$7Lv5FH_9&Kgy*x7 z`$VD|*UHkO0kIVPf?K0#Iw?4Z2j&tMIJRN7B`4C?d*v@8FN$ICp)l45WvUcn5SV^E z`66zwBwBca0eo`%1FLmJH7S2b-GwJkJgrmqot9U!<|Zr|bXXMdg+FlqcjE?m+R^cObVX2YR;S4dh=h>*+>}-c4N1Nxds8a3Itp>Yf zlaRVUObI}g5+J(x21A(sgc(%Vo3hNo^nicmj}B2;7>I^gn`L$wVkfDyi{t^`a9#wN zhET1@KSfOf0UdyA{e&3;NhpbKk72#eQ*upywq8|}$Mr07Kvz5570%C>nY|JJf4NZ| z{16tHZ@O^&*=K|xoO~VE=LB%0cfHTaFl(<${y8v`Z#nI#7APqN;HKd?soWq-t=u1d(M)^YBPELIy( zPMc!lF8lSyfLB!L9(5Yuqrp4N*6T^Is*^;)D)1hu?!K{2VujD@#Wd^N=R&h<+m zHxngnF!`LIBNzk_YvhQRCeN%7lfMdo2NzsR^TJvE<1e_9F$oH0Uj5+7G<-M>V$zq4 zxLvJXlG3D9@ns5xHkxKW?v9|gi+-4g!itN=O_zRgW1Z56p7;~GM*9upQqUW%Loyrq zkWx&<)1A6Inx?OBom(Bnep7m&GfrnmWE6x(J#rdmGvNYmZ|6JDiwYL=&CGKyo2oqb zhO~4Rb`^)M>joImVE$5|c9NtZVPSL96#mvMagTgrl~dsoYZ-OwwrI!>tvZ5uNqOvC zSPb)`?mid>+B^v8J}nYwb%E$tECZ)m<_;xeF^=f?-B8(hKX{_c=Pa zGm?w{_vtv{@*-(L`ULhjvKi;Vo5%`YgEfv_xDG0ZfAz*XTXb`iiN>`_F1FLXlJ9-u z|AL`{a323JF5UH){kPkAj{PS*{a^1lJqn_2sX#O^WdJ)eZ-wwQM||Cxyei6UhdRk9 z!ga`gZ`P%ODOBO$(LDreX9pytCD*^Qj^6s}bAzw~0p)k@ls$0TdLv*olS)w4rbP?v z;3d!kz~1N_@b~Ns3=aU5&gJPOYWnMN=z9(izE{KQ{i*^wAbW+`rvlZ9dV}#7hgWF; z&l*L|ya3d<)K8aw$h9V2A2d(9-G20LEHH;)V3A2OS6TRJ4)9KOackIS3J%^#~1J3M5yt}XKBi|%6 zvZjFZ-CV{WY&{ni@LBY04I$iig{l!ONX7xP19eViSJNSkwA4g&7$?CWss3*iKm)Gp zbU-c&!eHD{J$j{@FG8EAx2;!$B>!Bp`$#Z-$pNZ5C(xstUvWnPlqKHHsEO$SmbEjP z?t%uaDg4X-4ov=*6);=@i<&9PV{0hJIxIJVncy4w`fK;E4^M#RC9mKiSl>;}G}7N* z9Z$!Lb+(9a!uIqW_SlxCb6m`JS+XV)4Sn6b?ngq3W*+8Os{Ja?sXP1R;1fIUd@wNg~0PA9#J7&Db^fLI1o6bPH z?7bqe5U@!*^nn2gj#J~3uH)PCA>M7Q@CNfKu$ij}7!??eJ^%Hg>vQ~jwwpB;oxX?5 zp~Z&=lM*m`dYb)`=TLtd0ls;zIwmTRqTHV&5)9oOTwgTAo1EB8d&hDxlmmwPV_YQM zPn)qVTFVrHP1G3IW-R~))Tc^1HM>K1#i0sb!Wh&sWA2@uZS)p&g5)s@z* zHa!Bg8B*KfHmR%F{kv^S!2lb$In!8mlE+>S0Tg_Y>EN$sP2(2zhf094s&C2Af@xt# zG6`gC6+6(#U`9ptKm>68wWl<_ViznxpkQhV#vtR`Y>>gGzExz=i+ESUWz0-MdpdOuD#+nx?OtrHXqcQ`7wd@!{Y4~L0?EyaMqHJ%kOGp5JsT>x45C}2C*G_BeF~E z=WVp1_OV@)M2F8^ueNw|!7y1ovmvgjN_M|pkMK>MZ`(Q2BQ3u?r^WB<4m`XDx&o2Q z#m=NIdpc%n?_93Mz&$Dz7`=9An=0H;;jpLa+{kY=p`SA0@i}G{0ynw8m@mI@>YxYK zf8M3hh=BO^&*!u%N0e?ZXCxf45CQF%i#<`lAO{TPjt^!HzqRIfXV0hGTTRaPV&OPN zTA~eC^4a)(D^y@B-{ePq1q}CbL9Pge-@(LYT?5VxRujsXOp%QiPyg%FjI{q8n*ZN2Uz^(dDe}YUWAW|ifA9DI@yDYY zGI#>^hVYe6gxQ7^V;`rtXdaf{`g1`nw&m6b;snV$t?TF`KLjfG+jBH99`g7O*<9l) zXSRiNmJD@v%PLD~tZ`E#dE~eMm4KMGX!>BlJPf=Rbo3c6__IGn*Fj#dHwl2bIn^#^ z?FaMlzwkLrhKe_j*SZut6x!5yJv_o))>cX@lsn;XV5 z3Od#W%p(EHvs_O$Kr|U3MvyOToIAVQ)eXUxavCnm``*Wd$f^uEcCY0-#ou|nYIx4f z)&Ve{01M3#sr&9bcd^mao=qcf$K-ae=Y13Vv=$miWG3Se%UzTbZm|_E^oDjp7-wq$ zr9a4PyH@VNAeAG#AvzPJg_=Z5L1xb9z?lTM4VbmAH6%Q2> zEMLMNkwzc>>$w*Vfue@AB^uD1l6b>6r$X}+%q~L_929!XO@lJP7y}XOcn;3^eHbhX zm~zCa`|_L|qUWyb<$xU|+N&o0IF&R_sZG;XTzcVbS^>fCza~ri!^5ErSyJ0-cPPS?cO(!Lv}rF_0g4b#X>i>J{dEv8-3Z3cpeU$smV9?8s}jM3N)AD5as$RMEz8yx}EXgf0))|Ou~k`Z~Pd#!z!oE ziAQOUukTbGkD#T{+f?F{Wi4}k_e!36;8(wgP5T~J-B+`MWXuQnh?M`%Vw4?aqEKbJ z=ocQ2TwN{~6w?(UNjM1o8<<_sycaB#Xw(^NW&6WG-7F4#)@gl0YFc44-1>w5a)$s^6Yt^U=kn#A8FItmevMT1acw>eW>!W<{o9XYo#_8Q zJl`nu{eOD=PuvLrN{XuZu2DgL9a!Qof@h0o-)i|FLc$(WE-sXpA?K5;BEsV`IHT-Z z!^`uD;T5PBNaeFOw!`cuZCDk=sm!Lq$COWVk|u9UaG3x{Vo3#>7cQvcGjPM@!IRCW zZ`jO~UGP^cW-=>?2dv2jemZi~^%V1-e*@Ta) zRYZvD;tUKHCv;<0_R|x-+d-L+S^wsi)$K+oh9{?KcZgaUR8vqbLkWNkm~tX|`WtU0 z7=tTwspRstgq`i$AoO_NNaXmCTbudk`1i_&{lP$Jk}X^r07Zw^r)-{o};wAr#`Dll?ikFHd1cIO;L=EiEpS zbhLoj1&<8se1n97Qr@GR22)gfMF8G@sNpC$I*~-Z_2#$(nZg0ljv9rvoymA41Z2MX zStqI-g4p-I4~NpQ)AZaQpGYt|4>xV!TquBF9uJRj{EP?Rl*F+pEx~;DmyvH&3D2!V zO5hYXz)1;0JB<=^B~5#U+qWy7qbn zjqpA}lGaogRulQ;k*OersA`8<-)+Y+-1%{Z&(o~6YC1x<^De5*6ob$IIMjh8V&1-P z^kAX)Ma&(!CO_&`nPV8f^5@ncLzH zPJ;5-@6qkuN;R^PZU`LZ2A>R-j-c6+vkrqh30=;AItJ&i{n_=ZWe_e;!z)%#OfZiK z-<&&gSSXLse76l5lZ0L)l_w2k2;)FPjNw8^aH3c;qbje1Ej zGS54%ODmlJ>3X;hUbX4LAk9v~CE3vPt@b$Yd(*`y^+{QW*e}Vk!N(1#(%sV^v?b`` zf0+x@(4=qTf;8L^ovUvUxWpC~LbP8pIbKGbY)v&%n(SEbIpZ z-7QYp|E5IEGqz!tDTnQ!_DoI7U4QEF?A<# zel9)AVYd=v@dP?ywood~p43yHTm8!~mVp*eTQy3tg)fgv>+Y*yF^jk$CWQPs4B=)} z&tnT;SJh#o<*E<$*!GW<1pTHP?s$o!GW=H?F)z7r?~Z~JbZt3f1dDkrq~q-D3^7S7~_u+VCs zGG%=J`{g|1mF{?1p-6)Jp%>!U^%iJ$gCI%ao6+5Wp_JID{%^DN6&>{zg4X84;JzK( zX{iUv^xlk&3or;26Bm;=kcyw9L{%0Dk<>Fdp=KGC_dy=TvQ8r<7o~McW@J&9ektc{ z%RDDN69E2_352{=JRFvr#RX%0A;QFBhi@P^_5p7y{;PB1O{;yR_luxhw)UW_Wyn0j zDA?}pSA};nzcX2yRWlMWlaa!jxfSa*f~W3PbKW`bM(4GaHns!roZyv2S+5s zSPL8payL@VnrgxP>j zT-)cgW{IPLz1Lpq1KocSTjG{A^G7iG*TN}W=yEp(kXyib?I`i>YW3trAir+{IAiR2iRnG_1SqD#hS zuYB7;EQH252oqK7uV@k95}vnh_+}{U_pF=PV3kZ2sP|Kx@|PA|yz7-dw{FSO3N+ZWqib1;MSNc~4qS0$6>TtR_A|xVmZnPemMD`&Q8(at+jR^P!TnVw@ z&V9~upp`#qR$~Dz!WIgz-tS&bu1H6)U~0JXEWq$iV!dT~u-(9mxd3RNL_h-R{AjC-cd9mn=@+`izlD*4{+q2}T#<^}&{1vHim_4W>J`=AwSIif>lOZ7rnC z$Tsb(m<;?Qnf~L2D)Nsfm;TsTV8wrC0qjrU-U4d*9@L6IVDkk8+BUR{CoDMiyn!91 zqQlPJ=X}A6t|=Ih26y{bvWgH0Y)On^ zS|92@#MdnNmW*S*>H}_O_7}LrOY`Vh;{|)*`&s_7aBnwqDc0jJ9mBnLllKGTq^QmS zLvRQ%PhN*PN!5^4<)fgVP^LV=X?0t+GA5fFFYQ9dh{;&9@3b=z zgtxTS#Z}bim@gn>!weM^mO6>nETY#x66M~ff4emAHtsk4jVVABsJw55N+|6+S~1$& zD*wUB|L0!6OQH_`DzL5azhC}i(+^nrC+gu&7pFkF4=Ag8m2q?^$+jK3J)XuW_K!m_Ji8+M4;COFF#R~XxU{?7pI6V2}#VS=W}j^raB`1g;juClytXi>&eR~<=0 zWret4``eOHlqV$>*~QD}2dJO`*d-w500_r;WOuiPv_aJeD0l$T2A;B?qe^Ma)?OSn zDHKUoB)?;=vPte%FmU(GqDI{r_DLbr5b&jMGsEL zLxX(#03O2W$;D8ECL$6>Fx|Z!+tC6BqWRH*Zg49va5pJ&@scnF$aDs`-S_o!3NX$A zxCmIsG7RXPR;Tns-WG3_0(OOslS|R@ZDF+F)6T8IH%HPF<%+}gd!0O4s&sbWVXupl z$&ecwYY#Jw;5g_+5!m1$7_WkrOELH}TBK^SEv)j{<5)jbVG;}z9iu~U6%^qn;AV`Zk*yDab^mbW{Pylz(5J>dugg`vc9(z4v5s=0Flb9g^mF(Lgn?p3qItG3rcYSYj|VNPP^UP967e- z%l#wYZ&HMbYHs~@)dLxhNyc|p2qlZt`m z6oXmXpRK%?3{^8}T?xg23$_VVV0>Y}M=tY4L$QE8wyUPIL*~(E_&GK(rWqmD{!b1Q z^Q)USdVCOIo%lMy^Brye)tg@OkHx`+>(BYZMG1nNp^@RLM1?gY&sGdsUFcL>{NALR z(1DU*bWj z)fdlCZY#3=u>=djES?_XjlG=W7*Ie0=<+lsX82J;h8Q!!GuJW{a5mv62<*7alIu(N za1mn{QO`GdJbl=(Z-|oqiIH}y@5LF{P7L}OW}j%9-+7Um%?94ReYqGL|QIm^t?G4wxAx)Wi#GBkBk z!ZY|@BF_)0wG^D{o1;LO7>mAtk*B{94+*SpXPcYQ04 z>knMOsvcpEiek+Zt|&tU?L+>PB>!^ewRzqoUwmFY+80<7Ds)zIpQc65XuWUp-?r%g zhpcyuuCtB0Mt62>+qTo#MjP8|Y^TwVZCj149iwe*Ta9h=^qeuy_`dgf|K9iSYmPP7 znxGEy#nKb%&0sHre9=%{No&2&#$5D=8%w(<_=&_|Ck3yyh`@hwYF|Ag%JZHnMNXY( z%NWKy>RUZWKr7HpixxHD-qRRiX=&DH6W_2{z%4N^?En7UTFB|jRzI^PAE(@pZ~6^Q zfU*~^`$SnK$i~qMiXly|zhJg9#6{CLYjlM)_)}U)S#Tjv3TuseDs23daQ*OC4^~+` zGc)p+mCy0lyZ_Fcz4%>w|5BQa(XR52}}f2`tL^ zyv6o6>^;E7k>$Z{42KZp zo${SgeHgtpVfC_@W0dY`ySI;`nOD^HZH`TDk3tXhUXJnhO*gee z86rnDSr1Ic*>8rvCDsoIXt>(M)~_4e$+9sVzLm5nOh2pb`07Bf7zZDc*ualBZ81|X zoA^{c=2xUfyn@X!YgZLYGl0?uh9E8BHIoSNp0_yxyaC1Ta3QOW6Gaga*n~Slj>sgg zy@mr(>d*?+IFe3V*gf*+(g56$$)nRz6E);pH2^ua%RY&Bt%<4>+rIxZwNwosoz9~f z2l@fFP>Nn0I~DS+4x)qhO4Y%}p%n#faU8GjDp2_yEreI1Z@2MjSBKy9lmXI8I=(Dx zVw~93NKG)tAV)Q$H9DDR`sxl6Hl2^XQRD}6<>f)T8RQqDj4|zcHy83O=2a`~c)#Jj zU~Ra@>Re-3S|N|-tbl=tY*tcYnOs13A<9llM77Z`CR-KE+Wj`xi5*wT$0IXj$hefT znR=@tI+y|eN=y(7v^+uJ@zuIHG?zrpe)Kqp5d@mxtb+`waVkutLRLA<`zv?PVf8=T zxM?EtElTZakP@t`oZe7kTzmBv{azBFYl2g;jLeR2azp=Han4J4rU#_TUAX|KuPU|S ziBm^$G{Q3D;!ouYcnP!FC|FdTGbWF?xfxP$=N+!LUO;Bd4~bF$&pk*zd*OR@2YJRgrSY)8d;U1* z+tFA}6fgVE3}q^s{;S4y7go3(nNvWe*ViB9yffg=;P+AWW1MpT1nx>Jav)g+nNuQe zH(Z|XGoJqZAu;SyEdgV$vcnV6C^Hy43!^w;+*bK0%Cp$-g+kWFCa*%H>=rcP9HmW# zfcE!tyrYHmr-R6DIXWyweUL}Mpy3s)sc?=`=j`9!WbHz*`|Xy4TL5kH@Bv{IDX^w=T>-myRC5Lg&I_syRb`(w)_{1=2~?M^c&S9g!|r&K)Td}cw;9RbEHhl$bg2v5&je& z1X7fM2SG3=k*)O*`Qohw>cQg8)K@u`xes*pq}DFy^H1{;6P zjon?cTKc;EQ6%=xR@}xlbB69~yUry)I0f(-$a3c;jq^+6$fwz%mwu9zip>Q!HGOez zH!dIkjf`TG#sTn+u=XVDMdPgyeAcJV63~z)4#0!(8* zg)Zo>qL~qVEYZA6erV8bPjC)&+bG=K>d(Jo^Lt0$eN!8%$Uzsj3fB-9GT4#?fv?AI z*q*O&x7u}LZ&;@d!SLeiWBnIY7GfD>8?Nv%0@8%^imoBN#84jRiq1?CJcM7F76*>u zXF8w+64?XO8o+0Bfm$I*1{jUMsP*2{UaTi`H?I;y#jWg0M|Alcxx=Rtr9>JA%JLom zE}W4Z?F`53)b$38M){Da%cU2MkGYrW+YEh#_}@zEDP*=R-D8}h5c|S!{CLtGH4w7H zt<5tded2E57xv7&w|`At`=?`6k$Ka0X0!^2T*VIt8{BvFJ&`Z{RV*@FXUdSffIhSJ zwn5rCSn^kB;zs0S0qk9d7yt9@JP&>Yv+rxD35&jx6A0CFd^bpJJ4a$YNRf#=FTobD z96=$AH&qx1{64f^8uC}B?UP9CUT0=Kn#cm&+ImglS^(Ax&k}RZQd+csA0=I$)-w!| zrqS{(1o}T~P0KvU;tF~bb997Su8QiiKi$>ic)Cp0k;*U+7@M2jb2>t(xX?fSVz@i` ze#3iwL%gd`K6Xq4bm|A=RJ%757gG;+3Vrd@U=>rbz$U17i4rNDBrqiueI?|9IUbWKlpT?NE_7MW5R#WL3NZ6 z%8G$W;(%b#ywo&$yZ-A-A9o&X=o2I^=+6Tm=-rWKY6aQy4tme1+NDaYw#{QVkM~{X z<^#JQ8Z=g7;UAj$i50Pbe9sk1hjMOX9O|}q@jNETJ8T4bXXya`lK*3T^68>? z`PGrrhqhoTo`tRRxzBOMsO}R7!Y2U16)P-bpdh6kS`5BR38< zk*<0O?h(!luqZQ_rDb)Z4FA4rg*P_B67KJ6*=7Ur-qb1n`ZM`>MCP&}sM<5CylkIQTPq6oZvP}U+#2LDTG(NT;Tmu$LPYSlgM>h?k;HRe>_X1ar|iM{@+CCb(W z6>ZP@=M`Bn+93_57>B=X!bYT&S+HD9qbtgQYFC=p7S<&8$gbfIh@^OqJ?1J;u8X3r zRyq;1W1qFEU}VD$`%)k#_-^anbz@5%?ZIZ;b?>@@Q}xd>A~cSMlZ+Q(YdqAvp9z-> zDuPnaOOF32wsfXM-vNRgam9w7&eG>XsZ^c4&&LX(&abNU`u=v$V^uW zqrH4CI)G8;X;UxMk;{5|m%BexOC%UVc6uA_MvYy))`oac9zn`BrG1@JOt2wFu?ffbk{swI|tofHhX^}El=Qd?Ru>4j6Mbs zpJWM{OA@}ho;OqDu6h15+>x|UT{qgUvNXm(!YYxMT_4A$dH*Gk7TaE9KsNTeCwY_5Jv;1;LiP7)f069a#b>I=1a+~IIk|er7~v1=Qx?xveXB{g zBndS)j(pBD>}))d>aRZu!ia+e;>iO1g`Q`sPV`Gjh0e`cRlhzqi%iJj{1BWo#Xgt2 zJ+>5(VuuO#)K`jpgKjd6G?K8ZLl)s4s9%Si>^Sf92JJ{L|R6R7rOe3R8yLVP^)VOZ#e@BIIpJ0=mF2p{f_-adH8%L4i z8?ax>Z>5fYY<~5r5{vPVVSM^x@u+r?U^an5X>>nkF(oLvDF@PiIcMWmPU#kpNXxEs zsaeRTzrA5CeDWr(y~+>&3`1NpCZ)yeXJz5X=W~^)9Y^I?tk(?et^>VKvSPcj0D|Z@ z{m_3zQ@~xS(X#dF9G=9qmJJJ4!*EbfqI4zIz)|c?B_aP*-Td%sczwIIf&um33N5-% zeD^pJ!8h!Wz`quHD|7_>iyMp7!LR(f>I(2G7J#@NByGve4y)Fc)hRj^d|kKfJnJeZ zm}?i9Yv>&L{(4#HFQZA?J#scloW5N5@s7bb>5IvA zZK(+o6~RlaK4vMmMN+z9>*6{m7X+ghlRBPok!d&}-EaFSgAsbh^t5bLF^G}+?(6_7 zsbf|I^=I+Js+(Z?`65{5YudU#62^wOZguz~M10cdGghQ%bsOox&W)H(M zM#CISEH*=UZ|o7}&f0t4mlc=D(ff*e^|bKnSNSjbn}Xo`Z=g2`CQ5Uub)E8H)kO+F z1uA{xWl6n(m!y8qjFT3=jbKfJBWln!;$oVfjhK}v!(SD_t?Zf)T)@$zD{$w}d;l!2 z8e%c8;SgDTRnkFtC4COv%C8A%+iVu}Q+|6hy*F;zkSVF?zj|AGp_4Qw*J3z7Fr3`X zfh4XpSZoWp|GwcjY-7=~PmTZVWpgYH)68lJvN$&8-nDV7U&i8GIny6^pezFxnv? zP6m>R5L3cqOpz7cj|<8T-BrRsC)kBepgqI6v0NKEQ;wc_3O~>g_wZrym$p=mE@~o) z@9wmktWJ*v3SRzek~j+M3_uy;z+uX4Cd{wtT;9bV)U}LrMW{)nEu6B!`v_n-s+s=7P&$`6}S{6{5V1PIK$6xMa}uq zeeU0Xwq*2dStZ;H0jW43zw=8h7Fo#$pZ*WZ-V&twZr_IoxX+qamw*4`kGdqf$Q0o3 z2#@Ro$==U@je@dC#lb~T2)vb45A>uy`c4RyWi$#feCU$+>c8Hj5=YPWM}EYK6V0l( z9x(KaW|@cO73Td0xRSja6Qa_5vBI4{yib9oaj|1?8I;OBdpO6JInY(c8 zBFlOxlX{?g_1q}E@2H~hzBs`9rcy_q74KtXWk^eIUT~%alXTKZmYEbJba;799L$)s>D@(sn%H=LYXC zskl)cRBz9U-Nv^9{!gj3y=-4ji5Gkw!4onB(6-R_-1hYU*%ti@yCH12FVvqunrxQG)5og6Ae{%)c>URM6tY?V29IS zZowzOf*LJxKkd4zAL=sg=QG@^^w6iJQ5U)CA<@3H{pT|vxKU|UYfGh7fcp*fde8l0 zI>^Gu-~iimEb$O$J29ze`e4!jFgG)`Lb>%s^lvSt=jts0L06ay_!$jI(8~VJosbRY z^2>;gQ}^K1xSMOhq(&3acE)nl!PCB~f6!r_fGOb63AaIZuxx|gOb+0wY|1X=p=@+5 zGkd6BcYtrqhPT}In$m8hV)62t&P|GV);q$@>jAy67*h}H{<0t!=sU82e_Vj?TK=YH z&ICg_*;YmU+fBXwruTO+uEzQ;&Z-D1WWP*C+|Vhv2Wu$ZQR$C>R8?oRHjLaj@v+(Q zk*IEMUnt8(C&s}gVn_R)IiUfR2+$7pE|$38CwC+QoTZ~DU1_$D$iI%cC`uh)aqgQ7jklRnS~QI3%5ftArTFvTj&p!jihvuB4QCcqb^e0&1bom5jUF@phV|d| zNaJ{~LACt4kG9loT(Lkk7<1A_FSw2z;c_YexUwrLu`1u>c8cwmUdSi{#WA-F^NMaZ z>ymF*#dS(6wG|=EA;Z28MB?fI3Rpgz=}=EU53Lbty<@T$Ey^@0_ymEa@NiGGte-16 zCxCG#c5aCLFDgk^6NOD*7SY%$<+yxXfFL0{u0F>1P_x{unr__gi$mf-)}rd$WfF7A zb|f*^L-CTPYzyj3L6_Qw9OphTm2@%wK`GSqh0M|(v{B7@0W`*QvxhBRSz0~Hcgb~_ z#f)8y8J*q0ZcUT?svYmkKHb#?L53OEQfc}N2T7u)nfTnZQ71zho20;p!#KL3w#|96;PM*msv!Vj9y4~ z$M|cB0zrp68oi?*cO^~LryGJ46;-H$)(@BY&j5A|X*drdsc~R=_O=h{w%bq_Gwn(g zF=_MjSo#{hB@1{!Y2Ex?>2ntBf5i&E|EZ+?<_970d3U+8r1)HOFJ$`ght+?4l#uk7 zs0W*btNTrj*-wt4<|#7eoV@*qO0*`tHUPrle_Vs1oT zFP-{?4{Y6yssJ+2w)Or|{pPF=!InpB?&^-+mVGdW7MLTD9qHXC+H!BXeJ@iTqV^XG zp#QXs2fbUJnHd)`ulZGL2Djc3yi|_YXfWWk(Z$NNEA?*T5mk-e6tH?UBOUw$>GK z0GL(CH{HJd6=q9wDdq9c|Bb3wR3NB3&zk=-`p;-6qLa<1F>*Fw(Vu*@D@e$6r$Eye z(FdpyxEXXPnjKRT0Z++7e+^~&YXK~=3T_gpijT_o5ev8N@!AE+trY`R+)i&8>kdrRr1=S#pt86dC2eq&fKI+FP+xk*5H_9kY zoe?FC7=O;7M1Doo&c6XW+emU{G8~_c$Uq`W6ZZXL(DkiFjv?~rMn*~dt+nDr8Xy@_ zl0DWwbc^Ii;jw?70bK1PdHw`Hy3@mwa(#jDO%5)F0p>u;osg7aX$2vmH`` zzK_!|8slo&F}1TXP2BxV5;)Nl__3+gYOg*c9gxPEf$SrnM&t13=r_on2b7PSh$p74fY4Rd81m5B^)h4no_z zNiPu_3cdAyR3U7o4-bz&owW_biA2NdgI*DGcTx8VMbD*C>H3AzlO|+drO0QljaMlmDDAP?ZJ>k+1{L&C$pkUp z+jfkZqOc9@L7@{;ruxZ1<_^8BS7=d!ql1Ly%D2icIT>k=!F-JH_fa4I}$SFI?PdLFJ!E`D}*~=+Of_8F=a^DoQK8?n&cJ!DMwNGO!YO3 zBw2lK4BHB<_*S%EdI8#q9&P4Hrm#j5ECy_J(-VFbwpzJL2Jas8=u9O|t>VweF7@ zw=0>(UcUNcx23iGskfXJ5PxuCF-7980!>KV-2(1g9#lLP>B)^;p11$d?`KFtml|)n zFIUL+SbNkv)QXLs{|3$L-;7;v+{9?jRe961UH&E6E11)dG9MR55=~D2Za^~=T27okYyx>c*Di_4)!O#}9%I0n|V*?YXF$vU>%w-fe4f#N^%iu ziA;86*fpg+l$GpDkUs?@;HwAFA8tPzP*C`O&1c-f8tkhaPSJ=!eRKV_FN!oprs9T) zOa#sr1?tdg(_REoH?(&mf)Juz*Cea|#BXw8b6gs&eAGtH%4(lJ)LH zqfyI6HhR6RR=0c1xA3faP6fU|5n08)8+Bgfyk67Au0T-sHq1>04u)CG#a}yYOJ`?1 zH^sid5Fh$=k9sv>bWE$Uj8M&+-BbHw3>D<9T6dCs1o}N(uRNq4`M%!Cu(rf^_p-aU z{%g-56}G0;e}^0^O}L!bUGt?~%1>X-EqjmdeqXcTeOvt(=VLP^c%!m*dqsHd<~K`p z4u4C$p!~d!2-e)9Lm+%w^~N$mn*e-#yFDT(f4GR1wMN%TXWvT)bUT%4)GJ>Zh+_aU zH0ZD=^py{>ZK%qi*a(@EHH@y*Qp7SG_b*cn8-H+XjOU zgr6%g6bP?!t%F~-m<3vN%nZhnu5%CBTC~%?8yfX_e$u}gvm6b=LG7XGWVBB2s2sI3S^6G#rkhmdards| z&KcWd0P2Et`Nq5R9@kf>oLsf$sWn%`Zp~0|sS^8v<9xz_8;=r#s6UvruinhhD+@E5 zER_sJ;`04r?+6oo9oo890qZ*(7b9aQ3=@oOM~Ir|jQ!QJ(|!)yv8krJ+vA}9pN}rz zuiL(Dtf_*>Y*_-Bt1m<*99(#7aQWhYoKrX_L+BSAr;1^Uo5&q~8d+HzLot{`9Q`@h* zeE75p#i|_}iOBI+=RsS9qSlFTHQSz?5v7#L322*Bp>Dfi#`kSnuW6efD9jqdm|w#+ zAI+jH?8GL>1mWfTHl3IX>3lkv zpvib(pVZ~ASj@ZIJg*ey_!Z#4m?hAL^ZTrs$+E@uK-cL))7He!b4wgmr z8)WqLe*&l=e3vfpg>e3V9Gd;h;$I{vzH0bblS&$pcbNN@I2fbbgFkH%63L-=uz0si6 zv{IZ!A&)P{{9Gd$@6J$s`R+VxIm0^#*$EJovEda?5}3G6i?a;xC;$^>DcH&=W*4{UOMDC*{ciq@B(P@b+V?yd9KE6 zpaSqK0Jb29tLI@$BZ+MERH(~AHaRfxU;bJnriR@O$)U(2=L_Edt)qwd{gSiE^;7O1 z3kva8L)JMK_CihL}eLO zD$I7v2H?FHU}Y3M>I+cX2pH6MW-{JFrGNLSz|XJz`V4{kFE%`9keLq&Rj}ZSJ1-R? zXP{e{RN3hR;UfNVWtno=l4pOq8+iHX38NQvZUWTRBp(#El6^S=Uw!k6l2}sP&;}ur zzMw0LaK-K!C{GR}g6)A#g-5cJo=AQ9M^Ujqc)7 z9Bi#CG>cltYMrTI36mh)TVuVl(BLnp!X4%Ym-r12Fyr`=A1vE>;s3X+|pb%!W)^1K$g^D6SID8wn2Rar(GB$;>E}uQhjI=9v(u(-a zQ?(i99Q$S74Hk55gno!YSuK9|MuNykse*9~uD(aZwPWYJ^fQ%jL14?nGYH{J->ru}{r6AMmlx(!!=_s+NK z3&kF?l(y`;5m~`^k4G%K{2xHUk*VHa+_Sw(0Vmy1r`~y8tWvgliY~LTkaJa81^4^Ko z8xVSbyeR;2zNvvzy#rty5yT%`SR58!+1%a($%`yGs2D9I^&!p29s`2Ec!@3S&=&GP zPS*!jBv;@Jz2@^0sL%+rW!ArOZ3p;}RI--_+x=4Ek1Y#`?b|zPq0-p(OwAX5DM&-8 z87yxu82Rn9xbjEM$lS2kru71^_oN4z2RYX6^DkcL|B`T~LOpR#{1-)+k^#f&KAmWU z2{H-vfzskOAs$$wOd)PhUaYL&{$dOFA^zp)fQ_&PWQc=DV8b3Np|lSLkNk`V{*aJ4 zqScqD6Wz9%Y6YWy zRv-muy*+QVwSKIg<+E`3{N?NDiS$>k>jHb*o1C!5Uge@3EKNVGi54pTS_bfP2VEXD zb?G8UdA!=2UzDPzb4eC(-z}vGer%LMQIaJJ!$Tni9}Jrr{Yfu(OC4rR(Jdnjxq@)g zK{hUbr0dKB^$lIAdxSX)W3$}^DRKG&N`vE#Baq$&vLWti9qJPUV>GslYJm|N$H*bf zSOv^2jKR@A=p@7|pikgQ#A(g=gryea6D9Olg%fu$rMLwA+jHHo*uih-mrbxeD;X!n zbzgiwR+U!UheXW%%zD*I3es%PD^BGf=9SWyb$D{jWr)JPSWa5fSqWO=K09WjI)!&o zbR*E{kd$?8VI(ccbo$=8{!nk$5xNK}pp7rG2~}&OZ}TAl^^gZ@{^S=MO?P7*SvCWC zME0FyY4(0X(o(ZKTOx8{3Gp|bZnKBpsV@h`bUiMxxrE8(w!Y5Zp?DUrnB3(c&V+0S zvT)%#8S!?{sc~%YIq(6ba_5}}i_W`VXhc8FVs>{Uo?eA*g)&X_VcU4Vk#tnrKuIIi zRqf`kDLx0|-Lk#suSeAYQdM}z$!=@{H~|OwAR-NE$k|XE#KQGpl|uZNxF_+005s!U z>L#i3XV>zdpU{E{TI>(l83i7{IO9&VF7{Uly&tqrERM|7=YAQx@o$r*?d74wHm+D~ zUqtq*x2RG?n0XRPNNWM{d8cTn34)?E5j72s2FVf|YK#3mw(;lZLaUv;H#yOo%l;*b ztV0FL-tOXz>BD?u!crwwZg@)22ki;D}+vr_Z5;ZBT zTT;q;?SjYkqq8CgBrQ&)@ZXwulV{?8YIWSV>;x*7qzXX}yJOw+qWb-qSCL-u64%yn zkzOB3qHq)Ek4Q4kqp&OV4io=sL=zSn5Yv&7eKHuL(HYm!R|GpAKAy|(u$TO}zrmy3 z4vtJl7p9~F3T2tK2HY~7^5#EM-P`dj`D{IYUwdAEd{Qhm2Jl^@8C1il1i`&V->FSe zq2f2RPiinu&g zv`&GU92-6{?OG*1GZO%Z8>T}n|K4}L%UZd*?rr>2?)cBuq8qu!O}9%7e&zjsC^T^L zEsn0ySvFYXqgGl}kE2l9!KgO%IXCF525Zm5vUJw8<{jvz*__RO#X@p(usdnd16`Qz zUAMxFC~byiwVq!^dXW5O-!0I8CPMK|awc~e%5*gr{RTh*ZT0c$4KB1QN#~QBS3< zaeTcwXGGkzUm!VwJg4hL4|hh3ThFzK_S*EI4jHqBko@sHI|WTZ2^l1OZ}7Ij2TEG? z%`#f;Yw_OQM1{w06Wt725_1w9z4I@7+R{hYVM92kG-| zis_m7K;MYoJGt~lA)>e_o|o>(L!8iYOv{ETwa_1ZGy6VGk&pWs+;c)izyS-s5D|F*gCFqw*K8r&Z3qx!(EcUyR_dHz&D{D|B1$BXN}5OvL?c10`K zYT`X!=T;}B?1jr<1yYpea-Nr8om`$>2#BX3Fs;O$%1?CFt{weKQU&CL^nXt16v1wi zQw*XK-KD9J;ms~rroAoFnnv%R=$sBaXhqzm@j&M&{`6;3c-xePm5Axb^O zP$_;;vuTC*BP1+gSb1~qPhGEU%Fr!sWdwL9U~0{cnlZ78_JcKslle%!iyVZ8{(kdk zN}*Ir%(oQKp$R9AMc9%IXjOfTbQ&ZjZF;MtCccC9R&?$}+NeWuM`wV%c;6jO3*YKh zUomSKW?>A2?;<2A{iT9u%7$tUxD%R8eP;xN@9$vA1hi$y@Z0u}Jrx_BWu1zrY8&29 zYFY0T(wlmn{|Ogzl|dTaV%^1p0jw%zT~EbF2n-)5RI8OP;m>+r`V)G5^OMJDFN5d_ zWT&hHXl}fv{Hm?bIXD?6c<%Fj^-yRT`>CQh60Y9h-Gzk{J%EHNl&H}Uoj-axkmL?t z=rNMty<>JEE?^T;+4Bj&U`Xa;xTCg!O2|QSdwnQpXzIxwm`%yEI9)6o+{6k@=9O>_ zld$h;*%I6s4EuIb8ZVe$Nw1h!&PM#-Ka#x~LWCVkm+kMMg~~6U+x|VHCiD23_UGF( zgIL;^Nd8rU-n0hy)*j@+MiaWE4r~j^XXBWdM(=v9Z7)2^$dFa6=t)DMBR_%Wp459%?jtWf48I&;ibeKC`M>(M#2ENaEx zmkSTm5Q|Ou5iO|DPxu(>HJI{u$qF-5E*2=>N~)p}Ui;8b!PlVu@`10JF3=GNn^s~@ zsBQo1(oj6DU)5{E*+d!c#TSdmxakzKVJpy~i@{GsIb?%*8scl%dw3hvEuqGgSoTja zLM#ENgilGG8PFDu^E5C2NzGmA?%HU54~r#iS?&IhYv-vG!|4;}xzn*L{6DToEh@Gu z=fhKA;4;c6L zKu4wI-F1tIzifn${SOkac>)pzovaf!mU>D76T(eoHL#-!5eA7e!UWr3T|;?nY0z>}TVo3*`_KG)U5KEDM-3Whkpzx2T= z(PdTp9*|QjLbrOLiOWE;4-y`g(Q@UjG!{hR*2sdaaLnbD zYO@M{5;Wu#+09;x<8))FGX<8UK#X{OjH12T<0=o)Hl*(Y$0kLzvp>1>=C{O_dM&se zyH|b*fw~$9M8Qor&G+$wc9h2j`z|R)O2yaiHKLc~Ow|Z@7bP0JN7!WPQa_&20G-au zm2t~CFVdpPzneMJfM><*;tKmo$Rf?LNTQ^P;ZZv(J_n=mD=Cx#Hd?}ZRoTGv$yTLi z9@5U0gZ?2s1^fbr?lsj4>WANNQ>$uAi+#eXTkNMr4{)6m7$8MTVKlt9pAnNp27e{J{eLr#hc+0xknAl)_j9`R>RDjY5O^Ug_qngwF@X9cw9eF{Y%} z_X`f{%lu?8dKgI<1)b?^M1lcY6^*VMuX*ReNOYDsWpZKw9)IC|n)G9EC_2ym3C*6O;k7)-g zNV?!g4i@x;)OH-HN#bhuvw->@{hWJBL_e*-SSst&y)|BYmFiG{nSn4t@yKFPDk{0= zuLf-jmO}n-FGk6S=`o(isvgw(qbx}U3mUX5*$NI|ElvI1KEIZ)C-;{kl$$4SO=m5i z{^_Y4j@R|+G_J-%h_l=B4Z;3j_>A?6Jc$cM0>h*gq)%!}Sd2#~QrIOcQQWw+#T2kB z#&HtRYzy3Yhh{PQApNO7Hw{BFcucI;#k&pU1Q3K?xszXtJ^53cgGJ(d#y^-8s*%W{ zrUx)`_RBq+H1BlY$GOfI@eR^uzTrQm6y=yfk+S@NSR3^dxVR??jQg|rdonagZ?J@$ zAe`aj1zJ7{>8@oy)`D+WERsXzRd?rm!g`(>fd{~Ol1`P?&oqmV+$Qu+{7m0Oh{+7m zsWQ@lY9axNU6b!ccX^bBaImp9(Rk}EFPhyS-Sj)%WP~^o9o1J7Ar|H`zjx5nTO1jf zXAY6iqraLzj@xluyD`-FC{Pb7GK0{VHtQ${>LecGb=D-k`RCjR96n8>qT|K5;Ktli zXIWKKlSKpG#6i9<{1e6%^|nG^I*1j*2pGTu@y>isYXt0p`aggAw$eqB;3UbU;Mu%p z9e|?1b~qL12zX1>0*wklLC!AVsGN@vfmqpr_q=yAzP?${_8{5}_c6FisS@pvW zYe9_Ry*|$D$yeSb8OFGhM^aj&Msum-Y18Md#Ni_bXjU0MB#` z6P&AQ)XJ(mA<{_zp*#=fT+<&@r(v%K7)Ht^dBl4J8ilGlf`kTyCxD}Y=bAX-_Mj&_ z8dum(9z^k72uxIpE|0+BU>Qq)IgV257p=tf09P2Cu1=$!#IK}#FCxzMqE^M3M+}K#mrAl7XMFnUU?-&b z6>UW6;HVa*>ZbU7uynUewj%fC4#kicF7E?PSB=oLAT@I8U=Y>1&b$aPi@q|=t&Sf( z+Ur0_z4Q%hz>knSV=3_kwlIv3^nO~oz{AWMt-dY&4a1Uf#$zAduymAT`zY?UJo+?p z`aWc6&QjxR4+nRK3#s7yd?s%jw}IviHa;Q7>rF7fxqz+$zCGr0OpyMG=5<$@`LA6} zMOs)q)fsYh*u|Y1f$Gj;^K1Ka9AToY>@<#l4LR!6kjhOzM?_2;6J=rch0VKiKip}V zLjfG*1d?-m@RuOJ#&)jCO^m6G2)^O7x6ufxOx=z(nV7b{`kfY

zmmt;LPgHwPR0n_S7hAS{D>92^w4TzT7r;KXpeJC#c3F6nwHp618Sa1ce<1DuMY1<+ z_?VB#TdmEf`2PcI{~zF)VW3sgNLpC*uE2`T3%`O^wDN*!foL`}l4ytt*bq6zq7{&L zoCUi4DLZ;%t}uMVxPS_GeD_l0_b)||R|Dt1-*Gkz3%DL=wty$rWn%7(<i@fhSO35)Nl~!^ar4Ax+4oD z2k#{qh;x86%W+FYI|MrNlr_aeN6@@HghsEAfAT$&UAByq&5O6X2 z_C-o6Z&rVQJj|Ztpw;~G2FEIhDhxoAWz_HI)z7XHo`oR_Tg)jvwQsbKq#n>okr?>5 zGk2fctcrhWBsJGsJ-9TmS$kYDU8(uvZuL(0E5Zm5yi=k8U{Ra&(Ew98X&@FT-L$a; zdVD`g(j;P7h1*>9{&$9bzw+uTQsb(jyR-^ArXU-kue&Z(*h#3v$iS$yx#a)^l=$0b zZ5T(#buVqYI!|<_8)BZNlLn;i09s8|o%w4#Bb4RTg%||Hh#QxN7k4pUGSRbQU*K|r zEAv1Dce|PyLV1PVmYB`A`i6AyUKTl!cjWPhjw0V9i;9t*con}w;Z|c`Upz6pD^K=g zJ{$H4z0=Kk{)rapgi&^eDWr=l%QG}@j1fHgt=;a&xC|2aF~`N1!MBgMsD9tBkIf(a zvU!swEWevsIYLZWb*Eb}V)kGTN1rl4P%CnZJQb14GL#=SW~w0ird44S^@B=u1no7J{fuQ~cXPmUTT%4WFy7+g zyE6KUudmR#n0+XQPq{m6|3`@%NkZEzkf{3`q=x|2OoCbYjnKR4G@rz`yRUgLtG~>J2&Q&^UrMH68tB2%{b0K=1 z>XBcI_I0yg|Mukx|0`zg9FFa5EZ%J#kL@z*%3`^5`t$zQ^li*sNsX)$5WY*&3dK=H{1zqxpxBZKCZeQgs{aRns6UNi>fPrPh3@D5dv;-Q;g zl##ngb)3a#x2s%*BYcEck<-!(v+Sz7Me1&{qGi8;kBhI(0bB2wr|Y5c{Vv32L#14F zi7oaef%a=O+-}sMC(eNk5dkao+C$@ILSYU<3^^b9u31t^0y7JIDGQP)S+}y@c5dgj zdg&J`Yx?k1r7Eq`u7?}EC7-A0yn0IVNbwk~h5X&_Ju>fMI_*CR6oHBNw$d3hr}uw@ zz8uV=UgQSSjxxgQ)Nce$M*bSQ)C_iC8#Ieq6xgAOeWYSRt@Wq1ALf}8K|8|;%saz1 z&dha=VW-7>e_GSB;{b*=M03K>bQ5orq;d|9O=F%`l|s({{#)U`XciIdZdslJ2|rIX zuK7fh^k0xp3c@tt^(~9xgZ@8Z-S%fQ6hKZVzV|Em#|)|CCOUW8)WJvadcc#}-3M;r zt*%D~aTh5Z8c)b<5=|+d?;;AmGv(+72u~o1BLBHNi@#_Z>Dn7(JB&I*Eioqp}gs;*+r@0nJ5ZzPcKanK}_67w%lUBTC-f z67C#bx<7YV()YRze+QhH@7Tr8rGl4z15{)*7*tEK(ZK(O$5<<2ROib^@w$ zJ}SymwI@7GR}fh+cw&LqypCQ!ocu5v3rBx~d2kBtw8i=%N5d58g-zyEi!S?Gcs98l z1>|Ahyxhi3HGKIYfBucPUu#~4=z7rTnTe}Bfb>{h91cy5J~VKp>QkRoGIu*;#gxYP)X! z)4;oFO88x&BWJmK8F7llz#~cU`R3m?UW-Ytal$FanZQFs^UL-W=ZwxRm!W?kbjz;a zXJCO9%}XLU&sC=xZ&tM;_>+$%v)((M>T1=b(JV9!ua|Z&*spk9maChdt&7w!Iu*Ejc@QVdiS}9dXzh^1y zO5+cbXGHF0mI%VXH!-|Z=7@Y??JBQ>z00onIL?j)0y4R>QAa=9bc7zNVtw8AQTHsE zEC_$k1?foY+LH9;)2#VZ$Kh8G7hJ1l=QpEefSqUZest-NB5Nm?nR;^4MIZ%1^spkR z|DwpcM@->R!=S(e)6qO$s`aXiQEQ%1IQLnoaxq~u<^EbBacD)uml6I?uUFmRFd_esf+yMT&Ercl>ZmCzr6 zX~d065$(f=@)Ux(rT-@8iXoBUNbX0Fh8#K#5oU@Pck<%fdsnFDPxmhRWyNnjQ`WdQ z9z=<_(`s46l!Pj|D!-2+5`_+FD602ZOVE6H z^Gg6EgDmn={Dy^FTP3pS>E=w!j!0jaZuyemJxK2g`P?AQB=3_(_dHojPg{AI|JuOy z`j2j9=YhAoyg;mw&trBQ_v(agO|z+Eby>daeb>*c+A_q)Iyc2klb1zVclCR%TwAct zjcd3`2?2nEdMTu|Kuif%W^q0X1c~({b!=!Fw{zeK+rmUi6rBZODcnaZCae;vNSQ`k z5iX2tw~cG9(<*psM8)HN^}F4Tzm(QUw&Geg>|y#w%hVSOsR;A<{kzVrVLi3XAKCJX zYnL&Km&Au;K{9gFrJWguWMA4?tozr4lDL&E2%IMg+egKz|Yzbh@wKN3k6!Jv~1_IT`d+T#Q09+NXsYrm`xVqU*Lu;S_G@*0i?&-qDm5z~0B?SeyE_B6Qe1 zi*W!^R5dBb(f}ST-2ba|p95B;HD<3luz8z+9-XjP#qDe6PU8s52xKc_9$YHsx3F`{ zqmbTriTzMj?*W?%CZFlooX<#ojuWjvPmmt1G1$@@>D?BO%DK1wafh^C`E*pG`7qm$asAIpXV->qB;tU+o-8%JTsMB& zB9`Xn5fg}|9?lvTf;J>mVU%&024X|OJRG^;`n?i$AdoMLh}B5ul{0ArO=_mP#ZSm3 zqRH@kF!Iy~w~x!y-*ZNuTnoXb1qB3B`M3MkrQZw2w)`**Y%xIzj#x?tjdnIQ^N)*6 z{`18ilnJEByF+oqyx0q9N=1YylbB2;mjeeZa_?w?K?!x~3R|+3nlaHu(MD_#``U5l z9HnAYg@t9M*0Vt$bvCAJ56_&~+eD4xwJt=_yG>B=;BWt+YUK-@f+K9gl@d-|q*CDT zD1-2Hai^nY_8hey|4=jZn!@s0)PP@bg=<7@C8U=L=T$n$A?+fbH+sww$5O{MYYG|!6_XHiPYs6oEjLR zQn@zY57hts=z4$lZY6?0g#POTypj{KLJ%o{t=uK@y@GxBgaqt9^%~`Trg`PGPM%*{ zPN9Id6uYfA1wAsd{FJ8d44>-&+=2F90K`0=cHCuuC@4yl{Coj&me}t*)oq$2RC$aL zFA_0x9?7c|>xi_x4g{r0pa3TvSgRl4$A0hep?Ia@b)-?}Modr-rsJGu>t^2_t?zR+ zL2aT>hRe^}si?+^q$5zGG1|{B-H^2nEThq#&+HY}?8}(b`#wsmDl?>izGylmNF*O8 zwVE%ow7vb1Gq87cLVL#q;Uoe9U!`X%#^tn)yYIg60it1{@~X7lp^~lX^beAf&i*yW z30~DLF*+H=RW@qtE@^o#lo(HIJNTrct_+Tfx<8+^taKdt4}HM`K2kM&887nf(?pTS zRN);&1PfCCp}cB)2oh1(7IjrCgv;&ItV+-QRDP|F$p1kKYWo3e@mJx_{j$%8TdK@= zfC>CjBwTN5k!@S@mR_xjP}NM4`l|~p_4y>^gb5%Iuz=7>;a)fCING%N)AOxve-6%7 zplLJcsSnl=LeG{8jVde}=SI23S;^de&TiszQtSH_(is8Y2Fkf$JWy_pe_J3x!`u;l{3Jk_ezcr-_>dDr>!a*(cdT8mF#(d7ZM0SL@{) z$n~?|ou6wnzQB1#dD>ZFxR}wUuBs=V(zX*L8zifpaaqcFGCO2}THQ6q)Q-e_)=yU51(DiBFOj`pA873WeS5uh^u*$> zTiG7$UP-eGAbQL@0k;oE(U7P(?vZq_so>(;9TZO3^4;Z3-sWdZIjuhHx!%7i`+jtLQr4@J_OipW?t!vqE*s_|Z z^g!hQ8aR8iZq{+uW2$?3QAcd}87tw?Jr%ohxZ1aXv#PWqx5C(>E9cn3NQm#K?z%Q@ z{(KvZG?5!RCtf7$PHg|%^MjT4zC{DkYjwnoMS?)*740l%vIfwDCyO1!WE=VgTM8N< zo5OjhjczPI7gYwc)P&?nn23kfC{1LMVlmk4zP-^%MvWikRr3_SBs;4TmA_$UMzHQ{_4L zB^y^>f|%9q+g5pSqO}nrE2ub6Soio$sF6deCUnl0rYX#dsdT5EWFde_-$W2jNOETl zSR#;)`(MHyBz*My$vbNOOU-`*yui;p3^dsw+*S|5UTEK`T;W{Y0nfhR(R)V-#=q68 zj@jH-0%#TNGb8%9I(I_wj`smsrjIMt1PJFLJV?JFtoCM+XQL`fP@Lfe=cg!9lyCw` z#hgRn;PHTkF49Z03CT|oL^uL`7+41qC_!O5-rT+L2MFtN!OAh)v=Vw2~Ef zG=2u`d~}Rb3a~*K7(&`I?N)t@<+%Jw1C;ctS2uhxUg*fhkeCz^b>nIAP&mcX(Im-+ zK^=08+tM0Z3vF5_Bg_r4PQzpv-|pl2EX>);qN6H~+sgULR#TXzVco}hO%=5aVM3b7 zm`(ODLc|&D@BEC|YvTXu_!Vf(XCk}vYPajxS_~BX~SjG<*&>&x)|W!X?!(R^Tiw@ z<6De(hA%=q6**qJ-{9-d4b!Qfx9B3x;ni^Ers7u+;IORu;UbZfQ_Vi-m_(O2-Ok=G zi9xSt!X?r|ZYJB_((p4s3voUiXU&udb={`j<9{DhWRB8p`c#Y|EG=*dc7);56Y(&6U4kDhlck()hG0& zQv7`9e;G^%miZyYE3urA^q>5;32gTg5|`qeh)O!2_*1tYb8x`YTabmQ{iv$@Rp$ZZ zh3KK*7hfmnSapQFmH_L%(wi@5HLKzjGuT zju7C7@)he!A6 zTG1csI0p&uHFxkbpYBhA%Nx^mBTmZgEJ~du``Sh4oE{0GMj8~Jof$`~|1XEY)J$G)hsm1@*OKJyCdnJRHaT!Y)a;l3y}nfFzMj0RYoh zIYh=6aIvypi1*cs-g?pMgVQG$P>?T(Fg1U*U;S^JRye+Qv&Zs7ROqwmKWXrFfCfZv zt1JK=MIL&;mPEwcs|-;Z6QB%(zY0lzvm|J-HL&ovng058YwLXRPL$8zcC&!K@^y+? zG((JRSIDW8_SFf=537x_##5;u#5kxXx;td^9D&!RuCZZoU19<6PK7SVw-sKVb zu=f@EDF7DZ9ghw)3kOt5Bz_xQD(@tF&_~mfej6Tw2XQ51uOnYWs9+k7v|KcKLtWA% z-*f^S>pJnP-NtD}gTDg;_#zufMgEnsfA;7l)okn0=JQ-2EDM;MAJn#`+xrwgdGGQ`GwKJz# zbZ3VE`6A3#?bmk4D}5cXucs+VDsh9U+ngojoL*T^JrgGn1uzmX=(UNFAvUFulIaz(!tWPGVSd#%vF*K?)P8)@l&yuQPa?bVnP>dsqYk(XCaKoySf7bbPIn5 zPh>wuSkPScV%?dVVQ-UXa>j?@J}LB58~5`EuAYNt4xBpt7D8>u0m`&+k)`1M&pb{a z9HBGo*dfYbIyk)M8`$fD)38wGCQ4sINDh50((hI@k0^4ii~5~}2}8Xp16~|toSKG2 ztY$@V5YJ-+j6ms^Jl3Pp$D}I<8;IJ5iaymI8L!WiRVCCX2n1!zF~$LIXMrE^TH6pQ zE2%&$y8EdQ$V`9F>5SDiywlR9j3B#~ ziqE+{DUnOe7@zNJ@|^3lU<|4xPy|f_AUPhu-cbUnEkeZ|dJQGO%1fK#vVBb_3*;Cz z4`voww}9;a#yW(6dFdA~pW8^mrH8Sk^UNpXq{2^|N7Mk$srF^F^K!ZBTKS^SdW^SM zRs0G#e%S8M>NXr}9V^?gnc>-M2VEBEyN#on@4xN${%B@P{A9Vt3O?pH#i%?FJMz!; zGuip=&f1UgXZUVm>#-h856=?_{;MP9|1Cv8q0F7s8bg`E&?LLRfsO&rq=?cMk5kZZ0w5al;r zE>kg-!{xfgOhdg6{(ud#zn2j#pYln+Jd{ME2o^I#{1~a*P{AuY&VoFVSip2Ex(Vt| zTNYue(xgj9zrSU8xsU7cu8-E_f-0eH6!#uYdq*lR3*~DwlsCTQ)J(`ekTY))r&eI} z0e^6_hu7k^wIi}sCon7Sl*Xr&GF1mI_vRAb?s{}Mwz}B@u>`RB&@~#Ka|=PfSdw@bTDFB9;-`3)Etp`r7Wcd- zk|^;)67$Ug?qpS4@brJdM0@zwo`BCs+s~N){2909jMN~EFk{0cH`5bjK#6|Yka@=-yu@e>HsCNkkd20z1I#vivJsXi{XKhy?c7>XpUnl*|!K&=X7k2}_Xi zqS|>$N-Prug#+;5slYdg!=3(SAX-}q?H%4GvA+=09=8$`oTe)q>VEyEOg9|KIV9j; zO{zvsP_-pY#Q0Zm%0n)v+1T`M_OP0W%m`f0@0ote>=atmTqo3KH1Ys#G!9x>VXSbG~3^$&Vmo*7?#xzRYT_m&%P2lV6X&c3f;07&b{gy@dGfC&cS3HiJxBeenId z4+wmoOHen*MYYv{COyfxmCKY>KXZ+ORma!;x z4*I)-bsRfBJCkm^!UDD(MK;L7Fv)L%pgaPwoTnt{2z+!pzfznFP^P0Gh-)52Q9ltM zX1}LX z_prr#a!JamETi=rzt`F*5&bzKY zZhmoH?t7XHjY!wRzXtw%vhn|u@BlZzx;XwmHJkojSZZ^tLPmqbSaiQldgu;XYvJ;Xc8j8F);oQzM}d35xTCUj2<1a?I?itw*6E9dUgI9HIE)) zXqa5cRL8LA(BWK-iBBZe%3KZH_?!PGz^$vkA7tdgt}@H!H@>dOgNj*a30+(W4@;!n zFRo*kZT&Ocdcj|3M#87=7XgWV^S^zQoCH8X{`1)X4F&!`Kjr#~65zst z6BIT68k}?vWIa$skg#Xq3f^^1B2)@K`fU)O>iD*HUM6$sci{W{;#hYYE`rhX$e5pZ z%czElBHB0N!dy-*c>os%S;PSLgyLa``$3KBDuUsGqv;FXXnw3W{t>epDIk1L*KqXn zddkLuCb*oDV=Sw}{8V-Z0zSXWe&o76*hSMBHIe+|Ezqa+C=2`=luQ1Kzp6A)f#s{Y zRZ|cXv(LC+*`CHAJBG8?#}11WNHo-ngOI!zJ<Yz2UL95PB6n#hnKL``76ZQR5UEghUo*(Wis zdgc(n-qh=Rxy))*kvhhG7LP4~hf};kGqVmsp0UkfEohpKwedXGFcK(jpJ-c7BxGp{ zfe%MJOM&0iuOLd+aV@xb)pIB-0fq>ov!g%@pc!@xIVuGD&t{#+6z=mS8R`|sr_bE? zXXA5zUq-&DB3%Dfl9yC;s3*efgc{KHWl?I5Pmns3z(l_0Z<~|nIp?MCN6wELM|Yr8 z#%7**hXYi%l@q{2bnJWb7v`SCQ;$U9?sXGCX5B&uQvRnw-HR;;vS5syOYc1fUGeYi zP1OHdcQLaDYu)n6t$rfs>-d3#I)HVAVoE-s^Z}kHfPiE1pWO`&fC7~adEc*hnKW-j z|GE3t!6(@iSiIMZWFO-7tu2lW!48|Vnj`2wK}^@eAOexty<3@PXgt~A6OPFWS(3zflTgeCf(9Viswc>fhM4XTAnD#`sizaX7N!Vk11qp4u;RO6t26`NXhh z&a;1&{-U~P&~01@AF1}^&3&2u@p$N{$ATaOq-`ahk%9X2s6wsgrSQVPq3iegEYgoy zecmm9;fdZq>+oofyBU&J?!Oc{IDWx)KIyP<jPS|S)>fqni|BIOD z&dGI~3Q3B^G^73UM8M+Lt^IXR&;bLd_6KYd({Yld;c=?Ra#!B<*pb2bd=b(0udNf= zEvIoHDZGw8Z~Agf*h)8pwAOW*?N3`m7I9kiP>>(aIWnJ7C!4=Od+U%_)dF3#|LYhF zxn&Wk&*%3#D185Y+SYuoHh1lk>XASym};Dvu}S_MLRL(F_%w)b6p3YG7<$D%=qVr` zI)KPlEud}+BTuk7A?s_oxH%cwPu*n#!$*Sa>PcDkKV(XM>0D`%g!^7Zd$py}jcrla zWV10hK+>hW#TOTx6o-1z-Bc*`R+t|!{KUH%2)4B(1F`$}GR}*F_ZttNwt<#wfWH%`a^3D{CYne{&lpC-~XKP#97E3r_mMA73#Gzx-!%x*O_)7ak5)At<_^!cHBn6>S+kzL7@cYXSwT z3)z!o5U!3e%?~8t&eWye`~4o&rr>&~s_1a+Tc$emXXxq`U}`6$nkr8cW*D?9G?`+bb3y0Z1o4LFHyou22-^d^p@|HIqdM76+!7`Dw zv>2MEOoT8@BQQb%dL7of%(0-Wu`5#CYHr0)8X7>|hSJisByv9K-F;wSuarprMl!qW zM9sZOyNLno4bNB1)G2LE6OLg{KWiWPNNLLHsvYM{g#*4{P7LzpQ;0x1z`FVS4a=VL zPlS|vmpSa=YPOQ_B9WKv@#=DULoPYO7Nq6_!Jk!+*7w5_pYyU;GXB^8+AP04o<9w3 zQ`w!)D@(3D=0$9N*%3e!u=6*usKAm2ST|)(l(A5$&+VWVtP6S7;ydOdVc@XZ<}36* zNwVIWHPO4W+R~!9UN8i80ynrp)2>dZ}@rI9RKaYO&XMSsuAMFYYyrA0c+Vp-H zWwGUT*svc!u=xaI>%aX~ZgZvt0NIHC>x}wxNlRvJ;BzxhU+Apcm3x zn`CEk*0YAJ$ZixJNy&I#?Sv)2!;@O4H8mSYMR|2gsUy48r&UPw!YS|=;en_4iqOt2 z4OB)*SMY*m@6^}x=+C+uCdySf81UW2z^H`gtjbGj3MU9SL8HC@GT?{a`PcBqjxTqM ze82r-H~mM%$e#moJ?wvW$KseLM2)`@E?ubBoq)#qA(~b#UWqGejE6kcBHAVui^6^y z9rSaDzFj0Ry9emBq5%#>VBU?jW4ydG>*fdRL$##Z6|#@9h;l+l6a27{Pv$H#3);oN zqhB%Xb@C8KVjQOy<7$OFtx`u~tryw&h9!0Y-S~oL_Dz4t$7)$YEvPJyR*479YUIu7 zvLV@_8kInMTPnmshb7wE_=jpt1lI2pli7c5p*#L|*_&%Uj3BkV`6aUT!b78%t6Sil z3o7Jh(^2F-3{5uD6OyF-1nXP9nGqfDT2Q5H)ZXLfBFe}(?#xI0oW3o8xX{g^bS!gW zY$LOte__?z0EW-`gRcEaIJIu0L%ROW)%WvOOxj=p1o63dgI~j~{{Gx`B|YZN2X#l4 z)tyLtm@cYPxO)slhUT}+7#Zy?8i0(KahG6g-x)L{7s7MTnDk@(y@WV zl{lW8XFJiPwQBG=E!GoPVSjEzkI-nxhw>fpbC0iAk?$z1mmddb2NhYdnN_xbCuw1l>&+5Q#v>bDMnXJ-!Z}XZ} z_NB2&F?b6Q(M{QMOuYB{6Rwbw)PiHMzoducqgO#*IPLYul^%r9Umpwh4|67_o}CrG z&$6}1{%*79Jm2hdrG8{V_J@SgVvWL1;7ooClg^rpZK;F*E z`(61KiUJ!kfw`{(eN$Z+lMGaAnZ_dOZ3v>cGwRoiR)Cr(>1mA+N8}n~!!9KMvd13-AP>E}2hMy4mFth`z%ch>VgL`RSQVg@5*6Lqb}g4o*(F~|4Q9Jb?HOC&ZL2_j1_4ucn+!*Rn6=1Yj} zh5B{goA8=M7laldgHa&6A-!2JC!ywUA|Yt0`ng1|=^3Tao*Hmzh*VJrC1u zYgIzBmh6?`0$km0j+L(h%1tA-#j)8#mSX#*E_ZK#373%3g77Fc#A3i+BY@bExg%24 ztwbam=b73`)O$0h6CP`6#HK@zQsU}BzJ17Gz{)WS>?cz)^+i~V^Z~xMXccyD9s;Mi z?}_clWYi=?rUG5pvp-KYeC&rSny;vDA1|X&TKsZ^7BuWPEGkrLL?DBSOz|`zg29vW zoZ?eomDb6na4)deNcJ)v3+?x#{vGj@ssg;qd=iFSJt!{3mOP{R`$VJ6(1C9I^q?~# z!0kwnB|Gr-i1@Fl&u!1mH|nFdt)1G8i$v8)gVV0x2*Glb)2;n02{!3_5VOZL*eiwZP)ak`rG9|RJzxk4`N3aXaSI@q}UBILv% z(s$4>y(H#W1glGcvxwMF07H>V{$!y0I`qMmJ;Xik{@8TfpmaaN6uz9iSx@g*chvj* z0jKJpuvQ{UeCkOuxxeb#n?q7`fG=CqE7`(ol@GOG`DeYA_HL=6Z+EvsquW~heT#SQ z5Gvh+Eg5M--!_a1lJumBmGUQz+Y!$<#}@5H?dz#27Q$_A69r2x81f7|lX5w_%xbu*-3QY>ZC?uZw?c7KRdwNC^Rk&tc$X4lS4g3(jm4Mz6BXc!dHv9-)Uq2=F>1UT zCp|J1{69#3UQFbaX-VC|b9s%Y z_3u`}W~r_22vgscckS=ywC8wb~JB(gi}$CctQq<9~unr z2}#>Ux;Udb^+0w%A*iXTGDchauT7B24Fd-XpHC}(qj3Mm+Hc9c@`y$nXIrOgBdM#HXjPHNP2$^AeWdl8=Wm%5`*a=Dd`J(GQIr#ftvLV+7>BC-sUIyfG)SHGWqlAVegi4>=m`KmJV+jxq9C@(JcaC>#Ooof|cD7!4BZ_bOlbvlQ1d>Ec zcIQ2O62te6UJquZE4hkxeBHp#1h2!z3y=r*`gqCfmSbf9?`-vF$iE?&pa1(czz_oB z%jixi{#U2WwO&Xv7Z91JFCUr?(}*&7^PcHalnT1*zJFpPNpX4@oOrex7_fP)(aXPf(>yDeXAP-91T3>ZDbkYzhURU4}bC`;rB-+ge7R0 zvpYito(sd~PjIhZ1$P5)aocT9D`DC13M&;=rf}`nd zOo5d1K(0kqnA1ce=wS3Bbx?{*)?Q(?e#b4mfpwc<`cJ{&D^Ysvxs=lA)p48Wx(vn+ zAC%lf*V=m`N-1ZNz4EDVLPl+ae;GdZyKyoJ8zw`z5bdW{DinprBtyCFM0cq8{f5Vy zKRY#iwx{*EIy2mV2OA*E;M_~xUgYUZ5a{Nc&t>WTD{0SyyWl)uBQu6g%y|+&^W+4+ z0B+!onb;rEUy)d}8G%KjXOMQt>946(KBu%9okl^#p4XZefrh`!U&ko0QuwwMg#Wdp zU@vQ#Zp9-TUUTLCC79&7K$;0W7^q`EH?Ml8mQ0y6T zY10IpPQ{Wusrx9vr1c~&c8RWC1@1TPya)vQXc@uPfGs)1*`ulLA-!?)a&CzB=94xF`5D;wbo;ALy<`IM6 z;_t$N=TdA?@)pl755UfbA?i&)7dkNNxAf^@T@ejG*gz6u(4ds9yMtZh*1?eh!hbs||t+1?WPs7TGc zHO_?#7_2msL0=)o69XW-nsHFYQhW-1TL}N9oE9|H%%w}Pr`1ShuRkt{pXUtDQw7AF zfy}j~2h!GxcG8(d2n``^tt;#t0Gp{&g^|3#NGd%eJ7q3J|S-? zVOpE<4)9O%dmA>aB|Bj}!}lB~#@4$mI7o(GfmRcimSDXnDcEQWH!%MB=20~{x6^os z^4Zk2T*Qay4)!_Ft(`F;QPHr%}A*;uGZ2mK=c`v-W zK5g;0_Ns|vF;k0tOiLbZl}23M>;NdEO2NsUzpePE^H_Lt_<;=^J_^|>PKCu913uj! z^9G@P5z9*KfCO>|Y?-A?Jv4AuODV)Jo-oR4ePK^cm(7R7Y0{+5kF&@&^4DDNpUMcd zf{9GutyT+joEbzQD`TQqLdGMt}EC#hdNDT zp&cm})HaP-;FbP>c;jQi%>4!zoqL0Z8WLafGoA4r;QO{<<0?2~ zh>Y-pJbrfg&8HwaE34lFL`QfDhgTdU^qr8SDKLtb?5O>W?dgE)ON4;7Jt{{0*o}fSK{A#YJE^pi)smvx~8aTwap-phA zDbN@|24(ibKD&wED_`f*&qFh+ibuc4b`xCf@k1j*+&A&Wvl6XX=VbbKY;>fse$bco zV1>32@v=8cq!Z`a5@W4QI7x_V9`qRwMs@eboNpIXN+R|? zD0)6`+|7ARreR$^tbs6~_6?zH`S!m5J0uhp+uPd3NT;` zVujZ)o=yzYuvgBnf%aC1H%2oGS8x$q;}TS>GdJnY+**a0#h@rd)7iv$L;xQQyLZ=s)3L67xNw{YYZR`=knEi%=njy zh>o1^azV}lfrT$0GZ5-p)#TSnQf!o;g@ z$fb`f4ITcTRqF0k=To<k1tnmK^rU+_7QNc z???*KHxBDh7W_UxRwaZ#Oi$>Z(y#I-g!xC=)@*1JjS5rHHW6ap8<|z9VJ?oXJ7LHdRD4Cz{_PF*54+P%|r(a05kQm zR8|od+(fFViQJ)1+&k^S6+#)*tM}WlB~H{N-pNI?6YWx;D~4*5MOu)q3U(F8mX{p! zr1t49J>(pYO}_%IehTh>zxKC#D=L&gf}`Ld2k&yg@!tNwE`Vi;6QW^iX6<3HY$e+0 zC8AvtULavPG33~*3a0N%FjvymsElAK@`2+XQOSxpkLBDJl=%g?vqaVllNG|z!pntJ zg?RNZ}=AR%_AO`K@TN>m$5=z_-S#BdWkn!}Lc;+Q4qyOU4iQrG_0pY~>&&~hzTvia-)JA0RFhzu+v;n*DH_3z) zA~DOgu~HyhPX}-0aEwCrZM5DolFp)q+c*W_h z=zUwUPQC+hgOu_V0Qk3%NNX$ysPi94aI#jkr904#F<0tJ&|gb0!8%<&&37koUZt7| z=%)Lyu8*GkiM^m7t{3Q3$m`2EXT^B0jOpa~upx)N9+w0%g$#uc zG&9!aV24>tm2ZtN?3@- zanvUe@<^h`edi4BtjP5-HzR;dq3ix>`&#%xX#t4%*P&ogOY%f^56pk2Ti}Y6Dv@;b@0QGXrPca{{!I>SZ#UYlq!kZ;-tb#-+t#ClI zsu+8j@RI1pC}jj4R>DuUEjNf+w6}$!N~VQkkT`BWv-xXcIIe)gG~E^;=T<2Pia0Cg zo~d+$?VfYkqg-4^FCoL1!#D<(L+dCu{_Z}`4FXCSvp(Slib@_yN05zn)=?f8xk9qJ zZ$ig9egjC4w!W7vo{f=DI=*ARL1E;s);89`O(q4LVl4e=)%I2@0cJ$_`1yWayf(|}yZ-MMyr)+M^_SocLQcUr=9j** zPg1(dRIBv&Xs#{KDXCTY2BNrEhRsKDhXLg>^ie%MWuTB5ipEOhqH;EpL3BchJ|(|t zht^bl+-2G_b~J4Izj>57N{tL9|G1QV&W*G{Dhptsg(V5+=BeT@bH|yFBVloGb)R zr{J6X%&;xeD=)aE_4a+TzbpM36ITne#Fb7JlKfLL`I;DR$|M{1#T&cZS49^(7~|KI z$;aLj)emdcc}D#OGU;d*+jLIrNDWD%3nNs`on|Xp{jldMvbsO|sl5gnL8$0rdN_>} z7Ww192<8?MMC-@oH=OTV5`ftT^18eRbzc-dO zdviI1pd^bd$}Q1*XbR1JVbr54HZp z|1SV(3J>Om>uIja#YiCrW93pDtmfi-7R4Sz=XUAE1M@2e{s1CR8CYUP5|iA6eq8K= zcOkb6b!-m)SbOd<)t<_oiE4G52ex#Z{gwm7Ile+1uL3o?ZYr7{qk-=dxrL)#*>e#t z;>dkicy!EORN=RQ^NWznuKoa(r@yuaZ`4Gvv(E%u^M^L5U|cI%v|3sxn$o?D!=|p8 zavuX&?EG~iBlooCi9OOdOXa6uPh8S7U)Nd#{ef}KRKSS(Skm=CUEeRgjW~>|wU}D~ zy5DOOf5dVvnF3MZwXy2=%m%|HlsH8!5V^}VnW`LgxV#_A2(V;HySDoTAk`6tWd!y5 z=j;QY(Da_{x#YL?2}(wRWVU+r zp~rSJKMnVr5o^)X_6`k(JXPFsabkw0K}_zgZUF5Lt9zaF*uW7;ngXjL8S1ZK!lvZo9V*p1%khWLyBv~mP}3g(UjVvON`(%d8k=R7V6By zd>9B}*sul9=;F(R0^A&zXWrNj@B$|%fd%Lc*m~EfbZrWas^c{m9IC_a<>DDU!h@T4 zy8;PA_eii}lIbBV*vOa7d*v6Fi{MT3kSJ@$3k!Jtnx`r?%oY~JRy}pw&*TqX;|drZ zrEY_5Z1zDfL35#nxJdZk6%;6|juBzNT6u7Q8rrd=c2O*nrVj)H&tFm8QXJIUme6|b z_5d>e?IMK|r{KuY-7KSA$lY(kiwgFok&w5r@Q39-oTApZu0g{ldZVh2#+>hc(#ly8 zle64oOk85{i&tbE{fD?m%T=h`NzFukAZc&Kttkj|*YeVX zN8@(&Ws?jWSTnVaPT>C!Tkja22^b`cez9%awr$(S#I|kQwv7oU$pjPoi|u4$JGpc2 zKD&3%?)}^E|LT6bs;gGC(G4s7;K9m5nnO^LnrctF?nwD|hqFCS!`?5bs(8dqWGbd{ z@XhX2OlaRp{v7OVyQ0_!VCV!r4WtzpH2ai=iZrIom~B=YTUobQFX;r$@tngY z7^@dKbVRFTH_;Mafp)oD(W7wPS7#GvXH^_OL%xPO|Xncub>H{pdH`v4KApOd7mm)O1S6Br-HB4u~GLh##GiKZMhLo+4 zv^CcfN#G&(X|}QEM;E_9H^!MPAqpMiOlSbG>L%Oi%`N>mLLiB=m3h>;=TO&C}0=uT#3wJc(eGlwQ55XWh{ z=f3titJ3t3ublc*6C3Xj>>g1BY&hJnyW~Ywye(3HR}hHAA7KS;Y60Fe5g0Q?K;CE3y*mZ7rb6w z{_8+@Q)zZS6?@A-H_3>K9pDmmU2lbbeXuc#_)TYR#!=zVGTdDcD{32w2N#D;Ln-e9 z$p500bzn{%N&Z*04?N6?2F5EYC}+>+GTNpBW)<9Voc3c{1GJlW)@uNk&JofIgcu)u zLIzd26Xp7<;^?O8dZ4r)4T%0A8l`}AGf7v(^d7K&v5~3sc<`R{d~`6Cd*j}U*JrzA zNK2{RD7HE*#pEXC@SEp1UlFBfNs*&dRc;-W3!eS{Z0;5ji|?aHtJyf`H*G6Nr!r)b zi8+U4)ThV~VR2tgk#R6uG#(tK<;XRA0Gb<26)Q;_iW4PlPW5TA7pq=E0Q)Y}I?R%| z-mfETSjQJlp)^41BSTQnkyYwurO8OAF#-_OXFq@siinpf;EvlCiWM1@Kf@f%%W}Wn z%D?8vz~d?mwsr>ydVLwZa><}d)V>I4jK^-UeAgorSj~t%GyCY@bH(O2a{hn&z!s-o z@5xN$By@J0HQZC-Zh#^Z*ycv!mtx1)ilABZ=T*nifu!9+#>&OZ3?iOPL(9oV@G7Km zNzB7YS1H&2xNM*~5T)OLk~xS(9h-(k12LnlIj8{_2_T?^E-rFM4RDT52p8#>RkS&T z0-{dnn)t~*5cw1$I5IR_U-ox;Qw6SnxsFR+Zn;_0*B|UJByKy}ZogpK3Df1>fO-Ex zX5KC#uJgLm0znQ1g#QRh#bn7D9`3)_LgnCfuh}JFf>+#HJci#j_|rC#WE!*E#mPW@ z6@ot`!Bg^#R?LbrIY#KDzp6$*;{-Gl16< z)vewK|03-Kd^rJO2H7oLCB9?tD!Ep{nqQdw=T3B2miPn#X^mH-{ikO|j-*8qn05_@ z91}|-Q&mZxXu)HDPILD|D{9$3}m<9ErZYZ7~dqff_o|X+({dx|!(iC3AIqE&oon5jrOQT_!#_oY9Xznc z{mQNJQ*J>Rzxjuy467j${r{GJO#vqUT}eZTiImK$PR;xDuInL+?|5*n#>UO^uxt1u zX(b*|`Mdt3YVAENj}xJL0q%s6F~|B?kKr;uH)H+riHtnEOM$ zGR#SX9%HG;DXM#`yvI0f@=A~v2oy?|+tQEO0`$1&BtB#2QS*EAG!VAN1*Eq5ChaK2 zq!LZnMzWf`@p_bwi~D=Lq`HcSx&o5+Uo>cXBH;aHgU8`HTz57y+EA>3v_q#%XacJ< zLxV{gZRWSO5#ez}?3+seDLVWQYr^0_RnXGFjL+1rPrLvAGVpB=16@@Wsnrjy&I;ZO zO6AwSCy|7il;}*1v$s@4T)#^m8Ke~CVD1@IAgCxfa5&t2><%bWA7^Wd@GJ^?gcDis z2E2CetAGD!)oTD}7F@sh_=km{J0Jc2Q#C!plj7)%>e4a=k1SgcpkYoaQvIN-m;jlg z#wN(59+ZJcf#=;j|B5xzJG*}5>kpCLqN6s1?aw!h-qge*f;n&wA}JM~IOHJO&mMqP zH;4tGtddaDZ~~&qwMkVNunRC;@Z*b?lC3d1ZOB2JxFMSm2|3v6vR=NjBEu4GQBO-z zHl-jLr422kx`uB#cL6Z-fYZ8Q+P`vmi-2h;O_sKy;B-EMwWZLoMRtJrRe)Tt6IOJ? zHM`P-YOfy-BAQ4oFP|QX1 z8J~$Kw|7+=F7TknZXwxqaQ8C$3%O<&7}`O0()I_fYe?ZLIs*D;oi4-&OjfgYXzWAB zG$sL{e+7C94{8X70Ag8}ZcMANoA-kLIl_XqOgbxR)l-YgtaxiO@|YmWo2Y-G-`<>Y&f0=4 zw-0^d8u^n7aPf#(=`iVs_?D-4YbN=40El8vL4HW<1>zJHPmnqIW7(yOPF$o!C5f;e zq=Qi({U9>F2(@AJj`ax^L`?+7Jk*L7wv6Kkn?O{8%8M$YXGjo>`-Ms`gWT$<%c6^U z3wy6A{5@6s>Z(!5lk*fFT7gx$+y{8U%T9OA{t(|IMY3L>_Jpmdtw+*;5BgEzZ-vPJ zQrQ#Fsu>WiwZCau83&Kba$IH=)`s_688U?D9C*?P31=fUa{!*p)yL->-^XYF2}m)Fo&+?{oa5Jlyh0 z13JAQjKHMMvN1@Rfr$TG%5Dv>a!pFnnhj~amh?C6TaQ+gm{~OjoAM~2z}M--7D|q1 zO>umSQLsIP!d5yY&J#*vogyqibIzM4@eT9D*V5TkKsrLVz8#;^ z_(@&w=eIeX{sZGii&u_B>3*mpdWQ4zt_tKN;&Qwf??DdCOVIZ01msY61S32MFsS@gKh7<`S$35~y|kzoLT;4%WAa=$_`kkHMq zEO{m(^ujMlG3HswbUiTzT+_s@G?!il(^Pv1 zisiWwGRcwq`}dmfJz%ot@5MWhXG1r~tbu@fBKy|E0I?Vt12l9L>;y5S3OphUqI3y~%?D~c z?l@hJQivoOA~#)#I3>uCF`F2d!lJ9EyN0L63cuEtH}{U?}DqFA2*XvA%-t%(T z$wlk)x^E$4pzWn)yvA-H&V0+8YUUArC&vXLrboU2Fa%YbxJlSJcmOmQ0u&A$^94zJ z;Oh%k_W!Fu(<5u|3R!?~ht(9@9gtc12qDk}4`R$l2EYqT6@-`7MU?R)6$P1Qbx3&; z7Ak?45s60z${Si{wwcr9+$zWOKuhAvW*Q-F?mkY%-f0CWZReAh(zj3cS4q6RJ(nT% z8~p8f2YAHqjIRJ;DD^RAXXFy9v3}nT8xo^xTx@%BQr`k83(hWc>4E`1<1Lr&s|5TRsOEIec!?gf22)(8(jG zCy~+>dNTr0p1MW1XAt6y{ZivM7_!a*M7)%bZ2s$6S<4tv&qCtB+cX|c`I<`ZFto_! zbni-vbntFz&9ERFNm{l0qV(M8tLb8`ex-PBae5JZ7#jzaVYbs|C1(nd!PVY{z$7f@ zSQfdg&-yE{9PD2NJ0SKP*5#$)YNtQ(LX{cXvr31Fv4b|;9%El&bb%m0DVv)vwO_Pg zSCvN&w(C|i9J}Qd=0_Iz%a3~28S5Pv%6Vx$Cltdhv^c2TJf zt~wV~JMed9Tu42n!@F-WKtGKM5jjqvsN| zsz#AG-^?m4!u6YZ@7ZL-J(PywyDjO2W#E+Igw2)X8gG94mBwQ!rw?^jAhJE>mJ?tDqwGf~u1MlPy*G zjns})e@@Bj{Gh$Qh=9~Vha1w&E|;xV06gA4H7r#Q$fh#|bSYB25@2>dO{$=l9ST)x z2de4h6^ffNHF6*YEi4O)B9F0HJ9JP1sF>g6?SYwuK&nxn@c>$3t$yHIdO9qXUGpf- zP>v18D=H+1<92$B`lEC+wOud~d`k|EL$|Y6r`9O;&sSv0-yJrit$7mr^&TayFE?#R zFROCN1xxF1w@%K^>p8m(0oo-}?Nm7$HopuP3McGLmVwTsem}@I~&weq_{sz#UjBnGu?`IYITY<|Ee&pS4K;**AoJ7 zPYqRjh`|kH?LAD+E&SnGkf&6KBd$67f?_|9E5RH!a-aZIlc)WGpW1P!0F=Zr((-bc z05^5Jel*6`TWmHwQlvdw*2wVz?Jx;@j9Npq0<_f$*}b_d*#sLX22bwxRbd`!B18o6 z6HS!RB;|em5nZpRHd~H7Afef8gz!DXZ{sc=%g9LQBz*M6Pv|_R%g)0o#atb~JXOcg z^#d(UKUDU6af!BI%*U6bVtpzWO8gY?EU!pX7!Edn40YZWw;1w3lFl>P-I`B*T-7R7 ze4mkZ`~M4n%P{{F{+_h~$Pic|wQ0%SH|CJKBi-@+|j?}rM-;YNnBc8JY62SgIECzOI> zCfhJFuM76%JDg9cRQ`#?^_xlZn=)NZY>6{YPYxQ(ipH**htM-PDzBPCZ-Niqb;}4)hnax)Zc?2Nr{vB^ho`qRf7SYK%^;St{Rmx zP2?OG-47Yj$l9@CJjko#>=cjgU@N*~U)sH&RmWSvoWWykz_#;QGU!yLWQ~W6Hry{@ zAeiw3QPshH)~-*ElBeIBX)f}<_%xRFB>rMQ3Nm5&`SBuc0@$l{q=Jl^2rb9`mT2F> z))A|KxZX<*v^cx_1F0^*$|f>p=)rV|;jL=;lsCA5XYvqyerFWc;)J>0U+jLIJP5Xp z?8Qw!y9BHvONc8qmJxYN?@Y28V|WeT(pB&dp3Eo4gJ)kWFQf|dH{9NbtS1!qrA2z4 z`$dVa$bYwi*~0v|P7%BC1I$0(1F5;`2Ul0gy(Z#Z(Jf^>XoJOlMMnxsY5+GCfMcNi zjVZGLUAS}06#Ox9Rd?9on#V&I+0LznmNw({MH+8Ij`_1NAq)<_b_buy z`We)1{#F?I;t%|oy;Tzo(kU4ifh??%L`4*eS$(UxJ$PKzsloo_>}mpqBz&(vRj<$( z>6fs%(3s&rAltj=+60;V=95R8o42w{RVz~MtZQ|Ta_4PNOIS9~2$i;IhEYJCHX8ny$Wa&>#3MOvX3ZjW5vS0W1YP{LRk6 z#fZ+Ctcc;#3l^-Gzn#_X^&~{uatcT%gcOaOT+-GOP$a$uaZN4dpNlH~X6_z}6n?SS z;MT9sezw6Fhd0abW>xX;XbbtZSX(QJ<4y3Nb3yKo{(uA)s)lXi!$5nk3A$e5?{G(k z_DmdOATlSctzyOSH!}AJzkxn%WYnb79`-E=f6-L57{xe$aZ9ar4JjqY>iNJa8crUj zr0AQY3LL{X0a-Ym+3>}JPmdy4!D9%At|PUX)PE@Epq?|2`aZU&b7o|Bs*ke$@fm#; zd$8x=gE>~=x=*A+<3U)6^KD-*s99WvoZ+n0V2QoX4BWWE%-C?|UL672$2d^KbOo~3 zn=x#jKTs^l7KZ^e*#m^ne z!2Qk`ak=B&NrNt7ONOF_(Feq#!~KixUu``t4} zD`Vb|f@vH@N9Z1=567tZMH>&2+i&uxc zskP^^A6{c!nemQIQ*5(sPFU)rXjCz?02R2QT>8xO5rnI&`69>v5VP`ordGvT(y!BS zjY^Tq@T_es(OWaRRAXsQ@YRe~IKr`Y1apkWukpqUkS`xi3dJgYVX2H zm*Ru`wLnZfGw-X7)*(70z1p)ge%|G8U?PSx6U=ylf8;U~13QDH%Ra7Xp0)Fs9Ly08 z>Nw7kl?JHDfVMce`thI&o_9gMXWuh4$E-~(F~V6a7_m=BoqbobRzvOtK@o8L>Vp!{BVO83ktrq>EG8V@TMKi zb34)@mTeJ!dBzg=%PfY`V(xX}Rj?ewE*)lB`$^>pH08O|^-?Ett89^_bP4>L>h9#O z+}1MrGuvLlPkt{P-JNEVN`DO%{p2~Gfi~l-wdiYoD)zISr!Wqm=7&TYhMyb_g^Lfu z(A6dUJX}tsyY{%o4bV8nHD1z-@P1Vhkj;PS-J?s`1qCX!3Hp_lnsF@g_*DO7a~(HI z@8!vyWF3H6x3^5vPJc8A2B?;Y6ReAanvEy)`oZF0ZHnGG<7>!)fF4XKdL*^ zCijSZOrVD#DgOJ<7@GdZmwuqIQ3U4yg~$K;Gk@@5dhJK+{Q4Wmvb*Sm^CK@b>vm@Cn2_6bunmLs#BkcZLpZ>!L9! z4;E=38CVhXgzg|#b3$%?8@&LL_g0%&OcIEeoHN(BY?SgQ?D^3;nmaQ`Aj0gW0S0uqL2SOVD%><0G>r~hb z!PWkD#peS254t+PE}>RRzT2364Y945Bx2ztxDln?dLE0tO>g543Ye=RM(Q-7FZ_W( z{e!NJ^viC*D%_WEMe5i(auT9WoQW53NsH$Gj6wWsr^4q{)yzdcz(@vWk*<2H_Vipb z-MczB;3DiP`6rt%LJEaAE>$M28q#j;4CrS;xoyuEFL~xQ30LJ{qkiF9 zM7loZ?Et&ZmTTtvJ&si!2}Zuo9rYc!2u?ZKCqtoqBn9`UPAr(#%i z*9$`Sq?V(nTQ=I7KbFC}T*^XyOYDJdvf6?sMdgRNHem6`#lJ+$y*phnHx`)WV|!VB zxBAwe*li}E@%bHwwi(iUoO4l*5N7=>qYs@ zgr{7}EH;8Mf?Hod`DFblimei#3oNr9wSs&QorLr#&cuZk>Sz>LAWnyqJL#e;w^T+m z!+|>%e&c50cd=m}(IS`+jMXo#ZM0dMr^h3k@kULTD$RB<8G%u4AN)9;*2zW)g*0RMIhzYM6in|l zItr!(f81~D4y3sw=9gH)c;u=d9R%@#J~Gto{2EJE6^ETeUJtLRFadNG zXWz>)J+O&r5QI~NRua?NA&107S~*Sn26_E0S^$}7m%VHx)>BNF5hBe9Zg@@R@Z4k! z&V?bGamHWX@R+_V5L2WOvigMa%p=Hc)N&1b4mK{JvN!iD!j^6h!XTgQ(h#7avuA7o zaimH>R6T9=<1ki&-M&~TT^Ic)B%&WF5{zpD z9gh#mUW=}YP`!ie5q&B6UH%PWsA6X#BL|YEa!eAftKqoYq96nD0i)6<}F6uP>4%KYqXq|0_8@lH_HX<=qj8d8yCGUl9O216{AQF(MJbxGK^MZx@K=-xqJqjb!}o@z+0($&;r zvdtec2!|)p)x!ETF>$~@qRoqb)DH23t@KY)(r9|b0t(|~fvj(I0^=`Xz3gq2^C8o= zZ8YuYcHo{8@rWqVAHV6H@%F7v|M*690;ObsZt>6w6xw}WJfw}?;%7gx-EL6HGA%ArB6hPlnCOGHzuXo!0_VtUfU zp=!tx8A4={5228Q7Uu>W7?O*ztxAw1iaa_>T(ln!X)k>P2^6#DQPBR4QWYm{XiAzx zC!AG39T3j?BfV_48}2eLZQfHotGce+C%BYoQ5=ElmWF0z0_*wy(yj4awZF+oZuYDx zF1*vG=z5X$6q651(oasQ`5>+ItP?~A&x&N;oWUzL_!E)~$%lEfBkWe1(~g}u$u(X0 zxnv&#;#=C5r22(MF%vim{Ur)GVv&gNfS60C)9UU7jI#+`_rZhD+7hnBr=WavKU?W{h4)`qGsmvIj*tqJm+m)M(T4Ha?Yn3r0^1t~IV>T80pKdk+PrPIIV}2gq z1?rTyVus*%PS~4FE@|bv8Fd0za0(nYCU+|Y#25Lu`K2Y~OmfZphhBCFYd#&XV|2fH zv&(`Xr{)LYPvDz0xh-;aFLVYX(9?IuS8r>1Dkth-mYkY+8po9LTf88|E@=t~*gFed zn;fmduCEVVmK~CL@ap$?^@i%ma(NrFM5yE8=kHz@y7Cv+&c(t{qbDqFqzwe|aB&o| zp4=U2J$L$eqP82g>0WUDJKORh2zOJdr2Kzqm;VCK0nqORh!z2;$5^CM^*2^>aCT2n zQHXQkSv^U`cbccx`PW+2(+7mOH?$~}2{LKXXIThV zB{3vGIA))YR()KUA?Z&Eg9g|y9AARV9wXjDGo*S6qr&?Lp5im>br($LXJqhWd1-iH zExdEwbZMg>WsR0vPZCs#5*+5OuF5=GC9YJ!+^+^?;v0oQ2kGWHrA0Ovy-cfHE`4Ls5T;*vzvtcoWL_v4hQUcU`J)r51odZYz^JJw6H#KE+O>gUU?Zf zKci3acdXP>#qWH&F3d4`@s3FID2d*CqwvFGo!{gxF3cJFnToEA#As?^QzoW5>>^iK zeFwfC;dGvUw`kojj$erpiwF;vjjFLb^>5pH>E_TacwG)`)qI7zlr3o`|EWDIRG0S1FIn_gK&DYG!F# zf2jFJ4NS&1ExS#4;uIE2KLV{rZ{_=i$Y4Jvg&o+>Rdg4)7ooDfbP9A9@uJlN2?}8} zHD@v~S0X@Cb^f+J@yK9S5b~rrcPMAR*X}SLzk5rJ1a(hSq1`I##q7)iHj>jp-msor z6v?P`HgA&8=t+kZe1%}+xR`Zo2LG&9@lWcDi}!CTZZNgx@OWrJ+~xQvI19*Cg?9*A zBV+S5YmkJQqrflOZ_~KnZj1T0v^A5+uIzwEfXVsAr>QgaVz2 z*r(KS;3s(O_Qg=OQ&vb1yG3+D87G(h`j_ey`Rz?(j3oRgBfCQh%fR7O+TW7+nDX4P zyR=;1vMNaN+ytS}!JZ@eCIUE_UezC{GL70qE9*kMQhQuemX;Es1uI+YEl0MzR|eM$ zEjN)IvMxLHD5u%Vg{soU7`jqRdU6*V;0YhD**!aQtU(g6-3h=3Tem@yF@L#Ox--u2i^3eV7Lv={G+}8=UF|WbH5VpZY={ z(}#OnXF!5i!l=KH(OO|EWugqQe*8jMD)U)BgI9XNK_I*T(T7n1_w+ga&?cDkp=4vC z!f?zlYyM&xBPujK$~&^j)kWYr*Vh3f>N~xr*P6G8y}oL(KH@a(1RogRs`nz!wUyq^ zk6tH2ILN>9f@tZ{oa`O+xmI=f(TJ;+hW%tWrCB)H@bC zmt$0#ib-wnrM=iMAfI&+#nH5bi=Ut0;4hDprSmhDV0=~jN ze@dPfWV-gCgZ-=ABNg6>2pKX0N2&XlKYC7I{-QDx6ClMLveiytyoZlI)`;4t& zQl62{6Et}CxeCNPVG3O9+j3IOE)sG8ns14kLqI?OG^a~ zSm8e1DlClQb7PLmEvPme5_DzfAn-bXRAapyv-j*zFGTjclz(}=(J=4H`Z2wy>G|Zl z%}>{Kg?Fepu17p%s~kCg7S#0L5{6gEXiuPv`a`dw)`pod+=hCr&VWin&PAa^T_5&n zv>evr$PnCRiV{U1o-ho0<3von>DsFN))$&+&ijNwr1oU$-Yp4F{-6d?uLU{Jo^?u8 zQWIKahGXu8KEvi}QNVL@O2K%~DJGyK0{-Unw&WQ1pWu8vi*29gs)7bSG&|$W`wFRz z0DrH!n5rkwtF*V>3AmpHtn>8CYD~uFY(V;Pxe^}og>D3WX2P9h)*&5*?RRVthk~P$ z%w)X%?g?ScB?+*ID4O<&>v*qYLvqR?8d*~*RJS4*1?TU9)QuvQsuWUu+SBJc;Ma?{ zQ_wBP-DUNt(}9xq&!}F!u(e^j7IXzOMnIaiF1z4=WL+?Ncqe32Sd+}_973= zmvTBxHgxBtv(j59a(MH@)!>fedH%DiQBZ8@f-^c}G_BS~(+!slt=NdZ?Iz32$u4fn z8T0~a&m4MhELKX#D9(rngRJpipS)w3>ixk@Jr^Uj45dQYcB-c_lsC-!G1CY7H+p|6 zHq6%930V92S?fL+IqT7U!Z(kEyV@(2e=Q{8NH5d?uGnb(#<_Ki52FN`Rx41)KVJQ> ztEB6tD_7Uz4G6_%_-QlHossRo&YQ9kB0a%45fQ~0?0RdRPur|_sIz}n^oLFHRVtNa z`!Y+Vw#UIGR?*M#iWE{-;;OIcDx1S^Y;?0$6MF2ylXe1IxEnLE$H;PRv-IGhNAMLj zVas(cv~}QAPBx?Vqd>dRmXvg%u#SjY+r^q$T1=xo$Ekxq*R60jB6R`1$_f)aQk8kRBc1^h#bE!}eRR;ckewqz7usYAEhtZ_UouLgP zD&*X<*mFU|`Wfi+6NC-OgPk|L*tW4)9xkWsd!Dp>r?h(phw_$P`2Yl6u$3Q)812M( zi+nyrbnuad3VbMo40`_s#Qk50X$$hcLHR#_@!wex9)a~*J=d~lbMb23yE)Z&)m35m zl_R?K9@p4b(-EmPkGnEUUm1=l3`o{+Vgw9fY#lHYU}rcz09sH4kf|>54rlg8lwVI3 zwnr4pvT}g8Q}37RN^7JPeme~12Z>#Hly;^q^6!q;GFxGf!q4gtqz{mr9diwyx3F8E& z!y()MYb38V4ies(0V4h^u=WM%emcYXbc5Cfik~rmw9vtFf$4l!Gir<4KF3Qr;GJd+ zlcB`^!ORErX{qe@m4`&;Qq@78;t0}(3(9jbu-fJb^%vx0rqs`hP+w2ZYF>{LN=!>& zua~N;Z=v#4HVEl^Gyu|qqcZ{dNTE=2ZY-k1qO>29v;dJ^&?s_na*4Z7RADjE=Dk=Z zzW%LRH{lHUmLcbUJ5^P%^Hn7I85&16H(lZuPl$GOg~n+JP|bx;R9aX^hfy0EHz_k4 ztg#QxGwD;0v+~{kgr5KIjg-d3Zz-Fa%4Q{2*FacZ86b`~2a}N|%WH%Fd~%%^?w4Hj zUs&mrP@J=+8*-az>~@nf}*-JX>-5RY5XZul;*quf2PY z`)(3px86vM4Yp|nbi^4&76B>_IF@gBYXj6qe7^!#dk5nL{QjMr(FAF3kj%kT+m(Dm zK3n3j(tScApT*!w746QajDvN;C_Ll*8N8IwrF-dx`nfq|88P9rG3HLWxERN;$e}Wf z&<58~O(5@o*Hts+xw&BNKN^&9<4-Y$oX12Q7*Z8rI+=Gjj&njkjxTI)fs(>XobQ-@;?eUi2hxLysp^9gRj_bz?4RY+&DY85Wx@NaQzPGTK$zmn38!KCN?@zYDM*Ek z8&V?a1&W-Jr1@u-EO$xovF5terT{9_{6`S!MM_mQO;@?C|LyB9b&Jda_5k_bf0x@d z^#a}=$A|Nm(JzlNw-+t5-t5nC;*V0<=kv_GPtydt!1<~KqWs1`6^LbC9nFo#sWnOl zMefxrDP(W*(=7R;E=pBQZ5q`disX*RtLbQ_j0#npZ1uoaZV`oy)4L?r+0ySBeL7|b zl|KSP6AM&0&vtzxEWOG)DUOT#JF9?q9ri$c+DiaukdVA#Fn)&;rwUSH7P78xKz92K zCYp`qmp1IqkPR+9?Y8g%HlLoUrm7U`&N_OBY4>~jhBM*(`<-N0hX{hzC6`a?g(_gu zbyatysmI&yrbl>38UY^fgcp`Bm+4?V)?&^jrP+u`gcI8G52bmCYMy1Z4_Tht^a*v+ zPDVOIVH^)UpOqBs8j(lPY6UGJ%T)kBLVCruM_}lOJegkKRnNNn=FFcYo>^6QwXGEE zTrw8+!iL^8O2VU)-UL5j$&Mf6{p?_}0`67zh$FqIYt_8byXOFTT|(SYj-t`Imapyx zg}q%V#VBpQB$0guHXint+9}@EEdJ(w)El9f%8(usv&8>W3@K^vp6>kkj+P5i`@eYd z??63cEA_-)S9P$&%J%a`G#|ASlMwBmUPXq78D%P`2A+?>_N5~!V`ilQd}C+`@)V;Z z1@U1~lQ~zeYC^fRzk`%RD#DoSzzV#*{CGq`mBy_tCK)43`DgZ4K?1Nx%J>+>p5}E4O*b$Zc$|LwsFMvaL7CCcg z?Q(PZ@aj5QG9^@wJ~^}is%Vy-nuIwVUF~g>K&ej1)i8S`DXX+Qn@A9$xm(CrEm(Y8#=Dun8Z$y4%Flb#C8a8GiF{`%~yAAms-P3NpczYXt#vQB1rHWX6 zv596MeQ9?Oo?0{cExi=i;Mj22NjnM;YAd}vo3FZQgL*k0^q3*QB7(iX$_KU7&bIY2 z7=Vj>%s|TElN?=1Z*<50>ik3Y71yT1OS6n)C2it43|{ z#07Q5itbVVC~=iG_SY%Xc__g0=cUW96rSegaR0&b+OO}1?sPEnXIZ{W$ISB z@2$eHay}uO8MvVN;Bpktj&!)j{YxDZwEJ8AH1Z~sQvs&(nx|I3F44zm*+$r!b3VXV znSfqp&v8m(2xfybL>sp%971&uAb(0rbyE*Yr*J$x=B`08M)h*W?URqW)6Cgz-dZjoN7zvTxrUz4ro7XzEkQp=E*nVp8nkA+q$p zQ}^I>B80F7FsWzcxy>+hT9J236mKk(%m@}tceL5vr^|u=N}l~F@P`SNHQ7UR`hnLvi}Gc>ea+ z(N$mZ)b>~9()%GL!d5E>;Qim}(SK)<1_FPBK2=KnueGQ*+(lQr)YJOs5z4Qx?ytMr z_N;FLG>4UzJD#we!U&(igTh2_p-4}GS1t_bs~tr3Kn(U%Vw35hTz+%PFLbvDw*me# z2yf^{3}%lhR`1iX_jV*#_ytv{dJ@uw!mzrpA*!VM;yxshvFBciFC{^>Vu^%)(2ib< zQDcKhcxfCMHf}Isj{yOMk=|S}VTZt@*M(yxFo}PTRwss|{%IWoGjQG6!NZcm{FGz( z+2I2&LPB6xGu7Y>6o8+g&f-KVl`1AoP{(Mx2ofz}LztIBd_z1RT@b=h8h4~+yyKoK zj0v~4R)m~IMt&bFa3?vg>Tws5=DN zBTnm;j!|G|g+bLMX4dw)jJU-OB)pc!<_I%1m1=ts5d@$jah7HOd1+&gA8i`e%B~ zgTFy;08c%dVa-aZqh!Mgzcq^iH;UL$%;RdtIs5N4-vd1d$fPR@((fQxqh7^OBmIgO zDZ#o`C|a_Vx7AUNmX$)ohMUBzgCc}pg{p}v9CY>_uy2|lfMo9|CUJtGy?_K9`OeLO z&|dl9)*wMnkD^|?BsMKI)R0dIHye|vBfOU`Zt=20<~6-rYL|XSzw*vIm5J193d+rt zH&Z$ZNe6dI8yYm6?iu}{re4vXNijmfa+>6lpVNWZ!YX+5b0|3jNVr1}=Az7&s5L)k4n54%gu*$x!)EmfO&ng3T89P<#u7CRD*=fz?Dzp0 zz6nl_9js}9MM^#NA3V)0VifSH+oC<$+sCD>dZ_q~5kkhVH+raSL)#q80OIn?*4nxJ zMkQ*`k>|tuo~d9hJ(Z(E*F>Rrio&bCM;E%bF(HHge@0SeaI~f7i69mYtecKOImh5nGI`()d`#@-;N-KS}~G*gB$OO*pss^27-qGZv|G8q>I*!;68ehEj~ zQV$Fn#KG=3*?4Z5cW%p}Hd4XI;W7mnO9(;VRk+dt0x|k28O__I?T3z4ngaLpgc`-P z`mj^g(r`OsU2tj;&)D$k^d^qKCdeK>wH+QD(?I#KQ3)}+Lc$Ohq1pr2b)gOmoqIR_ z#OeJ^X06N+09_k8GS6NO5x=_Ry=%O|r~3me9KwWvB!X#1-Fr0$bK=-Ygy*<9bp3o< z8{GF)W=cF|=0jI@KR`LBQJ4YC$dyN6820l_G^%Mez$*JhK6ZI6X3K!dYFD*as1#9* zh)mq;WI66t`atVK)U~eTC~%cMjEHLP3ICWH%-p?GT5ZTies(=^+QeP%3wn$ivXSU% zM6ll*yuFvXZ$jUZqvCxZ`nnktZ|-zd^PV00t^@Pr-{Tz(<@>*&^PeW^I|qXFyL~dG z_J6QSQuH@dk_e|*6 z3-W?t5l<2(JoMIH?-+9%bdA{xx-}fDK!F7Cjt*EYS_8{RG6%Fxe#gwQ*Zp>FTXV4b zN85FoC6$6dVzabx&!ZFFB|7KH8Wx}ITznrZv8^PMvSUT#f}d5xg&Yxy{iL=3fcf;t zvm|aTX6}zvf@CDoK-ZJ^jTetcEr%7RSE}muO{Co3tkV%b1jf2u4=nzz`TZX9igzc& zknPnf%l2FaWq&>X$~ID|%BBbTTv+m8>%$X&JGO@Bbm| z9lJAumL|~Hwr$(CZQHhO+nCsz*vU+iC$??d&Yk<=u6xdVR{e(EySuBaYSdphDrL&_ z&xu-Gerd!axtM!@xLB{F(%k?m&i5WieD8?>{>zWuqOO2f`uk1HMf66YX3k_I@@cas zJFpa7@@q<^wNar;kiCanqdXAQ+Tc`dqp?(T_@u^B(AjFCZ)EWal>ryws5c)jt<-|{ zc0$`1Ma%9&&W=k-wJxDVtjd2^UU9YKUsg~c-R>~QMYcl%zZZeCfntFOdj0d z2R0&G-lF^W4AksVw{d@N@JOAGIJ+g-PiFq>eEALUZvjlL61PMee(K)Da zm7}TrI(zQ!%%(#m zvv3onFxJV%@JjJjW39XVrvBwx7_Pr?>AiSSm+~ILmDrZGFk}jIgy|BHlMiz|WPQS0 zvURZP=cizO?g9;3%M&wpuZ7lceFnG^fIno*G8(g+sC>6W`R+@2ewxE9@0Et$8>y+y z=6W&l;b1s^HJBzmayt-hM2*-VzZ$iY3{m_*G zS1Et`(+uHU4Yl|}Ay(&CfZ9^B20hOiOsk(&E6N1|Ynb5@m2_?H zjE(VI!ywy4q}~=4#uG z)mPE(z47LSI;%H8WiHqX2P2L(If*xRO7=WeYhr&Ez@3~!$|b;bpA-8J+53OUbQ&fm^5 z@sZ_XXg2`;hd_OOikV=mD1CB@)p_-{mAm>@+y!Na8Bj8XXKIpd5a<`$eoz3mf{Zn&=R%|f4tG%*rYw)XmQ|N22u4_EBq(b(3F z^7)Xi?6&OwEdLr+z)KMX#~a7y4t`}%g~IgrY={->itH0Feen!px+x1*%G9Yeis_iF zusrhrW-Lt%RM?K^oajH7gLHzbb02>ASVL|kumY``6y>S|qQf6zUUdk&L=NCjpGfG| zTYsiLop)Etg@o>9(+c3c0%8D-CEgO^AEklz@8yxr?L<+UY!xEmQVstu1=hW@nLZLK z;6T~Co~;Ki&ze&KN=YsRX+RsG=aI|DYnyi}_4mW$%y}I*(FOmbL~cflWWM)sw~1Q3 z1gd|2#EVkm^D>>f15;(g4AYI_O`ss}<^t!CR(!RStMR4}j$ThB;=f-Pg8)~Z>){Ua zFzLAKiR0BHVPC=u^K_$p?1VUQ1)rlc3nkQ#&J@L`Ksh%-y>8vbh5SnoZxqpQiu6sT zfIy=qVjL-Q29rR1*^Kv>FMTwp;{4^|ol{>b`^y!i`{`Zxl83kfpzuSX?jKqFCFn1; zp!*)~D1=>XxP~b_v_KUl=H{r)Q7HM6`Mhw;1dbZ8N2S@`vb@Vaa_O$z0}mxX|9KZ`v>A5;?I zBU?*Om3)89il6ksiXLM5v5&zSAnG`9h4IY|v0;aSP~S7QzOUJ3(#Nd!-M)~gw!*Ow zs6s?1S;uT3DbCs}AX_ zZ+zbI=Nbg`rB>%y5FuTK78lQo68YQOiC;C<_jZ3vsJ~9uRwOtyz$U>DaTKkoyM~Q( z)E#}05k4t&|_iK*Mw zi?7f*qGgZko4r!PQjmb4a7+?X!c)WTxtma9r*{U7=VSWUVB&vjfp+_+Kt7)^|1WP8 zm(=$H zum?=)$YcP1ObHHJ*sK;yngvJ(%ro5Wo^p1G(izP!LrFFv(Lm9RFRk(x1k4hi@fvh! zS%`2&NTnA8YWfI|pe!E=|5x%BXabm1xe2ILIj_k}V~7X)B07j!7F3tD3aWb0k9Fn0 z(C`7_6}E|xnDW;Na<}~n!YxQtcLa0d@@L#3RJ%$lHH2P519OXcb`bVdszIE9eX^wIB(N#^dsYAI0~dH99ye1t zO&sh0T~KstUWq$?_=MloGARTyU%gj2OnqHiv2}o?PPHpZv>+~%2lCjBC zYub~WJ5|hd%(GKid*R?!&%um#Vd3N>F7T9Fs*GII|G=q$P+6ZVpza*L3zGYMU=>>V zkHlFo&8$wHg^5jj&r*}h%s+wgff8lP) zY@6Di$xMwix7AZ0Fq<$`7Kxx%=oe89@+|MKk{O)bQhJ>my*w;yH*j|RIgBIPWr@cB_Uu%6E=oPMl$0AH zDT766ARtk^uT^5>BsGH7i2gKz{x+(+=>Ej=WRri*Kw|8EklXS-Xn3|54PH&tD^c$B zq<7cQ;{Fa?MhVcGSLfrc?pT+|0UM=S_BFPEYx^xJQ2k2_A6UgBW2*CD!`-H ziEC_=h>!t+1nR{O>t`R#MbkbVY|(?|z%o(Dk7iUSJ)gm!a5)MCH$7IQVof{EDj&_7 zDr)|OTUkBw6D}1wM!%kX?M=@>`p{eMeZ->>t!A}mz`u^1z0BMrGBe*mpi7woPmRM7 zk-_8ZE)86#c7dk_6B2FqF|w18<0-rtw-Zf`yeo{e>gLGlDi~e{97c~ z8$ryVFL5jN=qN?Mc}zHd;F-#`jtxLIbkKxyf|h4!O3F5XGp^Uhkvo~m%_R3Un!=mw zO7}Z+=dLSTB=Lda_84c%yT~=Wenp{eQYhU-~58 zMnyp$`@(Czu41n~I_6AQ89fm&~1{mr%xuKuy{)S3%;hPu$19 zNQU6ESl!OUSUKjmEsZv@^^B+-d7#Jqf4v((-hV0Aonu!0u$^9zCgDTrBJ67w%s?a2 zn$d{O%LO{gZ1*T&reB@2!c9=59%FRRAmx1uuq7{|q-#W8?UQWi5_RZ1#BwCF>Pe z00Xg1z7>%6O4pYHdqojCGM8HDL4J)qOnk9E^fjrbWuVA(M(xJLAaT7fepcj<>IDAi z1ilQD=d;?zOP-^cwC|>s^Bn;oNDu{Y1yoDw_Vo(q3u@QVI=+|peL|A`IU4Wo+c+b6 z-wAx?;9vVmbh8r7IW*MRJ2XY_-USgCghewyHOVxrz-!2Osh=B2^yrB4kraRs-4kuxXf&qAG#hWNxYC6gdMWL#EbNtmi&;lMOi?yq&8%=&V z*%;VUqdw8{u5A*}t@T}~gGz;bDVxq&QH4K#Gw`k##mm8G5&z<#zkV&t0~?#2EgA5q z*c2YBuILmS#EU$YApaS)K#nq4M`0kmsAtx}%L9nh`qiZdg{;Yn7FYoKghds853bY< zTAu8(i{Wx2I?1dlgivrpRo}Q9holhQg>JKcU~G`i)t}_1XSQ^Mm$dzsjlSmcvS|pW zf60G}{rWb^L2HlUxn&bHfT=Lf{h-&8Oa>K?uuuHcsVuUTr>-Hd+#gysq2DpSn6ozA zS%pjaTp=2Y@n^N+PhDo*FVP7XcXQ@qE3Ruu(-eg>cde(t2~DOHNh#CIrkQwIZIV=B zs)#v?Z_RPldd^I)U7|T$*B%P{6ebA!v>Rmj&lh{onH6T4ov}m4oXvH^#CoYLw~@fAHIVS?l%wa@1>dDg zafLX1_cT^#agyf_e0Ri5s@pb+*ly`HpKsm_YqQoXq4;E{KVUiS=o|{v{gM^13LN(r z6lX}`d7*3h1in-o^r=-6$eo-`^J%oFS&Rl9K(RmQ*zE@6McQ|(i*crNS;zsG+wh~O zaUg>jA&6JUUV4}TJn*43AIp~*$YNYMh#oz!dC;kIF1UR|4+J`w-u3hsi(%*7rq^O7 zyd`osYr3^rg}rH$EJ*=5J9gDjL`-u?Pnv$!nqTR$Oj;zGkKTD5MX&X6^37j8Jzr5> zza2I6IC=i7j4-s2g#S%~JHW0QM*WW#Xhv%w_}lzL=3l^?NJU^d}=z>JL*f ztDh&`BmXbJ{Lcr(o9}f}+pmKeYX~d6(xw7);^bTB@XmkItN|K`c$}k8QKUZ%3G$-E zFaDU>sTJIqf4COpafu|vzx857{d2sFD6cVtWP}()b)VBSTrz>75|PiS>=m$}Sx97Y z>CF~@RhjqFxd@U4pcN6b12tjY7<*7-Mg6qPkYXwt<$iK2Y>RP;qAC97{uTc0tb72( zv6pwSw!{<+H`T}RM(YDbTrqtI-(rpW4R*bxRd=61(A?mV-cPVW08v$BU1+dWwzrm5 zYznY8e{`<)2@Wgpo4qNFh;*4_9nJBo zo=~*1gYxC%pwV8b9BZm{DFT)+D(ZjSB|gev5L(}dPN$?~V{X+jeS^jrRqw!C}+rQz(jg%{UmFtO`Y<=gf1vQ&h=vj zx-D(w#lsCnRl{5$2PnxL zu5mZ=2v*Q+E4%&?=0+^i1kxt*h~;ov4g4ASaFfZO2GbS(3}XzUrlNnYtoWwGQq1YF z)F0I8_;;ymBvlEGwD|`RIZ=A>srzA{wbgwhR=SrB8}6FAwJ6y-mfzRw=U3@c*wSHT z+a6!7=9!96gz~N4v=3+6NtoHWcohMF<%_Tc&5P<)zAK8cf%0nL;`WcjR!Zl}TH-HB ziMcA^*2Y*X=&|+-O!n%Vj1|&{=8$I(>zS*Wn(K!3CkBroHdDoU5v$RivJ+Urm48mg zX)&lvGfgHrCt7B3{X|CV6cEEHFF8_*L!?Dd%A<~T!@;|$az$~ZM3c{vT%qbi+K@UL z>hjI=Vau4Xqi0T~lL{p)2rMsnA_V{$sQ7>ajcN-A=8ZE>+X#Fm=ayGjHP!X>f#k&o zDb{Y?C>ckGJGMU7a;bwbo!O6nO3|dDhuvoLQZ5Y*MAs{@^X!M~-{;gPorO(soxDj* z_i{OabsJL)qr$e4tRCxx>>cBTgG=3kLbmXd%HSvCUxXDPtsSi00Tfc;-(xu9)u zUEvm`!P{OwEy+pSqpz(l;)i~$=9?`dA!;@67_B42ip|5#R#U6mB8seBii19Rmx-o7n=)B8I{rGM~@F^cT&YjGv-*rAX zta7uU6_~~y5>wV5Qs5%_OleFPDllRjpY}yq;_*Ewrn!3$&~UL3Qq0516H!l#pm8D7 zplr_ZBcLLe9^fDW2(S<=?AAqMp+MHBwHqaapq_Oh>C=5$J4_cD43V@G9#UC@cHW_i zKxHY7IMf66`w`5ALwd2|h6q0wM#rGaE&Ww$%0S-0>HNQU@uk&%RltNmyr?)G?N<^~ z0%C@ZXIwA&gA`KrUN>5lTflxbMfzDhtiQECY)_I;-8zp^2QRM*7nttx-{_<*EKfi1 zcKx~}m!wn=lhA0w6#&=0_Y?}HhQv!({swbU2{A)tqW^|Y^x69Q!{PweuxiDY$?91N zL8uo71W#I6w|HQ5(PUh9oNvfs3xPVyOm~~TR_A6*%) zK2GSNF?MYSk3S=8`M1-3`4F2R6L#C{_6NhFKB0E?jKI6PerJ~P;VV94PflUOGPmWo z4ytI-H}(7DvhWdxUd?C;1Rpba!*ZdW>P>>SyWUn@XxN+RmNX61_Gt%c64Q8=u7af> z*1Erv&z1D8Re9tTd1wj;`ER`i5Yl$BBI)uZSmWcmSGERLFK3m}F6hMWQj|(%LHF$7g0)3-{&MW)Y-4 zzGK#k;03IGdb1XEAsfbr+^lBfJDJHINb^d6voW9uL?D5QwX|`%olBWKaJuG8gmS_s zaqH%@4BsHFLVYN557^fSiu4W&2A5NwLiHJrcc-(Lj%Z_F)^W%2<^JBIqbUEbs1bgi zkDIT)XZv?B*?5E%7C`V*fxm)Now-SCh`ynArubd#sr$3=ZCchG6!L|lWyB*2&u0Zk z!_wH;n@%C0KL40Be;UuP#c_fqy|l&oa$C3kvy;lkxTYeQj0&G@gqfeE1~=y)9{QN} zGo}OP!RxT5`Ajy|&v2jf?z7oElT;yhTLe=bqR!g*y$Kx-zm_vAq|M^%*gkBYo1lKk zT2B0L@j5({TnXI})L!RZ_TKzBt3pX`&Ncxi&zkR6PVZo8dPIh;hvtg;+&2V5LTDxS#|l(#+3EtPYxAZ1!A zKRVILa6RXvn48n9-^nH@{4I%~%LU8^ElIB22&KEdH4|2+P!mS;8;^+wTh zomDtU8@GV&hJIMe6D~WT?UsCmdV`w8{L9l4w%mqI`wVejRseRv9)A4&?ppoW=A{Lj zTXXLknw%{g`(8Wst}FXPo{LfxuRk_B;(fRO*p(Fkr4(TG3*-c-`{<8>_m=y;M!w7k0VOx3 zTN(PF=6$WxNxI@?Qz^zY^sd;_UP|~0!G8ViCC$;F4_>@{w!Ula#Wvxw60jh7Dx zRRG{kwQdvpIv3rC>aG{doEJ$=BF7*I_YiMuzjoh;e?eg(rswA!{{>y)t z*{*iuTExc&mH5e4Xi$PfTC-;N{I&@K6u_V4<+MG?Z%{*J1x&g?F|gSYaP7e3c&>r> z4A&o+K;O_b98(y-0y`7jM#zGm=V;E%&n2WR)}=&jR8`ykW~T*~B_=I$74RaOarjGPKjk13{yFO-Mbawu8^H*rKa^0yZ=^{ylLt8Ua^ z5gkg}9?{7Ya|Cs%b z6Kt{+g9h*h+r{P8(DOCt{_%}(xz-KQ7`Uy{2}y@}mW(Hi<7u-y1^M)w1vB&qR?Zsb z_kx*?0R^7XDJPIyYldHIDGc2wNrM3~XN!`+pUk{i7LdTHM38wLFk6#Z2!ul!a7Cf- zUSWDnf+xJ*gaXt(EY%AKFzUF< z66kk#t(D=q>6D26{0y2|_(3*5*-RX&6>3*2?)U4hp%QEc6xR#-GBH{(UNe!QK zB+{n{0$;XM1>k0!CQAk6>OnmG^PV%hWSPvTy0R;p*<2ngerkCr!uDke#2p!p4Qf8{ z^T2ORmPEW7`NIb*CsC2T2XHKc!=$icP9&FaXQ5=aHK}#Mlsk_R_FqiYYs%LyI%taj zdZuE$wE9-g)m+-_z9Uh5())=Je0F>G^p5FA`fmKDknn7sAn}+}L zadJS^{2x=GeiPsiU+VvZfuAWOk^%y7guZ~u%!9t5$t=p3feaKxG9uEFV*zHooD+tf5Px{$y`h zA2y);&OY*-5Ieu)g=XnR*OyoeI_{CvErXM`2X?V<+$l26pyC4fkNlGKK;U^nV8Wz) zHBZ7EMp3~at{^_=*D)v>ydhdRBwc*Mx%R~~dL(K;=@Tzrpwz8Q{SbSPgPC_YZzu~* z232CU(!5r?{(wutz8ZZqY5<=>*_JVEr%&m7;8Jo1pN3h-?8?0$o+Wo7O5>SL4yqM4 zI}u;5$q~yt;4bARFitS_%XfdJ)ohXHjs;K_6yxyO_D&PHfgkx8*RBY7h^VS6} zQ5)74r|6n(A%ICUeu8Ra9{JZT<*`#Wu5 zm^GqxC*?#9=R%yKyc!*mF$grywxdeX_xO7DaEN0H?y-gkj*Yc0E^-U@S+macAg(L4 z3RZ#(`r=%8Unk{YNbfk`_4r8`XAIgIcOz!GV}aHfGbClxG66?s*D_h_YyteER|61u zNZNI`Uy@&Vy1qkLZ0jDSpyOR5@et^;a{SVxm_97qa`q_Oy6=Nl$kaP}c5*rxKvLA- zA#!HB!b^>xs~S7ck^0MA(#0XDmM@QZvItk(c3nX!#%*nEJZs9t7CB0fP;v0mBFeaY z^-~I*%!h;wCjKEOr1TjpXMqRu2TPQ5XPBy|iW*bApq|RZK(DL~<2c{y%6(zHr>i#m zERDyN`!FC2)oz8bK-m~L?3iHvNF~(Vuu#d}6d|}eUK@Rjn3z81~ zq5;5Sv)gsH*W$7&E=&2FE=!-`-T}Puvz!LdHK8`h_T=2S`Y9mrd9sgky6r~Lt!ksc zI&$Wz=bXFzv-ePKM_8$D^w`j}^dV$E8S>~(ywaj;TKcBIOtP8Ce)rb`L?n-M!We%y zj)uHR73xHrkNIfa->0QfyoM6<{4&EjKb2d38yi+lJ3O)W4$WIJzxWfBOTO~Rzq`Lu z`uKeAY@?OGQzCr1HOJmpM^v}m$!@pNEK_7tyqZ%KFR@9_UgW3iGXJ(WGVai`mmN@~ zJjLZArC9`FHVh#-RyL@t_OfMKV)a{2e)8Y$bNHW*MXREK=fE3nusn}VG2D-+$xJ0V zet`?qPu^X$T{W{1OSK36pd?!jxBW(r_%C}s!Jj4Bfkh@fszg%@UlTl3p$seIy6pZh z?7_95`@{$6Id#hw4j5eQ@?AXKmI&3dVmh+^v-@1MWbQ5yro{ay)1zLk@vTvgcv60~ zLgG1w8BICY;#g(a^(Ab)t!{_U42&6d317 z9mbbS7A-6e2Q*ZXWgV2*3`ZsXsAoxY98+rS`q9>$UJo|x3GQ7>=4?CC6$)Hc^7w}g zpbwE9COQ?!8Pb$Dm%}IglK4?DA!Wt#L5wj8LJD%v^gIcquzEKT=Lq46PU2vxaPvBW~#~bs$zW* zl4U&xHuQKaDxe$_`EDI;iFIeqxj5hQadhdYmQb&Spg7Z}ZD9!HY>?e?d4|!ex$hBh zf%QQ_a?NRde|_Y>I+Q^B%{&|P0sGGG?!2GJzAU9S@$q<`p+VV`O9|fm4MstnrL{-nD zA==mNO8&w?dHFk?X%`Hu!NbZ>A3YVVy7uBXbROYxuD;;Vh5XHXEyQx5F8YX~61!v1 z94y=wH&_>LFC&z24L`{Rr0wI?i(iE7>$tGKO#+&ks();JXk?+Y^85Px~ z=~1jw@W|t{SQzq1+tWF&JF zTt>M=a*_#7wZdHIwE*<7A*&S2H(1(Czp*r`x<>+BcwboSyHMzxV!Bz3Xiv$VTE zYUyP9c`KQ?XOg@F@cK28ZGO4{Iq4reL*hZoXexkmGAg}~d@!x>dgZh zh~HaaDy#?;_8b2>8?YMX!vBozWJo;o!4)O@jhqtKA6NVx##!O zTl>hXERPDaLKH@YR#`~xEr}aPoI(Z`edsq1r><`xID#VptZ!t=Jrhd{EH&jO`5y9; zYqO2%X&?`Ib~9w69976OJGD^IiIzB-)a(y@W;Y6@KEE!A)JVgmEDz9^P|3HuYYF1N zTWB`0QOSJ4YWY^>RbNJVP<~YC=?p3|j?-RE#M z0tg$gq`su-gPE6#2ZVvW>$(F7%fu%y#)JZw5xt-Es}Xx4fve!zi~Cuc!%DkX&bA2) ztI7-M)mDD%cv1vvt9_5jrV0Gi9J2jFKW_{xB3&SZ8y?cJvPFdB`RO(}Rw+Eh**@#_ zZFeXhQc3;yy){`FMfA5(`Ah&d74QW(*GE#>y0IsPk%-4P?3(wFqO}0hplvuIVpAGw zB(>ZKorMg8rRk0!svE>6hgI%SmGrG*_%4b~=G;>b1JO=Mv-D9k z5+l1PW&-lu*6CEp2d1Qt`F_xM?RIL9cJ&8&8Vi|;s!M^=m$I3J{=M5i_$#f8D1Qw; z(jK4x5;+6fP3rqY=_Dd1ZU9xL{s%nAfPv`ME-{eN0hn^>*YzOzU;QTYOb+nte?tes z^)5*Ps7n2otG_aDV37AL1jXG_QN%V+*3gq*JS!c_l@rSLoqT zp77aO1r--2%?`2U+r9}>a`}kiS&=3eZLyH3M)+exPpjn5#o;~b=lwop|$T`W| zg+Ca&CLxulp%@hga-%3TQvh+~DIp<%eL1avaC_%FKXCQ|@C-Dv%NtWwCjwe2W96_A zf=(mySlr5uX0&;XXv{V8=n(T+BXzPnn{Hlt^K}+29w| zJ~!mS1z)J{O}Qg}pz^0!t*qro$$AthlxJcl4&_;NZfX`DjGH>xl;S=XX2wGofti{+ z>U6%LoYpp}PsDV@ApeOUO61*!-p2oI?82Zv5s7CzOq+@ybdm2J<}MvK)C2l-$Nun< zYZT$TLcuMkux0B)|AhOG2|(vIiw>IF=e#`v%lOr+PGO38G3?z=^{c;yDpq%K$RqJh z-amqceffcx9VK;4f!(7(Cmj1U;uA*|@)6zG-;k_bTcU4%NLLYB$dZkPJF`@eu&S)G zB&{0?i#7A?vphFGZphC4?5;lGHM{0BHIHZ%Q4;^ zjacH%Se~gNaCL&ctJ`kOTez-c^zG!T(4i<7A{+j2A=`hYke{BQU1fN<(EDe-L4fW1 zM!S5G@uE5u_eNTMnALLwCrRmNQzA2tS+I*y*+g``)ms{MBkEeqp~Y={#eu#%(u=K= zg^CG?kwd8JCzt^orB%8KcLqHfN;kC%+m^2??!TN|P>DEC2ZbF-JA=iBObu!{o@S-A-t{zfVcD3`mm3w2+P3 z%9*|JNqr~lx5{IwaxOf+Ro}?i;_3?syyQUuWY@R2V){M|rMA1IgazR(fdr>}a2bxN znnwLn4OmdtJ!I63y|>I<^~3J49;}LAGPagNr)Y&-G`SI4D`8wyc1^0?>B_bM_9F~F zO+4OL$oTJV!uW+<(w?8hbvpqk>O9t-y)+H!2H|hsz4MkgMO}va)hmH!LZ+-Q$a8|! zf*X{ErBo?o7@dTBT$w2Oh;Ojm-KkUo-7`?~t_oya2IhVvrW@{e(hyy( z#pfWqxUr%^B9pE?Lr)n>XaS3ZCwlOyyJi!EJcHfc5&z!fDo!^)i){4lHC=U-+QMZ$ z**qJ!2k0))XxSm6MVcQtH%5Ixs&-?j=W%b`O&{Zf{X`&Kf`|P;!&#rf&Icdz2hz9( zfgY*iSQE zH#Nf1d$h~S7Jr6>SKlo)urX!pvVD`b$||j5qVmiTON}vMTr)NLjWnj%--Ct8%NW{; zYh~uxbo$j#Z;%&mqa%A54mB=%&s(jtzFo?HDc6WMrvW#kmpnH7H$$joCr^|jaAA-u zCyI*@e8Jrg+}cD}q?Wl1WnS$Pe=mkO19)aMTYS}Pko+$Gz$*7|eZ;a`O&c6>tm$(Y zsl8c*)i-EUGuvvMc5Yvr;7N|=Pr*wE;y09|y;h8Co)IVC3Y|rvmw(1A8HHBtF`y-S z6M%p}gmi$kPp~sZQUfeK+lyDf!j%ASTZ!!o*x{Yt7doE2{hbF*@UVX{Wg~^&{{MLa zu&{g|ZE-Pol^R}Cq`w0#W%=Jr$%9IVpIG-nMuNCrgZ4h8=NSh7&1$C^i*odm{DrFxKz%;l)e3d(UQ-COeo9R; z&#^4lTuXJBZXM1^vA1SyZnP&lokEYztr&?Bg*B+u_{fx$@prsW$)9tvg9@%3>(J6* z6qbF+;BO<=!o5xONOpGl8!)!BAqa0hOfX!dSR*%2zG-$#nT-yF{rdf^no#00BVt#i zDS{U*C^oPZ)8NaVWS5b9ZkK7C-3NhULTqF=s@HFnVK>I{JVq9YSjDNo3}?8Hz$t>x z$YzJiEzscXt+@dUCwy^71X0W=%3W~v8Td;jGr4D@e@HuSptGu!&o>lx1m!n2cbpjA zbs~My$dVX>D`EbzD(XQ^hPugkcTZwp%;$9;RTVy!$G=O8u*R&3Qs=a`pwhI}!>zTp z&M`*6Ddf#^)irg>vic{0)q*b{=XwplHV6EU>%SA6BGh-7@lqdyn#X8L%`o%1!2O-BRVY-OXxbg+37MIkj*5mwJ-waUr zNSe?n`(N0%rwlxJ^S`c^2J}Cx+3UOaAbeGXC7kYROde!5O0*=7{fz*`blsIL^$h--E=Xf?2F4%qf{7mYt~RS=QdFM#%jYt8I22}rM#v+W4Lv6NxuZtE;Okx{}aVvbef1d8)!O$Pbntp=7V9{IbJ zqY*X;5GyT;-&wl+^Ej#VQdDJ)J)<&xN3vAMt6_oRPf&_cWaxxp8F|HOAIyvEyNSwV zPbOH)$A3TxUE&P6YcqH!Dlh6?{E=GC0;%DN2RixsSEgAmlm39Y4JnXrevWOi5TP)hlo;kv>d;UoYEfKK)AK$!C{}^LqXk@7W z!0QdE(cC+A@e{4sMP{LcX0+AU{=2ss@Kw;G15p@9*${Y`Mcc?MmasNRTUezXdO?Z3 zfU7k9+Y!(Xz&Ktiugh8PZ|scP=RWR|mwoQ|xA%A;4*V;7F1la6`1U*NQC$d+%)qJJ z)1OZw$-N!=FSj75@7hmK{jzh$hOnn>#eBWgpa^1{0xmZLB&YHU=%*v-Oxjo&Gly-wJ%k~Y6A}H(NjeHx}u}z_k@}n|bZAgCr z$#2dh5{r#?Cqc9lkE(iL{Ut`WJ3q&kM$pz3M!a=eDTXD!#BcN}Yf|)6M4I!PkdYnv zeV6``W|U#+|Bi0lnE>QGxtr3nk1!*^Mg2g27*k~pE!}kl(-%b34G_ND(jB;$B4_yU zI5%NiF#n8ta1NPOM9(Ma7oaXJ0h7Ocq(?VoTJb-wgy^eE&lYPXDo}H-0i8?<3g1-9 zovC$Mpnf_8Db8tJE5|(q`h|0YkZq?xWS$z1#;B3xBXS?(#GEKo$xIlX2~uwD6csbbHMMIcbzJjUxd64=Ymc5%}8BLmnJvr*er9%{fZ zUXWVCZ7E(Y9L%VBj>ZMvoDfX|Z)C1$HJWY;1{FJt^|XlVg{Zw!`*thgl5y6*yn6Pl z_;CuitLEx94p;PR9N`Q~%AcrP>3Nh2{Q;P*Xb5-agu+T^q=3_HM1qo;t#8YCU&Of) zdz!5#<-{G|ws!~XIc2$F?8Ux|NfP5&96|k-L@72X}FHVCUfsJFZi%xVu z+TB5=S36w3akuWw*bydnL`tdVr9p4jOg>C){8o@om?<1`XX^m?x#QUpWEUK?V8j{~ zI8^F(5i=J<^!=5lM&BE^0?2bY)?N+6VCQ!`=E|0#y?AFk?Cy0b#FKVf9Zsq(A$`32 z!eKu_Id$DYv9iRgnyKkZh7ZU0+sCh)tniHb-ufOin zJ0DNwiTow7kjtm2H$M3sn@)N4z9wS1j^1+V2+L#&#pfeaqg!%afS9XOs0eH^Q%qd0 zh=Wg)H%P^7EE&;y2{tz~iDDtEFba zIcLcFrRKvTsuI%0xj6ruX&BXIw7C^}nAEaiO9EQtY>yv|{1COPXd{b9e&?;Fy3VbpwhaZ!$A#q6`6jblH)G9w_VB+D zzZ@W4d(>-y+y9OywclwRj5v{GQ?XY~4UTM?r(1Ru=m^RePbT=64sN=|F})_XCPL+c zo#@#`G|^cHoCp2Sa=0{Sk6Cm0Lfza?BY&$|(Q}97?V=+y9>xc;;hL5BS@DPup{cMR z)wc&$5;YNf#oVEl;yi%Z{{`8f*lgh&^?gzrBjTyZQpkVwbm ztJxrY62KTEqdHO8l3|z~iz4azVZ2~6X#40U&2tQ-}sfm`J(5KAk$|zW!wk zV}7)VMk{ObCF(&`cDgNU#7aIgns3l5HqvuI$mpf1-W;mz232v?dFa^V-GUX{;6PvJ`nMkR?|3lV0byvc5UAqIvAayIhc0)T?-poh zvjx|apg2xYsIHviRYGg*&y0~rXF9M+Qgmh!?Qh2d%Nk1)`BPxS9C4ARV%q0~@Gt;s zX|_woRTPMHZ9SXoc0?STl+RV6m8b)l^Hrder`A7FzSSa0a1?a84lA4OD{~WvN)V*7 z`89^8W9cwk>AhyidZ26cD0Sl%z6HzB2NP)F3W6+5pIOrrQX0jC!=iiQ8f=Q7 zcri8%cW*8QY8x9aub$0BGE?C1c;DMOgi5uD3xGjQs9CfU5O#jcXGdnBs(*FN`Axi* zS4pU(*I_U=>YN!}do+Kk$^`h%I2VUB!_d3xS>kc+CnQjx$+mHwK%neAGq~q6wcvMe zvTuL3^!fZOwc5w7=@s$PUnzpp$gO0Tee{UUbzjzKdU-IIE1^-)I4$YSfrrB=2R|rm z_tj0**}hDV;j}&)hFRE|5hBWpj1_yp)#8Gqg#efjl}JIQushQ|wFOqcq~^HE2jQf$ zG7a!5(+Lha*;?oOW-C{VDqNoxAet~UEn!C84noq1Jic;4oSqU&`q36)FFaXQb{vdU zHFH${k-b#EHo&?H!sQC+j)=XW`P^{XwoyNgJhy==6KZu@Yc}ALNXa=bPsYcunlkNC za&0X08kR^gXw%)9ASlHZSg0iQee=Y3I@I>ruTlYGak1FHZ;`IQ-22M0&Ls3+LZrCK z3l%j+K^eCx`(sfAb|!lzn7e)E`qx9AtdSna1;Ir3Ey@PA;-rqwi<++)&94fv3gF!M zYto@BHcJzcpsf&Zx4~K!JOmNAF1IE;`H$d^rQ>?oFS+-^dloRIgb%o*oHiQ?zg+2! zc=dig;0|z4gZ#_&^2+(4#k$S%CNi6J$lf`3Jl3AowTS#`iM+%X&$^k-a-oPNVLdLg zM>{Z`jE%}zbcPL=o1=@POaNsZ0^io6D%~;&;v84^Mw*x&6jWI8`tnf0j%KklVB#;4 zdKg?+97v5l!>!=>do=MolDY^(KkvvGlRdJZ-%bAZ6E^20)X1}ZO8qiDLk=A;GI|Ur zTKH}wUN;h~wc$5)UpnTk$Kt(Wv*j0FEXbqZP18ZU?nrGk$z#U2Wh(7FT@qSF)ZQv- zukbnQdl+zvb{wVuXGJP^MQXA^hbK-uWxcDDd zsS7CFIoR9n?!)FrXwp$ldTcjGwH5(g%Nq$mI>O{xJ%o>HQvSm6ibYt4%yz_XQ(eD_ zn17?A@gDi(0(1jUMxzC=zKCOhd?_^p&}g!QGj|>vpDtgsHtkP0SVw=L{(z(2zCpLf z&obN@Loib96~g(S0_ukh^2S5<-}!q7#d5V>G~tR%RC#6vDAyfXbsFj$fPQVGxD`M( z9KJl$1uI_^VCiELV@PO05MminL~mQbw<>HBDhs{Ay3k$(7`WKpz{JXi9+^V%S9D@b zUI4z;r~+|i)cn36VtJkf>`W)dDs;DIK6nm9*sXu}yi;K1=b^!PF)j7lwU2WM48zC^ z*XL{XTSy9;Jl+U+P}s-52gUC}69n`Ho_xE+$(1OpG{9&pBD{_z+8{`(J63OxP7m?e z0q7-^M8+5(Ua!_*hHZdPtojRFz0oKm&M`upjr|Tz;u1jM8WQQ-hC&0wmk!h3s96Xr z>I4g96luwdgBCFzSb28}Pd|`gKzs(Wv=WaZQb5K4@tADVA-Eo+-TVxuXFt3y{XKqmAlR1UEI*9_qE72l(CtnI(xRR@3!X?NF@`znKF9WAp>Edje%am2arYSlUX`T4Aa0^~Z z8zfM{qWVV%p_P3X?%utX97S(!=(rCVWN4FE-j?ms*oz1TM#h~#FZhequlL>iruPRr z?yH-;QyvY1gAVuY72;dh^liUKqdx}>3JZ@ccX@BouTMORtzEaxXYbKX!8IHP_qYfK zB0k62)vp5EFiKMHo?0K0MWpS@S^D=Dn!nqu^0LZ@u^LW?&=hM(eEgG=!?E<$ zJ-e=HyQS?2#-7P?{K#u9wv2<`PP#A$MaGi1MG4XwwxS#S&WZf2p2@L2ub3V0(+uZo z7Wk!w+jY`$*^JfKUuW=_&usF=5GRvJW@>%YtSlwtwz!-xlXTNGIxPPTspS%=W^Ke9 zN+23C$PFWONiTZJk;NQNaoU0hp5q^x2e^ereaOWL<74|nAdK_^c;hNPiC@TmuZp?t z|CAQ<0FtY2M^61ER3H*qF@7_&TU~)Q(Cs(JHrnv zHLc4Cy&1vi*cee;S*@}nOQo<9NTsuWD{*Y5t5t#9&L3q>cw@P63q-CJJ$3#|F=dJ> zPY@dm-XR(iDu`g3Cs#$p-Qy6ciYJ99RwaZ-D4so%fw^W6>cr7@oEB2o*x2WtqF&NH zb(M2{(biZ7Y5j3|E?Wz!ozk;cZzUSB;a#IGXI} z5p@w@)T?kYXVN&fFsEm;b7`hmFmZ*K>c2rU%h;f#g)ov>Y;0@9m8pqrH3hD(ATqGA zwyqK5VupMf_iffil#8JS&VOiVXdhLnxvtP5c)q2=pypy zJ0#$tNqm5ghm~iE?z%@m<#Vxm9D27AS3B8PLmFWOZF=1ZPeQca_4lWrKi?WG%st*D z{G^sGEW7!29uZ)Zb8mv4!+K~`qcFg*H9FpXcg>9s)6p(ouXcVP$*Svvy?ExU=d5?j zyeXYTL%(QV&RY}7CJ3Vq5YdErtzV@}n-!~ZBQ<1K(#9%B806M8VY z72UWIIsBn+SZQVgcAEfBLyxHJ)|=~$Vb%wo-y3nxlxQUg{dq>wA`?YWZ4{lV+<5BG zOUTP5TDP<#?`r;Bk!b$sx!NW9CQweI7xpKcHHN{KX9M`KiJZ#jam%)YMt3+E0c=uE z_cW&ty%kv!i>X-oy-ArF7Lh+B8z9E8TT5(k(eca3CqUPLMq&%%BPNDKdn&bH%2jY@Xzv3d3-2NrR< zAv45B`SPYx4LhH>AtyBo!P5aahh`Oj4mn1EA!zE3P)Z$3LOEX@X(&@Zi6o~Q9XvEC z3RIb&>^ise(=+PGn9bcI4;IrPmtDYKB?jO2@vlr4fgbcj1;Js^!qw)IG&yj4L|j{61%~_a`b3i^SYQ%eX-DzAoWRk2o~owCLzU+!faAzoS}AqDpJJNq zPr-%9O^`X_s!()7**mq9uo*D@tiL%|g*6UuhIR(?4s~diE#9O6!B9VkR~;8~*($M% zXn%n$Z=1Cu_O;-MFkX2(H?ENBE~Ql&2B9J9Z(^XVg)T;O-VY62HByJ9f3`(HcvRlT z4>COaUzXM^XIAhXqj!vYee0U`bQo8Y-;KVR{mTH_CI<^^9u)+t`J8pezo)4LLq-NkPTSOufEBLZ3+h^mtrtomm(JXH}DQ8(xFhO|4IISzdHa6+P_KlqmPv!q^Jl~*;uCA5d4-lVY)IBl~(K*~`u4YIpDThA) z(nVg$mOHBH-Uf|Ay}&0j;u=NfRxz1T6z=_!u>rjsgI)>j)+tvaWQzp!42pN8eMEqY zm`gFmY%>8EI$~yIJcx6IhMp#$7-lb~EMpD);*76}^gl?#i=+1L;wWJ*Fi6;WM$g|^ z!Vjak7wZ}-%3my3t^V#SCG z7?0fNI3Aw*ossbqN@Zm~bj&s4E1<{nJQg3?wYh~^a(I$;WivyhP``E7?uJcC{>RZB%x37}eYtd#f;Xj% z=<8WjR-?6LjGHhCn`IvfAC@@|@y|FW?xJ`(exz9+ch1s@nl3n*)#zbyX$CGZn@8ZKW+Fv3%&Wmnvz`})eOR`zw7ToOjBcCMA;}L!4^y9@O~SFCmZ~dxz46zQ zP`5iv7P|0Q~n<*NVbdHSiNAcE;zEu(x% zITu|UU7lIR4Z527l(532yTu-&+uDFPi7c0E`+n2}Jo)zv-!|yPLAV7H5-U+)z_?=h-a7Wz zI^0WFLVp2yP$(A0sk(t(J4F0D(~nSKY#oM*htgHvjg&dA7{68Iq0YRjxu`Sa%-YA_ z#&cNh->h+C_$KQtQa=TnpSAkTETqxzIAn3&npgQ7*LwMC4&vfu1!7a77#$hO8%S=xf#gD1Y;cA$t-# z?TGJ+Ti`zNzU)E@PGu~*ljZIb&p|S zavZhSr4zXkm<-vPjoT${p0LC$=Yj6mci8f2>L>wL4fUxywCd2v*5!&UQUFxbRG@wYkdRUhGi6|2L`;nt>f zZ@J~!;k`xXw4U1n>|mA|nF{=*3qfW`9J0=+CyejAyloZdh95E%nB{+be@>7F%K!PsTn~67N1xM0|2lbI~zm`V1n^--e zwxXOdhfYY6q?sjp(W;^WD2VDWR=v{3d(WU<-)}}L1On9k`~nKGEAui{O?iuT{j?r7 zh^Z9v7J&%jjaV=CK8^gh4U%4^%kT-d5U5m|<8Mif6$ExIq-;Sy#T8o$IRYSmMCyq%e$OmF$SO^?m8bnHQllB1#|!`E~pE7TTW#NmAS2 ziz6L*lyF!+Flhihhwdsf-lE;ncxhZ}ON zUueijK)Wr_L)=7Zl3vshAbg??t2&N~y^AV>9T`~6aa$`vuZV1t^Ruk^wx%P<+%?^L zU3DO30_ ztW^cuZ@f^(5m6ndMC9;4+&2k(aE56cCGjwWpGz7$>tLr6>(JpNI&o>A@j8LsU6IlK zI@lu!z^8LbFa$%BA*`TI@|qaUEmqu+K6hH8I?@nCVEo&X(G9uhulV&J%*cJ>Z5mSR zHp=uO`;`v~Pi{7AN_-u=QE}W~b6gry$GS_EGX{Uk?c0wr=*{VY>C#`H>5u}R$v9un z>Psw_CBmw0HtCyCtyK3j$5gk+4J=S5A`|JNxvmK&ToAPQ_bOZ|zi^prLCs5YWCaYM zIo->lY~f2d93p8j*6h~rSiB{GS!K2dFBy+gpRWH>am`JvC9$`Y?y74iJeYzxoABnV=SYh8?B-EMi65rBhzFc5XYsaD`RWk2--6OB{ zK4MXlx=qd8W!oKLCt86ZYlwRPpIlh{8Vx3Uj4>5UbPH&j-AYIJa4%_A! ztLbP(Qd+{^ZR~BwP`8qGZtIuYLo9a>Shu{|(oe}#=iBa-G7hzYOlpf}hQ>%hKPTfz zId#Sp=YQmhbwMT7nH{f@627s8uyqdik0F;wz8|)!pDxf-KWM>O4z#y;9JIkrVLug` z>AqXj3#@*t?$v5PZ1WLxp7o4#X(7L*bB+9+5HQp|*F5HSYns*E=X5F#QypnBgOT_< zPis9oD^;tvKEwPQ4qP;D+xdKx6T1NT-yW$XB0?qy4A!x9H!^d4&?wC>Yq6o$-xS{9 z|LDfAN$Rez8+yHzJedEloczleyo>zgZ14u)BB|J3N+Zc`-nEzTt5kL*5GXn+)~h4= zdzWf7Q2^{GcuFBd^eBh&m}QQ*zPMlCES9slO9|~RWdxNCYuFrBJYDQ3E6z}lNUN%$ zQX$-20m$Ji=+7uNBOaLOO{Re@JlI&FKOkc_VA&LnGQsEga;>iF znq7ZD++QdMH9v@@vLNVk3m5OSD5B{(hHD5W&gYw)BH0DZ*Hd7gzlAk5)gRnfp+;8P z(92`|cgj-U&_iKQg5o-j%`w9(m z{)?k&CWR%xjUIuW@o;-nz58+*4S4l9fv2?c1bBF5du*(9Bu6>#Otx%SW63xt&U#Cs zk{9M}F~l$#H`a%dtpN?N(zSvgO9Cw_Dz>XTjm0_2u9V-n@SsLz!$(FS94>O&M;R_j z5DXAP$ZXK|auy5Y?UJNH)T+?wajtEAq^U`&X}jXpb9?lB{kXp_WFDV1$>dGe_<&k` zzA$bjd4F|QYx~fJXvM2NDKK0=?(h$dbWW8Yl zj8T%y>E7~&F#)YF4PEsWcLy@RUdS5Es61G7H*P4G6#NjqJkpj&cBfioG1#oz=@Knh8^w(O{Ii%;0_W}&s}4g>Pyju0eJW6G$=9cm z4DB=-%y%RG2vmlDUfcGkcKs`0u#zv!U$WIY!pbO6i#lfCO^_YXDaAjr+SqwIk&DOu z#xWYqq?0Q(C zR6P|A*LGAX{s3hhV!w_3-wm2Ko*9=Gm4ziJRb_>g{#1ikd8wQCj)Hk#3PbmoX7>kJ zSOdfE)0LM$@zh<#jlaoi6+(8sHv{*4FZ<485+(6d^gi2_BIXCJVYn4uhf;2RZcAZh zuR8~X#~Ka`r8eGm)EIQTa-}rf3$qbG!B38T;tu-f1@=tlvxPTzEnl>&CkditqOsr2 zYlZIv8O|5)pa<+6)SHjla5m_XciG3EI`;fo--Zl=mrKbCtsbuKEz`ZLuV>4vdN;xGd36#NbHp z&Z;C09)?0rLqh!XO+cp-J^)APG}$PP$SLPN2<5}AdTcg*yV;6X&}mWMD}y>IpUG{Q zWQ~+DUi>V}gs3B(f+&|Rpu&nxbhcXGuhfnFS{0Zqv*bLpmN{cLoP=rF#jG)WY)(X1 zEnkE|JJ9^fx)nGVg&iZ}BgXGuBN6uX!;`YVebqoJL7v1e&)61d^ol+T6hw90+?aUO zoYpOc+5v5BitdP-D0||3T^#2FvJKxB)hk8AXc4}% zIwexi=!hAsKf?2np)znYt~;>GmCBj1(7U^uX9;S{rPi77RM7nNBMU9};QpKwiHD;Z zNBolL^yhT%o$cw$rbc^^O{x>&{k?@{(KsxLo)JJEN3||AB8NMaX>R2G$F+#%oXFkG zu+^Mjc+?F$HddUGcJA&wMfmNwuk^tqW#&7QrS{YBbDf{W8Rgh# z+MS|5EDHd~l@c*L%&~yJP)NCVr!;jwHif7suQXqu4a#Vl6^(SzQ=5)>Do;rE{pTPHpNmWN~GDD5YH>kuOgsfR^?KShoVT>wiT@M7QN zSH#9E%Gv_LPhp{#Iw6?M@}K17rdBOqg6|IG_i#_ZZ+*x7@z$lgGJo1 zIsuGXU8^eLv*zMb^W8AFvImEqc5Yi3Vd>o~rgs6MfaWLg+A;PPpF}{cv+ z5*T@zo1bnsi@H@_U5rvA5DKy9Tr}R;9!MvifK=hJ;dp0QtD94*5bJq7Wt)+GZvSa_ z>9VT&ChGJsodGN_Th@gP{B*+~Ahe#8J~V6z6Dn+q3W;s@-9y zDo^kLaQgaB-RX81+M8v+`)IKA>sQlB_lWg0N0F0Gh)&2Kdu!7@WSzcmmfg;7V<`K`y09L5U=9R z&FHLQIZ0~2MGa|U(qJ&@AEkGWl%W@D=Zn++>E!KeMiv9erx4@Jg{TL+$~-F(lz4}4~^!iZ~CF{pTcs{HMd^Reu&%AY8F&?;f84LEg+ zVJo1?&8eMFUPJnba4?O z*A6~^G3{r!$Q$}K5|mFshtripR$4E2*Q!&*SmJ+Q49kT(ra(1w1)>7REO!k()O1Kk zw}GeR6MfdmiOS4bq^)v5cw$d7kAs@oA(vg0Eu>w z(Jdx_u?WUaNuh#fp@VOlz4I2*l_BSOPYF_&j&|>{JpE?*z`BhpCy;aa>j7Ol$H8rE zm&TpSm;CzLPRWrkCfX_9*td)tc~xvWPxbA@)U!gtF%~UFz7b9aQ#u1g9KaIA$5JWJ zJajdc(F~pa!eVkR(!>@ zUKuag+R~H*9jS)lG2Vy8qH|@&Lu~sLBvJNm8&oTmltlal$)&udiZMkqNRNMT3XIRfZS-F(BTXi$@rS>Tkdp(0Q1X2HfKc5xGoqsTl_}az; zw0SU6BkRxa3_J`%%$4wL0clQGisIr$%nXhGiJ!S6ZQm%<`eO zsu6U0v;uhQ7wk+rbgW`cV9f1tdW4a21BWDhL8RjoF~XTpnP$0>(Mvjr?Sx`H0{jTr z)6TFSq!;SH3TFu8)B5s^G=5ArYe=~Cj(Lk+i1{&oP$MGAv2~7EER7)EdGF}Juk@L^ zUgQLK+D||p(=LTujO9lJJDBpGi?22}gl*y19SDI+2o1xBlkebLn*S_XW~nq(ds=R9 zwuoKYt+&re8fdirR+B3A@w)k(r4}CZddW z_k4W{F$6jZo*Bg;LB5s}ras6LaysJ=y7z#36|6F}_&~6@4!@ea*&dm#WJajswa-9p zA}oLQ+)ws63$9|*Ec?;;$zAEJRNsg$QAai`pu&FVGVUbUYCuX*ADxSU^Y)c$$A1bJY zX|z!-KFOy^qPM`t$S*&Hf;cT2A$ESmk~DaUUY{)cfrpEqI4-ye?hI+x1}S9m&yP|0 z5@vRz88@OMfVZ>zqmCNU}uF#8oY*#F5xFUO@ZYog18G-?5gP)?{__7 z{M6EA`dl$k*fEgXsYYX01lT0JHVVqP9}t3<>`?!jli~B8S#Z#cJ>B#IBeaBe5(v$g zcE6VZrr2O%P7FtCZM$Em_PkHS&AIj>e7NA`Z<&&f(?iS8r&5ilBLUcVMbjnjcR?CA z#0;Oli4eyLkOfnvl5Mgot6)9oN2%`I7Py|9;xKI+yyjA_()awz2BrOGMbJ{I$!m_a z^BeN&zT0CByxrC5_wGzfPqW{k-TAS}I14n(SD;&fkzr@3x3vgtX;-n{wlDl2{ssRS(;y@0JNC0nv753tG8-LzzMN)uu9~y1gsq8#;j@`BhWTPVgOtQ#hCxs zejXVYr`tg`Tr{z;hgMOYdo2}-eMl!);v};KmtpU9!tmaDW9xDYV^k=rVUT2QH@LbB>-(9gU zBN$afMj4G4v^Ph)rYB?$5*tYHaTdYYqua)e@-Fx3lJr7wU+(tZYfO6!DdgC7 zPzij)7FpBd`sD=bFgv4mKTh*35N*kpOQ}L@RC5v=2Q%4qS|+N}12XxHaZBdK6nl~$ zc1cmirQBRaU34g=1{97;>`g<&D_&17i|Tz7!OuBW8PPGT9R^#eFC7Ozp?ynElGLtb zV?Gyank~e~avJrq&1OJLRzFp!}$-aqP_zj>6{9|e=8u414 zx?vi`1KXLtW_fECJ~KJXVbZ8W+)FvkdKg}o{2ySad zFD!EA0l1PGbZDnH+sjphU!u(&GqJ&IUem)^BL7mCorItsgjY0Gdn*Uem>wr0=SZ5y zP7PJGLZVP2+YqNN7#5Bc@`DM86CVqKo*pPG*@$TOj4Ly>AurR1xeWKN1Ta=(nb<@b zM6CTwpxC1GYlhRH5aKQ%LdZVx{9UknR@uISQ^->?zvyi#ijbKZ*dn2FUPI|e7wON| zsr=k>j!1s_c#{YIvkrkI9*h0tYvtNlse7WEkSejti9ZmS2 zlw`9N?$+E`G)d<0hLpW|7`91uZ4&*Cf`{Ie{^AdxdXyjy*(0=(w&jWrm#&f4CdG9XB zE)bn9$&fH%f?U8;4?)tpABE1^ViP#C#Jz6IH#Qcynp|DdnIWHFNG%h?*co9Ax0BAC;4a(E7%1~2^iGJiA3Z=6v20Qppazj zTF6@u&{E>xYF0R=+9S-8VLEL&)JMR*^mPb+>Z!rcbXauRzr426yslq&e1asHf90qF zqpojZs-BcHT>DWvfcThan@G;#!gd|E1gA1-KB6I`u6^>ck+g_xb&hxJ|1^t1WR7f5 zo-sBNHEMXhJIEnhj3afxD=JmZSH8bsj#5y*mb~-AIMS%o)sr+l4%1Wq zkMcahmE0}D6l`0&rWkxI{K)lS7J*Ew z+s2}PGKTQqw3fuwg!vPuAqiXTXi#qNM`)TV@1;@&W8V}C+F-iE zt}XZjaG-vrB1_KX%-aQF8DQ~C#z$1atG&Z!!cl)9J8zttL@E7&ssZ$)10a)9xz9~3 zqiX16J%VnNiL|~?+Ubr+JlTxq#tK-*{&H1U?yqF7h)s39SEzVBB7_Bw;gPDlS7TAA zKV}l-nRCT4-B91G#hPTcylY)kAeiS-;HR=$A>*#w$7t%c$Uh1h?>zY&l^^($COisX z8*2z*HowHbo%5l3Nn}2-!eGm)mqo&_;gS8x^yo?2>Mt%5Nc8&Sxg}!4FnFm{62_bG z-@50HQs-y#|J-1Rekf)7Log52y+i586F?L)5=BuO5H+A_7dax5xe;D0nnNsHhgt>Z zRC$rZ1JE~HBUb3@2zj^=ZH#2Y6Rv9nr@33k%h1BjB>whcWR&!Lr0kKrc)I_Lsn-U$ ztVJ1T$kMod(d+A8!_t=0hYP<(d@r0Z_H%5=_y~_zsLyeN7 zBvi@bJBi`7LO+t&X|a0K4DrMU^a1z*$M}<;6XsZIkoLibf`l0VE;!RqHVKZt6s%aE zp{(NYVHgaqFNQ05FeC;XEBK{wOMhQ${gA{WLi+z%03ETPqqa>Kw$0)-N`^ zXMVy`H|avXyr?hLX32o+PNVbG*V@f9kDgDyK>L|kq~|&r3IQ7vX>|FlO|LADTbQ~JW4bR!fIS7`RR^!a> zGY~818J9}7$D3&cNKG(mu!30VsJI1Iv#U`y_B0rcBGdio?DJeMFeewf)2q!$ zijO_&lg!X_(sN}m!4@d}`2tn|#&O11`l(vI^>hx^O7E!F^=5p!h1si;*CX1ozs=LW zOMK%cP7dv{_0Fc&1LNXchLp6>h?WVGd%y+bnH3JpL2BGXdl=k|z9#+ktl3-(5~AO818XI4 zwr$SL$XZuBt1y#`OF@i5=#KJ~3RZN{!cCOa09IcKjk)WepS z*1dLkGg-aR@r>EH`b}SKPtg%9dbDq`!%CmR%?_=?ckVOVd9croiam+D>2{m8?Nxu= z8vNNI%%Lk#mFu&*&WgqQ=4I85KA}JSh+ZYCQy0YWtmG=n-5k5avTz}9Gel!OFUl_J zOugzOp_sAM91FNQeqgTT{jYcC2k6_U_zM(00>l4xZ$I~<2H-60j+Wz?w1Ht6hT^Hs ztH2H9rIR=0gxizJbcF^H8HSE5OU!BR zZ}3Lv`T!E4??Wq25F2y7)kyxTW1(8x$`vVUB7BuMyY&!#-TfmX@d*|~I*mzS!pHBx ztxe<7N+h=OA4z+8ty=Y!-x6z!gg^&8Vbk7vy+zw>?BH@D5jMim;a6Ccs~B`_1NEgT z1Zq44F7P1L+hgY|n1XRkXM7h_lrHPgkRk#Hz-lLj)0cdC`C_T)Ujy_8jVnnxYNsI$ zRZaEUpr_v(<36HjmmhZJebcFK!Y)D}*k~5qlyb9@`!03XCSjY*P$K=mbY5|;3*_`; z4-BS>A^DDJvI*UNoDRHK#BQ3i{86mO@*8vz=H(QE(47;`z=A)BmarvG?U3IWaj}Dj zd7^EI-=Q>|bFVSlW#t3%U2*@ch>}4WDjD`n?%oYSdax9H>1^lcI~BQHCsYs!xp!pv zBMd!eHci`CFm41AH$nf)CxA&hxK_3QyAG%w-*BOW5$AHyr02>kGwu5W)VJFB0K(yc z+6IIhjtpr@a>6*ISkwdz#bk*v9#5mvTEB>!%5j%nBOh^eCyl-X? zRU8lkEce94Gj47zeF&#`0ub8tG=Ge}5ezOS9k7s?YtgpSC}L1S3yA8EEa9e8uu zkh{lEc&HRd{=Lo}-BDT&T&aL-yW`k6#Q3pcu;XJ!xERotKOPNjER%63ssO1Ln#@!D8o|wbTN)8_E z>np?=nybWXl_PSaM})MWwH(S?l%+MGKpIGAPXF$kjpbZ)%QG(dBCFO41|^Qp4U(uH zR8_R0B3{4hp0*v`^bXs|3YpKAQV;EQe~dt=1ofu}BZL0U@Q2~k1>FQk z9f(UzMWhZ_lNsuua!t1!-^xvU|}v_`}9`DM~X*pc(rpue!1q8 zVo}{}!9Vj>bNu1!vJOctl4?|*_sLuHWm{N;|y`GKGR zt0B)qncd+sg8e_t3}}?+OX%=$^q}1`R3(BsKD%@-&s8r)v^~P2!>gIU*d_>~vQ0YH>ga&XjmW#>RDcsYW>V>`4!n3x~hvc)FgZ`dw_8S zg$y<_bIQJ{eEiz@;BvDIB`O|7)!HxPzieAGM>kGH&Iae&j|ow*6}tl5tG{%-i$C$v2NArWUaEK78SX)YjCp*R zMD!?rM*Sn2$wn~*-0O4jw@eWl{R+5j6HyKJNizu1Zdc^q%(CeprBXY9#oh=B8# zjl6c{)=6vxxjgz#WwU77U8NIhr|L>KOS$<|hHElhN-$5G#u}IVP>!oVhyf#bh^UN3 z#}o5+v5>iYVKT2f0vQoaU4CCFMphi^T0(P4QCC*Gm~iGo4J_63!gG{$O1tTyY#8QU zit)#{R3=ov12*B;Uk_!pBLnCqXK>UMUD$bsY8+L3{b7^?b=EGksIt1&K6Rq0%y16-d+^cCp*93-Mx*}{BdmF>2txFgHfOL^Gp$b z*VR75o)*Jr`tu4l1H#np1}}d^hw(nUM6yE%hEVqn{3CWwt>HW|u!Q zarWb_)ZMl3q`e?>Rpp!!L;r6#njQayy|(TerGts=;I`Ox#$^?VjU{79F_3U(n}63< zsF-E{^rOM*A3Pps6tprtpzQ)3CDhg8A4q<&ngJOh1ZcoUQvUtc8b50^zkWXt+yW9+ zlGSBWS=vYM5RS`&|Gh01RaLvg%h3GA~?6n;xxpXc&Z(Og52PHede z0A(3eKeFCgzPZ@SxlK9RYF+{p-dECjwh)YxYX2Wu@7SGbxP;rrwr$(C(XnmYNyoNr z+wR!5jgE~s_U`lHjJ?*{-=6XOfEsmI)iozVVY7ci_xb*DN#|t6z}gP-*WeLwT=+Ud zlk>mMEol-_1{|&0#CpiXRjaQjroY zo@j+8Gw4)GQh%K7X4gTN> z!$$d18Ek*VH(-ebD0o6~yK3yur2%Ad3QW1CD=d-8RG!wa>6;LJ*So{iZ+AnRQ6@A#|MM-Q(tqI-4_Q7Nq$JHUl}D=wTSANoq~2 zSY+ry63Nx{tmLQYPsS$Jsa^i8LuG?@W!dG*W{lbr|NQX?e9R3sq6nO5HaCRgl;O7y z#Qn`=-?prjO4VTS8L=TD_02FlF&K@g<9!N#1k9gPnqxJoNA|OgH8-Sg-e2=X`fiWN z*nfq8Qc44!3xc)X=9Q@Nn6B9lw)?s;)^CDqc9<`lprrdabF+00#l%gc6Uq|{-Os4x zKWX$7K4N6b$=*10Zqy5P@ECE{l=W!L083Th0-wj4AcPWDA_!_f!xme*1TEVWtuC}V&io<%T4{DDl!Z}`9q1$fg1 zxt0&U1U=0b6og?O_bfM2)EZpq6xoK>RESD(@AUjaTS;tp!(}w~`u0A1^`2?N?LDwa z=36=ty5+?ttg0Bnw92yss7iw|zrFq0q0~O>ottfAwe=hlRLL*uTgY6x(z2*v0PBz!i$SWFoAZn8;k%I*x7nbemaE*3TIFX@XTAAGG zy=E>z%h+1_ccty5j?~@iH2$jTLOlq^z@E?sDXxXz+9W$}OOwVVdOF(qS(sP%y~NJ{ zPR@O7&Z;sda_Wdi;N3@f-n?8lUT3jp?bS|pPHMm^HDh0Z;EX=;%<_a26&5V`rZqFN zNze5jnfC9w{*8o9FS9f*bB53vr|Gt7giiBRr3Lx@w!`8#1R;vT00NL0)S8wW3Z-HD zxG#CA@`{k15b*~*m~BH&#HXF1X#}$8AGL!VOr3;Br3QOC8ccG%a{4Ow)-h`t64FRg~BG{qN?n{Rzf%^ltpOcTa2-wo&~Q}IUM-5Qfz^+XwG$}WE?$&?VTyUOJ= z=xH#XHCO5{l(~@eSIs(oWW5*x^E&53fqw+Qc{y(Ul*F~XYuZ!1^=#dm+3PwC6$ z^IuHy7c5|Ayhd0f3BwOKk&OjBMf6xBES~XQ9#wIWs1lfF&UjA$K*O3Il>|$dlheE* zmzM#T8p&M{M!WF`_q}N1xDA^8aCYLkReivGK1Gp8ikPoZ47;J{a0uIDaQ6;$7gb5! zQa_Sev4@yXts*m$wsS1{2l?RMO0J3Y?wJmc^!0odMC{@sH&onNhW&tKaH(mV_oCGhAMqDX~- z*W;3{hhl?wN}y7WrE%+fliYS_zeqm#osp8sbQ41r@qjLaGBA0`-KTJcDIocH7dTFr z*I)@I@A$LCxTS`etvR}a-J4O_W z0FuoARB#~qgW8k2p7qCABn*(PrJu%X+ZXu?+(^f{!APc}NAbv^LL>TSUF_hSTwA2J z(J#i>8`3-H4-m`R*gQ4gOq|OS@0?YQMZL$JL6=p(_`+v`CtT0T#>KjGt^vk9 zbX@AJ9yY4P0cz21aoRLI#(H#96>w(s?)$2j6}uKoLaIBi^E?JEvm_6vnpe-*F=~4u zKBe4$%Gc1r(}=Y#=%^~{mf|5#Oz{^p8x_mnqPpmI^Z8gOzdXUm!A7 zi&WwqT`^IIafu45!tK3qbT5&m`F*Fp&)};o*C4Obcn$1=``wQ7ExkK;Ja?9^JN@6I zQX^Y*%${VAy?^>IqN?fdIrT7nv7d-l>Z7^W!H4lU2U>jD-3U&(C2zWvuS-vTCwIMk z9c%K5Z05d~KI}g0Fol)lJ8+%j9E@CvEC)^6148lz9-Ft?uW3N|T$}P6y_AKjdbIfyh zRiIOy`t50M*z@;ywl1=5nFCMXfbzDnh;VwU?FSb8*i@BYhc}h?L^Te3IJAq)fM5Ytv`UKC{&+nHm=&d$7rdW;S7^X@zrL~9hHL;zs zvRh;l$|QYApVkT|BBz-ytF?^@t?p~e(;oH8TQLB5^50Z;e_NhWopnAUbGCoAQkh63N!X8o?)|~oA2s#i5x!ATA0yjW%0&^5);eFboZ~f-!3Gt^7=q4e zA?KVW2^WKhg2^2T?H-g#*(QKf!ICz%GFF@xi)7rLTehgPk6XuDvcg@tNN`7zR#Sa{ zdHKxbjZ=+hev(l?+Im))UWiAwIP@Ruyp}OW+1{>Lzqj5Mi1}RViFstvR>S;2x_3xzrPEbdi3k zBUD&{wBLNNB+0x5-sV!{v8-njxwU215TBQoB{DKa9z zt_o?$UhzXcLmgf8S7mco<8DKR17)QBaNW|q@2K{|KHeek{U`}D(%Ssh`U}_uVWL@J zxDl*ak;s21YNutEyiq0^hOf?u6$Za;ncB>bQgpgf`MY@s(`|?k{sk2#pFDP$)#5H3V>nlO;YCKtIhk z0ftQF_mUWHK2!7_z!Bs<%H!_30kLMh&vI0naMT0<`U@F1IS6yML05Z_8q$~aNZ%2R z1RrE(GrK?wv>#2=4h*jnEDYqEDJGKO@G{({H+d3CQVA6mQLQDm%8y4KX5Yr+Xxfi^xJe=bQpw|oYc?*SK>+%qz9>WmVUE3pMz z;{noDkZ0RmshE8geg!1ZcuD${Z{3SQ)A633ue1%V65OYBxz5l3tY@sZRZKus4pV;^T+akm<`ymT^rD=u^Ra>8V;s`k zWqop+#}Sd?a5lT(u;(0LZTMI$cnw%BMi@D-%xcWn?=V(%`M_HwNS+tlSFgVzH7^G} z=+9+P%<{^Y_?{S6QRKK2l6%j3U?9(nm<=9cO?C8LLoi# z+SY0f$a{wo&y?>dTfcs9PRO@4@gAzga@it-Bl+rKeTF8a_%JcafAvPUB+)8O* zlZ5UYw>+H*2^2;-CHkX!I=vE&ib9M>1=uL)!Ad|Lrp{5Cf5XvBJ0!Uuj`S*H_e z(S?1){sa%;=x0Bzp1#RpAo9kILrig3P3HxBq|8Co5x04S4i6}#)qfKE~C%GbAf3B+iSkdt!w$*En2ulN2!2Hwt0U&kAwgas^GL+zjOn4 zy)9rB24&(nAZ=t~t9Xxi3yp~zi@ofb{!1G3+=&uQ9N5hTo)JoT3o@Hapa`GA9xt)6mduTu{4P&^iU?f?eD(+w8$a|n+TV5E=l3*B zuT+0{I0(D#L)4nA4Ua7qyN^1TYqfO$+1;nef~$5tljk;npX#2EQuDpHxAgHqp-L5l zwoSL`=yB1LLz(<(cotiEN{kzV%h{e4flm)}o&2$4GMRS4FXNqO-!qbGhMm(0?U6+w z3E81439?eqQFPM^pOC*MEn0a;3>a*4NTlm>Q&^(v%6yh1h514(Dc#v| zoGdBm#PEBu8OJv^uwzonQ7d4;F35;HCJ+*Gz2%~WgQdDv^!QD?x z^l4B;jR?Lap;&gjlQc=-;}7p8;%Q+ZZ7pt)LnM=`ePm~ZV@Cj!#9L6aF0qbljxh9* zZ6b&e*$aYr+!oMNj}hEa;+zioOfP-9XLRU1y|xjS2+QM0LFwYx0?U;I2>cR1`1E80r%j(Vqsq-pF{oysUC>xM~EgkJU-WxyulE{Q>$yyvY6owY>2!e}(h z7i>qpkF^yIttjwlSys!7^hH!J8}<^UA42!S!JLB3i-9R`>yZk{)bv%b*4F*0EC=tx zpnChpC%#UN3H_3r!M|LIn5T7*GphQ4KI<%b5ZUnNdl|%G_Kmw~TNluRU{J`0n&pFo zZQ1pg;rpXz{1;}}I0wLna8((J;sjYjERfz`Z&Uua+K|2v|7eiBV=m2xoWITU4KEGD zX9NJFMY?;BU%yfiK=r?-MT0{{OXN_=hu3NS6L5}c1L|-r*qvW z8^__%%j7GerX92b! z=2&o?0SrgCV-2Rnhwo9Ue}L~z8czksm?WyJ$j3EGpG zCCP6Fi7=Bd_M+PxI~QO`k{>5aT)m!FN5N=`0VR?l&5@`>;}FX7w{x2dUv~T$ReG+L z4F6J3&F`4!HX<=bNgZ}m;{Dqg3%_J~Yk~!wEwZjU6^=G>DRT9c)!C!D&CFIp*9k8BjL(~p>5xKWT3@NrDSq>)GhWgxzd;KhM z@N^wnCC&_fm<3P7R?)4U2~=SuZEw<}H-+h&Bd*rW&K>w<@V|c|JIU)xu0YYiy#%1a z$s_Zzu55iWeglVfua>V3v?T6^|(bBDDr?)|mY!zOURuVNrgQ z^Cn*8)bep?cY8x!<-7ZnszBJZt-5U7obX{Y+dRolPdkm*GrAhTi%v)3u|>y%Tzk@NF-?E2V&lD6|W*ns_``dqNR&j@Gd zt=~k|JS4_fvOrSXpylB#Wr`CM!b0oSptdL?Ax)&_gewAp0S227{ zr8^L~T35s|%)QDfOJW(1g`mfS(FnU0zRnBUS+KCTh>?cm-Kzb{3NT;KeEjDKAbuL& z0Ly%7ilD)~JTpI>`Hn5c53k7ykuj$pw`t#bl6c5_ZTG~?8-k~RJ*3$boKS1|HEcuG zE{S0mM2?E9g{+)o&_tvEF{3)fQz=<0^ocmRcvAl-#|00}qd=rcjkZWdI;-U!qJ?OJ zxVlzY()tgx=?+`*4LyVSnq&>vOcY}GjLuF-#EydE2}RZ&91D1>TRv5uTMQG!=Sm!x z5lMyuknYTZSDbJ?Fa*gV`^a%?Uy@IWb&x4;&EJ@-8#uW?q6_>}(r_8s?)MK18Rn8tv<`-<6`U4bh_wi&G}&HCXW@d4@J;;qEg`K3XUlN!<}ya>w$`yb)tF1jJF}Z| zWkD{R>D6nxM^@G^mwO6Xh@Tb~Ssv6Fv;uSfjAn2MLe|@RZr48gixz4%F%($au zQ&}kqs5D^CnfVLm%n4xSPZ3++1W0c}Ej7UpMt*$L+}!>pNRjdGYn7cRoY~=8-Hl79 z2t>ZjZ+RYeS}&XfE73kJHyWmLI3Ma}RPKw9{g)qSk=`xRBML1UyGfcA-yDF7l1_#C zqipk*Rh*})k%87B$w3?=o;O-hqCL;(X$&zMY?dZICkoS+{=9Kzpl`HLU)R1}OX$(6 zD4TLQNFEZ=eFQTm8LcVP{Pr@S(DxuiyVHfa5f87MN&2JzOj5tTxjch>UqxtkrY+|1 zEmH(U#q;OWA`_p#-&=I~l#1!9z?aEwu}Firs-X(z&s3qw=8?9JU@~fh%`V7a&%BM_ zO!?s_@7S-cghVFqu|fsvh4lwTqXoLBec}&$zx?)rs>Mz z@9$W$j=0ajHz~HUg>m5kOJP^hjy)0F{E#|uMWdXLc(Ef&Y?{y>I)Uo6`ASyjO=9-1 z5pi5%&LeiTa~j7WwAD7d#A}FMSdDQLg76r1*RlCBQ?H0)BIyfBzb}I2!CjkADTBA9 zvMlSYNK!R}B9OHpuYjAqe{{j*IhU(`lT~+21Kz}7+z*-29QDKqR7~OVmP=H}94=}` z7A>lL(3q*$Vwb z2j{D!NxZ*BdqU8f-cD)9(Ky9W^Q2SQCZ>3B7=t~&iIpUYet_I?A#rp)4RplgVvU3E zM;IIwzxok|4`yF$TGK>!m1>zF8>1DDt&y-`W$}(hIW;HsYLE|!e1x>6Zi@Q1-l@_E zToFefS^Z*qfnN4OYCMO)7iEG4dh4TzPXXy^5=y4@1 z`Bq62l<(DVfYyDXwV1`MLn4+j*RE-RVswK&cn_vzv0XyjQ z#1vOo`+UC>mT--9^r6-OZdmBMq_~Ryrj+=;`Ul|E;v(&9)*Y*JHVeY}CMslff@ zP)yxc_|gP{4I~()%?EsUp{W;=9iFDV?y=23iQ~E@$;~)$ zc_DV7ZA|icgI)jR!LM}o_NEHn%KOS+$X?N};A`V>sie2?bK%?hWe9s5-Z3z=&jA(m zYLas!l|6G_DQ&b;wJpNJK-Psx71=Oh;oA`g}l zWDgnQzY&Ea1Q4ll7xW${P&m?yq3<41s!InT z?Y>P{NR+2~pS=^eZPT8ATq8}Ox?2JCy-{i9A&@SAtdCqjxQ^AkO~yZtYP}JBnmp4P z@mj1oP4Zr$+8CnJ`1J2H)+du;+XB9kjj6G06jKPV+rIHqN#0;?u5|C?n*}pdiP`zy zU54c;4yAn{bS~rnq8r3}O4m0~gj%i7xtD@AYm$4KA>RQ%k5MdP7&da?_e=pmxB?6p% z48~5a+t_|-)p#ZZW!6ruFS-t|8lh$Ks<$jxLRS-nW7V72vR~?;o9G1#v@2sC!WrwS zM5{jX1owPEBM8Y=-Zaw{>6Jo|{{VROZj)T^!AsketbbNlgL=a63$=E|NNPLQ3vjKM zGrev$Th9P$3%@1q{y8W=pV-yxTx$nvpz6|h>LGhk?90ycc2!W6aj-kfJltw-6n$00 zkh;gWtQ~$CKNAZZE|F9nyy=L6YqL)Dg1xF5P)`q#6W$3aW%4mL9uBAe4@4J{*nT@n z!>7fjgD*ul_J5rA-F?IbMDYFCW*|u!7?fbSf;)rBb8hEN-5X({M7UX1y*3!qV|9<3 zAd%Gv2zwE%8DXPKCkqwIWA;MN5F58S(u!>|eIB@H2>ST&A|7h~FoL0sOzm||oqW)2icKrpNi;rG+Pe*bM0mMvlC#>CEt4?{CCV&7C=2W z2N7h(2qTd-@;OQhmofsc+|4Q(ic(eUsBmYGdl01=lg`)5yy|3T%Y5-LuJHy5eTa!x zk4N_2h3;gIW>nuWjYTVODDpy!Hsycdwh^L-yOJNJrOo07yQ{WA=H{Aei}dg?3)`Fx zDeFIvU?&W`<{5eS#P<~UD*Z_v-syS8zF!^?)&l0!mLbbsd{TP1BOmx!&=-N6wBHo% zkAsh--vBMQ@1z+1cYaswbvPVO5k9@*xE1ZX$+;GQmvIL|GDp~y#R8R9sc*0GeT>52b#x9Gnda zMg6RHlUa?ff8|!Uer&IPr5AoKhI?=v3OYeXOF3i2(`(j>wc@3&%X!}=&J{7=$X$?d zH6kOeU>jh?Sr?^~8t{c=BOUdI)5QnDh`vLP1|Bodjo%Xm(Z{EAg(XOV1KRj)o0}!C zMEySqpDPh>TGIOt1Z~H-BPMH#Z9HA~e9eCVn^VvT-n7a*=rGU3vEr=B^O(vxrf5b` z8B;W%1J#|(ztr5wM)Ci~AGYH*YjY8AKd9MLgeP}2kvzZ zuq07^{MxZ6EcQO*#qKkPJExy>*qF6&*Z$(}mD|n~gRUNVbxI`>4KYBvDfM~gqKY}8@N){mQjtO5xCu&4sV=0p=8m$AOB#?SS3z%xRDvC+ zCA=`fWn&}HB(7lIU2^a1?>LGfnV_c~+p-KaDg}atNnjE>Y`6-5BuV2($BIb1dZ4$H z!~w>Y%H#AW}yVcj!R zV^?@nRXu0KP=bW-W8k01S}|C)9ZjhxWi=@QpGgZv^1X}W>B2)^#!K>&Y(sH8>4q1S zvGJ?Q{T$RfdhvGzV)e*A51i!Gvn{O49*&&158LyX^S?bAZyiOe(a?HS^`aY95av8rt-pMLMM{v+IQ%2j#ECP=5;05R1*OZ1`Yg z(<{jOx$iu;i>I=N>i!fusnNFl4{Xm&Pv}}=Yg3ZQK&Lr9bs76>+E@9)Y0` zN1zx<)!r`_GD}v{Cw# zXgsmCoqD1H(j+9kw_v2)ktXs{^ICW1%__`M`UUQhKen3JfA!Mnp8h88215Ezk{l`o zOZINDXpIldVppp(6PfBqY5;_*KiY+hnn{2F?V$|b93n`XSx2CaBEpK^B~BI8J4C6a z>X33qIa0#ZyZyo3!M%Ke!CS6sEaVOj>STBF$^8vDq5=hf9COe5KmOS8>fq2SObeQG z{>Zk+`WW(}d`ex;|77Noq5KW@=`ksjxINI}I=mJ?ZAvl#E>)`{20FwG54J}`QH0U?MISk0fM0(YB7V0W$X`HY|4F@_L+8*sj zA=)og09FW6;}mm3Ig|&6CP}$5OUWW1rd1XWr5b)aqx;jGB(mRVT{t-z^R>sq`}kE- z+XaQ4&hG|wDbEY&$5ZB6cA7Yr(FKt)7ncMziNctWDi(}mW=6HsmZpWl;jd6S#~qkV zbOYD<PyQ%D3b9F}fdd-Gk$j5A-F~%wFM#Y@I%?UM$C3;cEPmb%)Cjk|c z_LSrR(A=e|aRoqSB=lPsDgozmwbnWuuXFLZM=vn5}C##2^vYuAAW}VHl~Ly zj)P!bclmfF17nSo!_TaNZ?jt|&^2+o{ul zPZ}na*(pwZR$7yvo|N&hd1}+|&NZYr$D=*O$I;8Z07_UK7o^4FFxs_?upHeQ$32}?RGY*UTGYiZpkOw|NpYmllQh}O>$m(D@gC8v_Q413~RPlcC^L<)u6|F%9PzbvS zwv0#Ap1;R`d@f|uo>|+*Zi2Q;=B9K4;cJvr5+VE(pU(8Wu_BV(`;AAQDoTdw21(5l zUl!S%uBgq%y$!&M{c{dYuDBr)tcpFK{3bD#pnC0}!1Vv%5kH#*Yb+BV2@9+?}E zT@#n2qky_|t=cqyfvP&;;eU!!5if+vU;rE@qV5rF)ulQW|3xtrJv&0k6T_@>k()elz#i=HRbN)sL z;ef%d>(6Bd88%*XbW8pEHEj}ASgE8DzEbB*|Mx*RtJjuJ_!GP`@Wqdp*Z zlrrYE-jHI)lVFYQr0U=YXU?*`unao{eu(GKD#1}EzD-TTv)kFoZOgXkVcT(G{D!P~ zmo00A;9_DMB5L;=fz&b!t$)=@6FV%}#C2I7O3P`V=u7fHh3Ax%ML9TN^L@;^6d z%t%DfJsX|m{j6crX=V8eUDc{Z>K1T{w{AIWILN(7@RFkt^uRQmW#%wb6axu*suquD z_!ErKH0p|fxP^u`El(t&e_#DQ7VN{ddvDaIb>;;jT0;8f2Mb=gh)Cms)AfnhM609- z%TnWTYPeA+spToQI&Q4N&!^W;sXRwM46t{mX1MijurcfG2pb6F<7)j4%FH5CYU_p}5~B5VKc*C&NF@Vkvl=-cLwp=>a`}Wd zhqW#O=AA=49P1iM6+FH^k6kV>t*`3NJ5oPeb|YKij!+@3c@l3qmo~`<=H^|b*J%WM z+MR1~tC|Jm@NKg<^snq%Wl3W2d#RCotJg#i{7HL*sVHhvGIrvBYl4c-f*gZ$qhm>< zfMlKO`MRgXk6G7JJbsgbs_VbKDBVL_`!lf5>u&Uq&bzkmjP=Cg%{8pKE>YOND)ZPb z6S5eO8;0~^ata%Rv)zRL&qH*LxB<|W%`;vRxFsKGxItng=O%y{mCFXF(ta}bGFgDV2VzRaGW+o+8YYKyz_ZS!m^ z@KQ-aF=lPWknp}od%)T5&0b^qQ7z(qu!Gh*dEhqA1WAnf#Wk(}G@(~#WDEQ%wj`!v zZ$h5Y=cqb#Aal%Ce9ePc+&EI#32RjmMoKm%P-6-F4SG3L`KcxD6-tu<-b#7t#G;iK z@6B`nKMNob7`Tbv5Z;QCERXa_{1rC4?4sgRm2%uJ(ISyJF8B%RW*^$Da#SOUra z<7iM;Cdx|&DEXq55 z1;c$y;8rMOugbB0s!=8d7G0+k_cb!TBQ+}w7i5HmSd`%qPaqR9{{{M*zlj0+*T$~M zs78-cceZK79U;JC1Or@?I(R6U@=O1wdW*6uf|H7xMz}kFiggrioM2=J8=+=#o}|Yu zk+W|?_CF^2jEYIuPHTC*HT zip9V~P_af6CIJnebmZ}!=QYe^Pc=QPZoHxA=Rk`-%Ejs^D*fcXq*YmjofCYT@&o~# zCP)jzZWZ++=1}opqjAzUado9%RyMi|BT&Id$E_GB3NU$i3MaPDjTD761tIa~bl!eT z9C{lT$!o$T(dHBl9w`nnHb#s*Uy&JZWirDJ5`y{62A)2FpG^8WC5=d}dF<>uFU$J0 zztEu{x2(vw`;*CW!UAbS*ZjF-^?NU>&y&r89GmV_vdp|yp3n6AE9JK!;CQW!y;PY! zrczOgg}Nvo}f38LPzvHBEiGAS!${3tGCMFF!_Oy=xcy^lJSTs{T!NskF<`g#oeq zT-DwyLpub8ia6{S<{Whc>jh({Ii%-n^#o_2o+-|3YglnWaOYAxLlEy5_oO4~M%zq7 zF^Lpo>}ZKWCEls|Kg$A76tG7R>Hl{nIt3Pt6^kmZN=R0_)b_(My}5#f+{OJPK!>;- zl`%PNj)jqE`q{C-gPsPnD2>8QFJ;w*H5zJR+#th(v24Uv0*b;5l*}dKSAKs3ghx*d z!)suue~e^;X3Y};JuA#$_>7yPDD7imjLC~e2}9-2!UWGRYz zGKGAfLTQDYxJ0j~g5QBLpLSKKud7p7u+7gPJP2kLI=hg$u4)7%eWc00L(1rtEorIX ziaLfAhP+Alg$h{=2n1N&lFDA(kU1L~_>;>GZBcUyA}sOpPjz*}QA-8~9GEL8hO zw|&w+4J#J(iSQ1PFUsZTO+2l5su7Y`&;tv)Y$+;6{vj!xYqw2=-lIrR4YmR zzzu;xA7UxHYo3Yxh~hPg0|iL8;cdSGoYdNY9NYm{g_(bUnmx2pdkw=J`)#@J33Oe( za&#@pt{)s>rx~D&U;1S6{I={=ksMXVFIHiZX3{uvF!tQ`CWTd(*d^;?btqNQu8_oU zyC;F5W~z(7ZFIhX)BlA;vadit`o{)w*MdL%gnp}W$QTQe;QmH9y)PsLaV5B4b|H4B zpK{K_3$PZb0E<59I)Gx*97z@MRyf~#DZ>n*G-ksDhtJ}cA46@VPavONp_sCeI`KglaeTS#>5G?(XTzb2?^cg1C+;mc9J`#86r62#7lpa(g z^Npq&vFq1ugNiYY6+4tOi%b+^Lh!c1Q7%K7M~Z}8MLl+Bt)z}RZiFV@A&72`o6;$m zmjtTiWH~rdV1rkA;`HX763yDFGg$T;YOETyHDxVy60G`++K%HM^If4meXoW-#1-nW z$NJ=wx6aAl&>i?GitiEg&n8WDPSg{y&O=dDZAXRGSl`vwU|~_LSlZQrO`Fz@4RZFi zVJ~`T2Fuqk?2@1i(S-qMS`?kbb*0t3s|p=+USM6>fLPH1bYlC-o5Czo^iO}KWcGdp+++2Ifm_ID~C z&)i6X54-jU$dbj1d~UV>vE6<|!^)Fa%E(Dg7r%sx7Cp%E?gVFVIHdw*J+EHe0HOfz z&6MD19)oEd26P#%neR&5nL6Yd_C}m){*W#2y7F>})eJivEne3g(J8{F@HBOIO1bw3 zkQvWdycWd{j3OWA|D+TQ!uuUwS+CdlasI0hd;Jmvauujk6?L(Sd%K zzFwfxC3O8uZBO4?6b4IubXnW#*08L~3H$$fy#Zpn$;1f1ycwR(7(nY{BnV zx(#tm-tLU*ULpP#gzh)qDmr)Cabi~}h|sh*n)fX73GrthBT>Ij8nQo^L$zJ>AlM+S zjiE6<0UNCREq;mPS!#<5^WN@p0qm<3P{Ig`yr-bs8y2UG8SIuqvOC>wKKqwjSAMm-p;&(O9Qvwe?Lp#$$F|I@@98;i!wk`Amz!89r3I5(h$b9Xl_TFdf`bMj@7cHh8;?mEXf1@kyyDjM(4lb~4CprovD^=O>n+&sl9YlZj z8cLa-eNP=V#>4Uy2cv?lCK&yn<^&tJrO!2`O*Kx_Pr3JuY}13pX%C+CZm|k#gv&9% z1??7wa>vxhXgGrAj9vnw{1?aYjHHr@L9yWZqsn^%>?Z07eY2 z@7MY$4#x*l2;W{D)u8|^v%z@=q>6g@eEO3gh#Mw!37r6Dj96YKT9Ut2vRVpjVb_4kjyZ3ZLP2xhn(=o(RR13>77V9dTTt1 z%4}LB*eBG}p9OX%$8H0JnHfbYin^e2js-bC-WL>`NR|}|##90xWrg8AZpa{6zLB`R zA3TSJw3CtEfa8VRh>Mr%jfOt?X7<;ZR>IjP>QSHh1HjQGpP{GPM(JfB*}{J#mz7SB z6T%W~XINE};1Vw(XfEHGR&>7n%7?(O9#S27IN%ex`yu?wWLN!z8)LA;JhNa4b#;${ zm}CqFZns}|$f3OIqX^S#;LXP-ZfQk@;pLw~>?!9>v)Y)A9QtK?4(@3tAv(rs;Fn7O z{>)MNI>=Z@nbBw#v>%0+Od>)WU00YFY;R&^n;aA26YX@z6D$!h?*CM`y`X?^Q>gz5 z^4~@TSjJFNAaB_i84Z7qe|V?Zfu444I0SihU~-72K!EulqCv4}!X<7e8fj+dB4K8C zydY&S`XZ?#S-5@k-9PuQp7jt4F^GoK-TB;j>4x7}*#;xMQPu4Eb!RyoWWpyjS%8~L zt#uhnQ>+UNKGmj3YRO?^85-)MJapu!XOyS9w4ZhucNIT?BnuE zJS&=F!=V@_59dvIlI-AihvrtZ;G9sPD33;B9KSdC%IimL#VMh@i4i#6h`asL_pI&& z>$p7fYPz%}Y)SpuTc?v};gupVQFM2nkr>-Ksr0bHq{G85JG;a~OWUNfLj(ViqcON> zJ{*B4KEA@bmh4dNgjNO&(Fqk?1ER`s)CY#T5z3HSw8ssf2pwa_c!!Hrj>4Q$>wF-R z1kj~*I_T4P3>F|*2=4AWxa;8V9$bP1cbDKHxWnKc z++8+zubq9*e(fJnPghr0)u82rKy>qQV3hD)paB#lm_CB z*p+kzdRT|m3@hDXA-2Tg(Ew_zon~KiHmdghFuspfrLkzoDbhmcv3~{G8hBRz7#y_O z5pT&ZR_(v?GB{kRP-}6m3DtuYU(71x^2lF6~80rjVk|%Rm$W)O4#9!rV~p^yBEt$#+N!ES*$E8 zr!^8~+)rXP@pQY6NJfq1oG=}?4(c^wEfAS$pXAC$;&au$dL-1op5t3t-4U|eU3hOq zzomq#3YM_e-B|KM-J1RUFO8w3IR!9d)m4<6J|`E>6)N;@{JWe9SceU>5}{ zrp*t5jW7+4qOr3)`K{*><~>FekERj4S}NR$YIfr(_7s9J7c(W;V#4RuFo%M~OF;F) zMsr{Bz}{hEdxKubzk*auFcjK)yC2d&{ZMzzsx+~>;QK|tqWCosMixRGzFLA!922FROnnD=yn| zp~FSNt4S$O_wTvwUT`j^w|LQg`Z?}C$&qg$0_~>XcH|~;L1FQ$vq!t{-;W;M1URo! zm0Im|^?|UYorZNBO&&{CGJXp6a^)e^9D^vC+$=O7DQpQd^1g}=mmfU%1!JXu(&bP- zRc)IfTpSlpEp29Z);DzR_C9M!D=Eq7>Mcb5)k0!hJz71eNOzB1gx2@jB<-KHY{VHW zryn^lT8TA7RFpWeM2F={@gKOxC{Fc~yd?`jaR~n}mFTRro1VmpbejE@dL6#XY7_f= zJG3X0#?bLkSxcg@^3EBrD5r&%0T{RqsCPkK;up`B35yDxUkZbt_`Bn~-ay6`d40Fo zxuJVZ>zD;iX_ZDP^|i+9*dwc-5(Xe4)gTn(2dSV=|EPn47!|C}L|f1IEKbfjm@Rll z&bURV-k1uCXgfKRC#v?f+?*xa9}sJlIK`KcM_k!*s!I0A_Mo$*YX2b6ZJd^7x{(3C zo~C$EQKQr)0v@?4e1KWXwW;1Bm)y9(%4>zSNSO>beIFUK?11q4ORLf~#wnH_4_9LQ zq{fbSl0>?v#;*S{mJhoU{;=dS!PVw>So-ukm-DZ+^oq)=A2N1cBvwlU1|8jlwJ~pV z3zVH4D@Af%LPgQ->_g^)ljP$Ir@KWWDg_ksQkYsuPc(()SsQ4vy0Xe&xA~ZMf*WD_ zlza<}RB?pT@Y*=0=pw{tfitT#Rt{`#SbaS9BT&^zqLh7_Xt?}8o-N4W1xa=(IVFF5 z1h2-uA6@6aAA%WMj^V1jsT?cQv6YI?>}>;tEY>!V*xDWTdDW(x`ZnV-UTN}bmuHz1 zUW=Nav!inE`u`QHaGHvaxa$1iG>NYtE#mMV!12r_j8;EEwEiQ`zc^K`T^zH#9An;{ z*m4|@RJZFU3-#3)%)J|H?s{u-W9jZTiRY!LN3vhGy!Hs(=<}{naLW(x`Q8n(DnD#& zN_>i(pG8ZhmR|_76A2iL${DUj+8UI9>-(Vx@NU0Y^t>)3+ChnLlh1 zcLmm_@>sVAZ8QJS0mxRuSl&!!Q2kD8mehQHgU;h|-g0a|^X7)95^X}IQ zS6O>5{m6&hw+bZAe!b@31i4QtP|;QMYs$7i?!NaO?#oBbgV8w}Cte+|bPedQ&w0?T z(fIKiVVO#cAzjxrt`drH<2yL(bZ4X#XG}>e^IY4QB45l@3dz1QL}T(`e){~AgeMW3 z=!y=`zBzD`Oo_1NbMrgVqL8=UAF&#q_+75nuMIc@Ez8DNtynR&McgQ3%CVD-41o_J zbnpHg*q)C<&Tf0TLoB!8X4`@Oh@!JWzL8}+Jk+Ki4Ay!C!D|xLzr0ah1^Uyr zDrV>EpW%3b_p&)Mf+>hr9mvK5qdVvCoU2s&@`1KqZq!T@nr1!&GRXg_wJ7PH0^NSYcyEWIpNJ2f>l*K%6#+l;j2uT1Qp+l2hI>u$Uq~lzAbDabyItb7SIE~x)47u(48GpWpJQ=^!J{lNj@}uHBFt=9EeEfABH|Q(C z8zbm-T*h$fbc4_L-6)HHfagh~dV6M@$-vSbKHgwy!reWiaAHs3f`C8(=w+-)S0hEj zo|z7Rey9K0L)<@CO5=GM<0AnHWg!Kq!ux6|5^qxc43+co?4vzS7gp+h;kZBVVk2{~ z52r;cip@Di5{Wb6x5=HzxJ$t29#~@NXJ(lhZpRw-rbHU2ofMb9S3Z*IdnnPUaf0MN zTi8g=-pu1}-}ad`0+t$ro3u%LW=~>RP~6|>&4u8!v(w3zOmW?-$4h_mMj!b5I-*>G z=a{{Mid9l2n=FE@(rjO(=ussXOAd6J-%GiC9!lZk{NyLxK}Gh*-d7q1d3Be<2?x_$ zC!dIc7diX!IhO0eMEr&E)Y=jcQ=ePhCft`j-7)j=?%JrlN-vk)Xr)!Xsl~uedYA8&^69?1BorBT&3_x@Y|NU+s~fWS zVRA`|)wG1{mYVtUNtlW5TBDny`7NG!c=2pwK@SrKF2^SCwtg6X)3#0ejGqt9l5$2w z@*TCI8E%xJTAP=x^~%m4(Y@fFI%dn zU#(%JXnd<=n64nA1Y~TQ@YD<;$@V9Bti+g#&&&~N&a}?RVGU_TL#A#&#}aM&#jv1Z zSDNG>!B@_wKtc}iF@hxxNRHo}?hfh|uHRV29W&XUWv{MU9>embMnTe zf^FI{X$fo6I4#Wa@iMomU)dHfHqVR+b(sF*&%Q@brW-2Hh&CIbYmcoU-mK?;3en5AiDWcLn_%kN}X%4=8A=Ec2ac9~?q zm0o?xav1oWmA^)Ybh~Jj<>JDfM8$O89%4@Lb4aO~rlM00z%65}Lx=MpOW6iK%v;1j3Op`K-Js8RdBP6*Fk$+cu-Nk#wzIa@c zaVva1k3PfxTL7D;jovmTr#bjTeN_bM%W*}gkC0SS`g(Xs6AhYUOudN@m6x%0XZWR- z->36!1kwX9`yGohA-i!Qqs+Hpbngb6Rh z`tj34xU!W$?b%5&vcE=6$bK{!7*UK#L;Z^S%xpn`Zq;H#_12!>wkrB-Ppn(J+x)!y zJww00K*jDaf81u*X#m)NDM(sHCoc=VQ> ztY*rTY{7BRjfJV~Yw{B#mX|g^bfp64Fw!M{327Y!p8FYGo#%vpf(L8@Qkmm_4!n$} zPNc5Nlf@Q2n9*E{;@ClYEiRlJl;eqbZS6CdkxqeX05-^+1!U?Psa|Lkt)poWaB~z| ztFH)#>QZAqg9_s(kKMSQ(5*y4^(^{x_#bf>c!;7-(2{0vty2XFp2%MQy7R4(xP)Z; zOFDT}rZYh|52PEMCV%07st7Z14 zX{)V)H?l#zoCG9=~Nt&5TKrdF%ENSKF3J@=mo;@CE zNY8H?CvGvx@4IG7n!Y5WjQFh zLh+fx!uN`LuE5_ub~OdvEG~a{fXD$q2p%{^tgFptS1ifE}QBehn3#@r^8xvf;BdEvcQJcz?e$?|Ls_?=WlM&Vif6ln|P> zj0FDX4&|J^w-@^Z4AR9Gunz>a*{=eyo}U^IRp0ftBRXe<$RSBaA8kd4aP9*ibnIBy zco+GD&@>{Q=)Y5#;_|cH&fx3?0G11ghLd(-R1U^Pe>D-Hz3C|Jwm_ak$_?bc+l<1< zaNQt$K^&Y>dZl2bEcyOiH8tGyZQW9>RSlj|F^%885$SjArIxvr8pg30+;MMASRz`< z_v4>O4zN}NJ&uI`#TS4@L-o)1sqz0Kat5$79Tu)3z%_@zay1VxNm@ow2#~tNssNn{ znvvWsDHkQ%dRf~Jj4Gxg!mM{F<`mIz5cLnlE+CdVCfQWndj5q9yWs+(h}hdMl_oc1 zD9RMetMv5nrVp|I>9q1>+ ze@~dM!O7o@=u1*7@V5xdGE0EqoA_vBi*DU9L|9F)_QB^q^FA=geORHU`P%TJr_v45 zDfw`Cxk8jN#T#Lc6p;OrosD_#$~yT3e27}^?}s9=X<#2=M3zSTUm;n+o|csx9xPc2 zHKwM2Z{iiCIPK%FBw1p;{e_Vmni4abVN?`*v_X>z6G^*t46Ws;ryP=}Ehte%ZI-Y})P6F}!X#_x7)AoyvD!2wlBe~v^sI4Y3sJrQ zOsg;h^Hq=}?XjYw_ttPZJZ4ssFQ?SKsoFNzg(em#SrR>CRSw&=yN?mj!Y2%Asju>z zMV=ruw>n0F%gO3}&H5O$AEy;I9`~-R7VabFXNUDYOb(2;B17c&E7RG>s!-@$tRi12 z@79Gl>nl2+1I}&|ORVNJbimW@4lW!-c4S!-sMJ_;oAd=)@SOBvbSd|PuAiw~fpN+F z19S{VCx8MXQZ!!PGXtNl!Q)dM*$Up7n3BoWN55{%;=xYp-t+TSQ^Pg)vk#MA6Nz`v zpo8a4-_s;bi2x}uedfp^T@+EToJC&rBkR4f*NG-pQ|$nQ(k^S`m!={q^w=WNB!WMx zzSMDbCQ>znxsAVU4qiBHDajg_EIo8@COU=Tf(J)EIa(VWFmZ}+;AvHcTWcY1`2fca zg^QU7qveU=FMKWhmf?Wo=ub{_*hNUXX!Tu6AMsI!SXzFSeh@x63Qh{kuj4Fe!3z)k z(Befa?#Z}>Ue{o(9yC6hc5u+Q5bRy8wPucrFl7Aw19CJFiYauM`|xvLFn$^4&RoLWYZTa34U*82<37~l?9yr5?tw5~n&Q@y)8;bJ20sdlYwhDxTO4iyi)&TS4bx2%D9ZZ7 z2xlZ3Fp6b`ydwY89tg(ul3B5!bnaYlg!q_AFf_HdPl=@oaDO}!#zuL<3E`uZkTd0S zz;3pdR0?4)xnvdO3djZ}D*wUQ8x!KPT?=-qP&-&shE-SNcr{seoaL1=?1PU+|6zRG zKJa!(w(|K&l(itd!oiJeX0ci1AUD+9NJ7wto%T>NOm;*T=qB8xVlzJ%Nc2s3_BP3E zZT<>#FBwJ*M}xRMU^}Y9!@Feff(-I{?^SBtdfbF%`s{Ji*v66OK2)E|gBCeX%Nyr! zvxZw+(~4=6H!5Xr*TPI)Wu~W0j5OiFf7MjjqTM!Soonk|ZlEtuICm_9=o80R;rTI0 z%8rDhp1kuHcdss6BDSR5lxy|;x_uM%Fh(JoIo9Bcd=qPIhyNk)Dah$#J&FX}oUGi+ zB~GyzY#=-=GCU5D4oikAq4%67@JB%1JG*u;=>Ic+|B4JuQ-UpoNU!zbQn7tn5H z`EQ>K^`}U;d>%6VqneYFm|zeHP%rfk;E61j6GGSltT$N^Qek8ArvPvfwr%eNdwtTy zZuDk^lH$=wcCE{*$UIZrt)j%-^20dKsWAXjteCky3x0)^*a*ja?-r-|U8fiu)oR(W zGs}jLwjJl@=SZ8Sm*^`+Vr^Fg4j9e~q*;t!6HTK82=dYQB*DDS_)fyEOcP3lZ_{=p zBjUQ|Xc6CByYZQcY0r6A_G#}Cu51<|?kWS5uylTC+_%czMgE{j^41y?Gph)Z#ZEqh zL&*4@v?uR9+UWLk7%NVaGGZ_Gx!Y-@z6L+G_B4#V*6lAo`hlG1ndL`|NdZ zw|HW6k6bE}aFtK29VdVqJjd66HHulJeeqp2yCw%8|5h6OIY1KQtj19oz0^bN_6Pa- z0l&Tt4>jyxusB$vD;e+t>u70>N%07_vWR;{HE1T>go4n@NLZFH+$WnIY@vVRW1xv^ z!OgbpCgDRZOJ*fjneeM``VCgYun?~$6nIj1Qc`aK(Qp)j;P+-ONu_UN+Wxe?w-F9q z`O#6*WSPMYAVEYU(`Z^Z`I}?d>HJ8#^K*PmuEsn8vdsu$u zD{>ce7#LIUwm@b?!;M4B@FQ4?6)(e!RR{z(IMq2`$e>b0($9E{nr>;l(#JySaG~Os zm_xd`tdA{p=LiGYXpm5Xx^k%%uq)uju-QrQ*Y%j`OHyJ)x021{H7U6m3@}^Z?qIgF zOM4SP?9qAWnoZ7-FMcm6P0Ibm_hEFLyb4C~t2xQ<@AN24<6KQ$$?!wYob$^^TXsIT z(ruGGk*E}PTGiljiEjGZGPMX-Xan}peKPu=A~NHBtJZIhdc>1N67q}MHl;#`JT_#; zEm5XxGZQfGFfzjuo(mO2XdUIB(Kjr}6frwEO_&JVr}rb+aXiz#W;fDXoXPIqkXKgM zjh7SoJH&_Vj0=p`B!o3`uhFngl_Is9##g?f;Zr(zDDM|<)dXxbY*^mqPVmPPMh_%V zePuO0!tz_x-og*{Ooz$sx8`*zxx(SF|c&tX7 z8>Z(Tc`ZpAS**4Fd~J%Uuq27A#<$P2C^A2o!k@~$kA^xqL&lald_u*hCC#Gg{mQ#+ zzvORuM@tZT+@wpgc5mluyo|K#fW-#K^GED_&M!y{{V+!Q1Sj6*3%VI&ls{ps+kzkQ z%l||;F{;4-33)H~I8%Am;wb+w?)~2>1`YrO2E(AiwOf-jyi#(=lgxnLqGB zG0`a0-FgvLoNUW@i`5m!Y#7cj)_Dp)HGeKu$6SGlP7XC58h?Pfq`Pqgj`sa~e|jCU z8@=%e(Z7FD{IwRVhe!X(AHo5EkDkk62<8_aK;TGW1~Hn&dV8^BQC|FnI|*KLr`9d7 ziRwE-6)()j1LNoU;*w;K!CAx~kv6Q;4?t@% z@6dqXmY8`+Vw0v;o~&O)r6MIUp;P#e#w!(Ch@a!=8w9`Lxf=jw(6%1Wq*WY`Jg~b1 z{cr9`D|t2IaKzM3!32Z}jmFcQ7drU;*uFRH3%{Jl;C=-v{efr+E)Sg` zvA?;jZx{zp7D5*#&?P%MxnJI{va6>SNGKi~JVoJpTcU*BPYT3!AsA(KNxfNUP}*cS zA-`E!-5&30c7c@ohPXYuds79{nhB_ypt(MggiTX6{sK(zLDYnV)=-c}okgtgADd5* zP*i=5fKD(joaYy~ZRus=O-2;>B(P4v!?);yXk3XMf-F7Lf=9fMB5>bckN~jA7sUOl z6m>6!NeySgs!JtFO1CMMF+{fJV%};Bo0byH^lm#cn~ALP0d?%g9$K(EUiXG7*cev^ z*IczB#0Jyd#hEkn4c}VIT?|a$V8kBJS500U%zeUEP|!zdi5w}S&zeAU0{ zNL?0kNNTO!5h6p&mx7%TgVBIhsY)C3AIy*uRH|Uj<0ikM750Q(1TEOZGa_9*5CxI=l=ZoW0Fq=Arx`FDsTW`yo;42k@8ZF&vp^R8LZLo%F&@d5!wiIiGQw$8NdKH^6Z!L}W-Y_k%OU7M2mN9Ja$frR( zi(JQzu#&P&vRz#ivr(SpLnbZ&4bi#Tn8|t2j}A^)W2)&+5oAwF6A@`*)Ob%E^rJLt zDvS})-fzi>Li!BDhhknpM@rNF6=}AB7;=OYsiFRH+NQAq?Wo%OXuX|UH(cB6Wv7X`O28SjncMobJ4cwXE zN~O|@6;LTas)EY-rne?tQ#4gF>!CcDB3n-9TQQ9eqN~-2!G0CQ(hw_P?CxSPy>En( zH>w01zC*cz`wLX(8LPvGGZ)b7(OA%+!eMwE1CRghSC=Jon}9Qfp)G%H)uCvw(xlqI zTqacFbb3@e1t`=iH%5N@?`|4CO_|h=gH7@qfA1i5fo)W^)Tf33dh z&l(vSBzBSXg^++bl-GJV5x$-5Kes)HWI%u*{D*}91AqTx54;eP5j*R0XDA!$&(52q zc9d5dV@0Y(rHK48^))<5;9*BE7ZpfB4?Wcjwqb&lpuwPwqE-c=LTqB*gY~~bWnQ4TBjD|tlz?A~OGHtxc%gMGzbevU5h{FTcu<&C zuuDs-UW!$g(8vMk9tLaP;J3nIia(Q*-8M1Af%1?_Hf7D=D9YLQoKUglKm@hsJUM=c z-uA9A%c1$a2mC`y)Tde>hT&}=THUzlf2G=d|H-U+%7Dqt4&cQP>%L1&T1tW;Mwh<( zdqc_xo=bo=X_N#HzO>tmY~?W@jJ|zS1M4XoS)1;8CdkZi3bcYT9c)$^5{^Oo7>5>| zpv>6I50V)%9kJUT-|q^9>XW@cIzwC_-pUzFBlVtBxIt41p)tsD?+BYZlgDHq<+#nX zHr3G+zDr}A{6M*tRk3HhZbTo=8i94CzJ|p6GMv8>oZhvl`q#i6e*k)2s1S$LBd5t< zplc!r?;prb%DIYOhL;%?+Ene#t*O&YvFya!H%q7GW9Z&V}2zp!eH8bhmY{o?aeKtECVjOKcV21khOF!{+NSF@rQwuXS2Z z*C%kWbFlN zBgM8d5?kn>nhjy<0;G3MJ}*U~frH%5R$7SqawtZ182(JaDLj)ajdOnGF*_^zUbyP? zFM8LCtY94WnDEm6TMZ)QOQ)s`8 zdOD&JY{xjc{;+M&8v8bGUY!)0D>gWt zN(vIGyC&=#ZV3{CE6fyN87ue$Xf8;`8)c7II;N|GUs#Ef_w6rOEuk#0g@IA}9!Wt> zAf^f~=-G!0k?6-&nAQf}>3hajQ>4j{GD7UhXbnV7&5OWUap)^Azkj0RFY`>pve)3w z;WrAFTpCU7=$~+pJn*(5odqy8w@*E*opWUk9&Wa9veZ6E7W~Vm&xb>?d}I%%_)?qt zcvo-$vLfv1p=F3X={m?IG6>illketAFy z#H48yT9#@|*ZUB{%Ejx&0EaMkT~=NwNs=MT>axx z@@i&*Y6yWpv`#hfngRptuT*KG(cvqNbk6O!4cq?EUED%) zwzNzy21AmrsLCw_Z=M)~XJS~|PXUB1;D4ED!XxM!ELp~}F<6q%nj~Mf|J&v#hzz=P z$Tqwe@g(@ig#QmDz9^>mew-=nA&H{g4yTGU#t`QUa)ED*b6y`JCZcaoW))+e<^k;( z_%5P!9y5U<624d%0eoKUFt30a?5PunE#bu~u5OqMgoniYrstA^E6QzRpoN0cEHxJH zuN254@)6z-NeQ>hSeP#on#QL>;vauQ;VrC1B7HiCO)+8bJj9`@ko#7X(>@_Fy|SWX z2O*$hn!Bbz=XsK-xVE&w9PboCYoaw)cnI}KxaCBA$~k#Rk>zJ#Y6zN~7VNH-i*K6k z3Ler|%I+V*8Nb~fw<-S)$21`snx=PJ^`5;GOv-G$Z=s%M63$ohdxdudOavI%3fXtf zc6UBkVZ^lGvmXp>=iESA z!aQC$nf5jKY3aWU2>JiOJttduNI{4ZwEMeuQ{@|-tXZxvS>@Z;TqlmFyamK-1F7bw z)$U{E0njgWL=uGhxoQ~CUj2>G6=v8UDZY2vIQr%^FNnj3`H>kyl0v`RM5%OL;6x8gwl0#MKe7cI|oh=krS73eZ<6U*5HE{(+thx_k_~lhl zyv$?XGMU}TqcoE(;g{9!4Zdlt1bYwI8UE!Lx1iY@QXJ84l^WdztQX8g)|3F>;=nAgGV$hh{jXCJSFTU*I5bY>&* zr1`c7+FOYBybDvC8A79eXr|y(=m`CacsdYCOxI6CTnzBwwr%`UQ_EUHLf{07|iuv6|-t*m7@J8)(V(jO|j}<2e zp67-G^Ddp=yCU*upI4&YSxjs5JYHFuV4oX~$V6GJ0)3yRnM#p#ma&oUWy5H{bR5}Z zu-w~r#@_jYjW@@AUXgwH=ifx_|yp zMLWJ9|7}w=q|5KI561hia0!p|aEb#Ua^AGYtzDr0{bUA#bESdZBwa_5tAiQ9z@v55 z0-`UUA>L~J8ic`^V3zphhH!S2wQoU@z4;&<7tRlG&Jm>xDCFjVttzTUd<;1fpd91L zZoBvS0LQ8EyNG>w2+i3F(-{=(;N!{8odDW?yRH z+rXz(+Nw+2;l6);7E$a_>6D;K=38F!m}s;Vd6vKHr@V-8y(SMZThzaozWZIVzJ2DQ zN!bw1*FE^QX?@u!lgp?3 z@aTIb1*jIPrlP%~QDS;nP;pLG<#6L?iV^vfue$dP{1_@HX|N$@9ES%fWzrtdD+c^7 zI1>UhdyyE?agrK54?GWua0A>1-}{sUgzNCF;;p$Nnhny$m3(X2M9*js%N38VCJx|R>&2Gy7jQk%r97r`Z0fE;0b%;aNI zmdC5yOJH`bxMCIBU|^0Mw2AS0B78UF(+o(kZ+xtdK1GC_KqVNf;2nHW`xB7z*9MAu zg3xFk{{+kEhUjBa*f1PDV5w$-J4xnj(HoJRlQL*(`knQ9>>_gw& z#8PwnaR%t>8^*IOqyv!e7a6uDux3k|1v%U+aqGX|h?n;Da~`s2sjt!asUTn+XnyPi^xF zo7~LClhL;>KYbR`J*+Z)F08>05=a;GfV!DT%ptMHiL(qrEOUt)v`&i2TgzicKZf|ns^&g7=BFjk)K;8y{evWPKbVR zuh*@!+!JZ)wwNnM>baI~_Vt z`8bQQL-L5T_^&Z89`O8WaV7)zX|6s~ap^u_Wv?XW?EIY+4c4%=*9LN$^C6x+!K&U5 zHUC)za4%21X6f|-`d9sgU>p90EI(i(a1(z>JDmT?hoA1@BXdR4jare|D&oY!=izJK z=}WOcjd|_s@~A)I!G;4$$#e#?DUVQT5FtWt$-OW2!K2g;L?S2Ut zu<*p(CW1w=M#g~YioIZr`1eps=yaHQ1(-v*A(-q5Hfgh`)bg$o)#h~uhC)YSUTAeF z0c6*%@1HOZjz%AyjzBHf;A{RhwpIN9ods~nj+GeAEtj=hsDnrq_T0J_+`}(p$s`cJ zczh3oVy$?6OMb(M`l8yARI)yL-z)y6JgVLUzc%HMgl#P8_{$~Gea>C%JBAsZxDy9+ zE`H5sXE|JB9A#mJLm_Yi<4Rcoa7-k)G7dc{$eL_&ne3Q8Yxigh?lgRqYtZbzLj6~J zM%EDS@XGHsZr^@udiM}F?tZJeZiA}G^;{9{Q0pNKu{_?Jx?BAwwC9!$Xttq(<8c%C zG3QaB1}dY~jBKbHi^-8$L{>Yh3oi6C`m_@=hTqHQOR?y?Xyl8y4}kf*2*1IKL!&N4 zyQ1{enLtxp@nG2VJ=zomS64{lv7psv`$V)Y1iPa{)&}H)1G?PE8&9z_Dt7Aq&W6Xs zjdJHkPL+SB0$eLJ;(Nw8q3ryoL~)P^WG>+xmVM9sAxxyQ%c|cyF4;rq={}DY$ zNqABs*^!1D|LO%gxlu4W2sn{tFm*few6*j zTKC!+`z>6WLv!1esvS{#_SZA)i#yq%^_c^;@LAm@Yqi^HateV`|Gy|>tQur`)~TNi z?Urw9&Heqya{Zpi?^XwF+>skkhxRjsA%f)6dB@ALym|n%^vkF)n?J#(*%9btkHcCiDQEyeC^Rc?8m%Y+v`g*%zJO~#z`!i=hwi4~hz`8|y) z8AsBgPmZ&za+L({TSCb`SYRP1Z`cZ#?a>|?vwB1DRAEUc5c^yvk)w~1s|(Gi>f@w3 zs?qoy)=6Q{6mIh!Fh0)gR$EQy&B=u)8qgH`!rszAcEeq!#hEy=SOf?1Oh%Z}9p9Klk%~+w9`l(Z?~$BS#tV zXg2Az8zc^zOsiOcYzRxhn_^;oXLjL}Itlki3zpyoM>d3=P6S?Km zn8V#LlLq=FadCJAzP@%ThEtR#TUD>Qq%Oa|O##;rz1pXdLn^p5Ow9C6%o}PXtX+MC z%sIp&IH>rC1(ZI#l1AKd56T66u6z$6M;uiwq)kdrixoud`3WwOr@Wci6oI`EHFYq? ziVLUF_!TT7MSQuBEnge=+qOGuIy5zVgY2XbaA^3g6mIFgDPGUB7v*o#O_?tYQorIS0@h@V7U=81=Y?na9+LW)|wKbG>=?Q*%}_P8LP;3xHeW8ehH zhYrJ32>(lq{$C8-zXKj1Pzh5@sgG1khb4K4Hxe3DEvRWM=26gv5ph7S6#0wz6m%vb z1ZafV13btow_%N7N7@?~VDu({SV+{?%Hgj;61}BI)7r9Fu~Qg1@s0_lULRVhs4wTu zgvUOqSivpk({<-(An{wtA07bI52nVH&t%o9C^~JS%R7*E3I19*9mY6-+?#;GE1~K- zY7Y7@6Ggc3EvwgmahmeP;Y`uIz?j6+c38IsCV2%FA$YAmZ2JmP;CY`pdCP>;I`R_X zctUTdq3mZ|1na=CnZ=!ZQPh=m?B^ZD*AbC7i=R7xHGAr#@(gP=b8o$%`l}9C`vF%K z>n7>3pylePzbx4UHC<0~-6B?s0_TRC+(<(|?M@nHfoVxrVQGPdocS$7DmS1)zN>N{ zEBxF!Mk}Go%b1n{@57&j6+4#<6GA>)db6HOZFS=bpo@Fbjfh zheE$)WKEBTNG0XjE4Cv%%1TJ6Ma_*P66R}Uw4gzP}i6@l`XQ5H1 zs1UawWF7Zfh0Nq)8xGCA4un(4C3uV}aKv&WRO_S9G)aaNPvpezhG5)bfCo3)6c zPabDJ60^|EFzf%Go^x+E*I!K@_a^cBLq0g{Cyh{jM+pa8Q#TADZV3mvtYjfD3EM9& zP&7*1iUkK#kg7~p_tE8rNsPGVmv?U6*5ti<`t0u6>FI6gT0xICs zZ81rz2qiEve!+{sv9*Sp*$w^N`zSxfl*}dOECOKlr`p6CJ6t@!&zd{kUOe^C zwH}#QCL8zJRsn8*ND#eb7dkqpMZ~qgT&WIywlhHo?FhZCO_4c~Gt}CD@(aWOhj*X4Sd#{5%~fQTuDwaB$e&T6T|HQcl4P_m>=zwMAv-2dWmd zd$7ER;>swvUjv?1x;S|TQHQm!IW+jOjIMz>ADe3s&bEkHSg#tDfxIOvf4lkG+le$E{WvUcm%5?Wa zJ62E7W1ipEmofHp|IR7$UlF$ibz1`(7@78hYn`ps{IVf4#HjV~!{gkLGDZ_|)jvyO z*kDVQZ%^(s492qbLBxc?jl~J4kk~+e@!VifiS86DwF+s$7*l&O)edpY_pVE?EK0LI zqYqWa5787~m#u#!p;P56p*&HJW|UByh`L-SE!-HZt@NKqrlO5zBQnVR*C(8RfVd$J z3)A~91pF|9^M6VAo3y+UaSDMBt%0{!qY$@U(lt9q=T~w@QKLHH(E?0fj+|sF;?m$N z09N?j)z|X)j|)yc!N+T4K^7N5=>K9e`>E(&ylBpyr$?9$tKDHDW;eX1E7+BkPAL-7 zE#&ulay@*Qu5Cfb2b-BI*d%+EcU^egN(r;#qu)2ZI2Pr4c~KjeMP>3Ol&S}k9e3XZ z@;BUC!EZpwmERJR20Iw7HROdb81gT`<#v14jslEpTIiYMg4M%xj&cXx}vGINEMmZdQzgEdcjEzcW7%%rCB>zq`WMrNO)&auhc5 ze#BekOX0$}DK5Y0xiF1^v-)URI%cSDx}7Iuqj-UAHfnIc792piSyA;wJv}9 z-2w-B?NrRoUjsbS>X*sS+cby;>2@I3qXazg?>Uq$uZmB8o1n8Jd3#$A#b&wVSQ1&C zQB6#VwYP?rh%&DXc44=lFN4n7hpC@)rBW;AR5Au#i2QGfa(l)fLEPjYvI66+u;Vgm zOvWA9#rCEh^f#yLE|i}>N$2uRMWHRr=QBTg@>)LcTbwp1nZ_y*hZp`sObuGr9k9Qva!{`sWc~vb3>BsJvJPGt*gngYJR!0;K3Fh z^QXyMt)Ev%>)Xcn{2@9HOGqGgm<=ZJ96kGbn82ayrX5 z#bG_qFmafLA+}l@HD=O__+yJm2}gV|TP+C(b|MDx6M84$&}R|T7UQxmb;r#I167XT- zV#V^_`^lmq+*F&k92SZIk6WSr;oDuayO$^^V36F3_BO}5XMHFHgY_sE@5h1VN}bW z`#k7BPm$;U4wQcXeM-M+rRIr#xH*OBBnw<>{v@UVSo){KVPgay16DD9_O7YxJv#f~ zKVidU;6N3g;7`F+`&pkE{La$kO1*NMtEibGHDbT=afB$#O zlWOSr`r};-RIk;T^7WS`_@?v#y5YaO*L?BS%7;Cmsq5IeL7t;yh*|rIUs`As*SD*C z77rkcboEDS5y@OH(yk*g9SE>(=r!89PFE7xt>T(I+0T7Dkp3Hh-jB4C;S=UHxxHo@ zVSYc^nokzCyq&KRm9?pAp^ur+HJad5fN@nehhv3+by#}odfLnmn(p}P&aPRvBv3?P z7%-x-=TNu);X5}{nE`YZ3#OMaypl@>YbNuRJFBh|6-OeC8MDTSwzb4WnJ zmij$sp!B}!gigWJJJ+u1{~_xgqw5T}cHy;R+qP}Hu^QX9jTJPu+Qv>A+gLH$*tQzm z$>}@3@s4x8z5hMqe*Rx$&P%gQ$9!8WNr_C(E69ghOy8^UDfY_?z!2To_v+cd5f8zv z8*1Dz><o+-uE-3Q-PtzBkZ_NCSHV1!0l?pH;6Hr%QAYrfd z64!DKqo_k_*+C~29+S#p7dA4^eUrt{rVs_IdZCAh1%Cm5azm`jzXXK7I3%9Ko(Sqe zI}C!bLUW7pY<2lb8`OelXkPGGcVPl@H>>*<-lmjmSG509KG@LPe-a85pmA|6oC$

k31Yk7dmJ` zbPqR~W~TGqzc)HP!BhDm&SFa)MP)Wk(-)jDLzD0!o!Y%ee-}O3U;~;1|+=g&W z)E`C8W-LgbSq@79R_#|bd5&Ti;Y1SWUXUni>MU@)RWv6Hwzq*r8;*lAx-NkTXL&D# z>o?DJu27FHC(eC)1iaOv=wkR43W%o}&c0a+Ehs-ivG|k7lt+JalkM4npzTUqpUaY7&h9T46&=8Uf5b z81LH|?f2A!IBtq+Oz9aYA{q#LdP5#B+PSl%jScg+n&I~n+n2ymNziw98byG5jVGJp znb(Y_(-3cBl_30^Ub?U>JfqAmk=39m32}mhx!7CisK0r~`FeKBF5i|pJytnkG}6E= z_>NDPgCY(Kwe=3$YqBJigQNftzk;15YKkfnl+N5znW^@}gI%EQ=a;gKl-x?uvrApS z2CkNM_Vs|Hhg8*8(1+72D6hWE9ORGV{-_Ayekrqs19-%284HqnHg3^v`srjYbeaXu~?yX}?^_gp{giYfM0p1&3S${$yUPM@GlNU(ZZ(3yquY;i( z?!TByS&(S^e`z^N7-&RN81j^C0vUTy97_=0s!5B7d{aOl;$s%R<0(F<^mTwdxtJn& zIhD_Y+2jKXc3V_TdBhW^X<$v<7os3tOmejwP_1&9`6h9g89=xtv2hgoLnyW@?{C*$ z+3ir3D`_z02q`cs03sXdN_i}V5?0(~QFVlE$~Nzo1b5#(tpVzC8kdYVOmMxU6?l_p ze!l3p98MAf1KCz`=Y%$h`0G_AC%!+#{Tw&t6TRnCgl@J>knRROhCV3b=5kvCTY=?8 zT|xRAA1t7WGZY{z__KVIXe$&U#;k~%ztZquY;g#vp|W~MEO^EgN2;F}-1@#pg=*@2}@`v%~xP6tbRTWMFH4xB3 z_m1_nv|kc=##?O5JBqbAmEZLapWhaj3G%+uf zLIt7Ohzz7kfS-+fQ(3T6SiIvi`t^69EaLnY))!2ogD&Si{0m@&;OzOrytwa)9?-^Z8G#?E_U z>kA;2=0{de5o)qBfOpcfm|Y(Xy(}6>KB1tjt1jK_l}H85N;$NX35%A9Gg2&9D)0*3xOkOw$gg!J7?Hal+j zx>hqFE3%?goNSqi%np891PIU@RK>lvs`icoHwI{cmm4Y6Ls+QIpurznJ(fRNz(yME z(E?4Xy)nBS)9Ick)@qVvD;E;E?>^ysFOyx;_*k;qU61&ac)Ih>Y3)Vo3gTXCp8I_$ zh?E}^u}0slte82t9M4m;s+8E)R0T~-%-t6|6Q(=cOa{P-=c&pIj9MZIxZRBD9G(Sk zO+tLLo|7tys;6R7-}n`r*Nh}wL{3s$!M~84@192+=~pGA>drylMQ)(MdvHN* zBUdXGgpdjvT(*11ELhm8gt}#?mkDRkDToinE~eI*c1a zIOx)@Hcse#{dM6`*F)X%KhM)AbqpQ6*f5miC}FaQ1bL27Pu~hF30*`*iVPu;c(;QD zR$8urf3x=D#4B;dddF*FA1Y1ksqnZnYHU4PN%csx3TU`ZbdwDJOSakiC+4Wb{->Bj zNJSG9=yf=p$a-O~afDoD2l#l-#LNA8Ir zI-zSp$^zw3b#2X+?(`}_zAvw21RMl(;9n3`Pyx zND9NOt&|(^+Jh~1n|jrs!5PN+s9gBvT*1N7W00lu&Gs0vn*I?n1x3=FH%5U z`cbv@1-(!MdZ8IHDe;28<3y4O0ttGonnF;@(SBCw=xtO~4QDE_2U6z?-)OBEKFAE> z?%eXV7k#+~MDrXFloI93we1$?!6 z1ZJ!`=#|$G0OfP}SAT>beo0gH9A9ATdv|KC_;UCRGhTiu-}VU1l!O*~MD1VMFdV?? z&&E^K@$e_*Vh-S%X&K&$IJhhe5UL&!cF!PqsBU#8@W&etq1ZOAHw#qtNK19qKT}qN z?&+Ce$b!7_3UIFd0uy=G6fozypfbYH!YFLZJRT*!OdKN-1)=(Bp>Y}jIu;PS*RWbl z;DW`=fZ$2Z-r)3_Wg*b9S6Q1kCkZ#X|6NW0I(1XhQm9+cBz8WjHxVS7-M|kq z(}Msx9wxQv*w46$qGCFDGEfjWwnR`H2ppY-X`LHFrdon{fQ}FhOz0aEb)tOlKEzCJ z(%yW|zn{5FLsXT=1Q?-LdVJeC{sRq(#?n$qh`yz8!!d!8OOsun!LFLY4gh(X_BlR4dLMJdgRD%ow>0=K3`xJMvJwJiyudEjrOZ6FBm_ZKVVmo1d|qQ+Ghw1wn4lu%n%>+Olc z@=;$3&WI}ZiaxCv+xDyMsF|23JXIBk%0Dn@6c&3beJS8C^u4oBjbk`wg>dda z!Jr*=De%YX$SCh~v%o);KgT0Pjxhv0&ndrghvK&az6o1wG3|A$>@Pl?F?gW#KBf=U zSuUKv>tD7sZhU&QZ}b*!?Z8mK zrh^E+jJAzC^UaV^xy!N$6~m}!hSHw=R&5N;rN<*C(yzB{O1Iu0Nsv%s7ha%cV>;$6 zmZlB0Ln6t0$4JLJE=f-$=!wO(^3Jfs^Iz;F74QQA0)P>MU{>$ z`KpqC6S?1wa;kUewi<*<%O3{fCkX<61xs%VTztDhP)4V66M?mf2(t(;46*Y~O+&q6 zx^&KSBLKTjND?vnz*H2H)gl*!&r>G#KEubnay@bqp$PAH61KrqU4U7#ze%II1BAao zUFS@S>mv8@)AHSspnWkIL7((F*GC3*wBYV1@bFB+JUPrl3E33AR>AZ7!KqwiJmxp^ z<}HX1cm;-01S|4m<}_Tfdfs0*rfO(go#Z>f7I|)Z1kI9swAO)x4B?LF@@z&Y@#W^7 zR)=?5A6A&PjU6g`U30sS&x7srf>mI{f+uBQ&iF~&`)mA`nsT1{dRMY~9!VEHkA+^d zz8l&gvWB!AErdOMul?ZcJT~8IJVZ_QbQB%>x&b5pb3cQ2GKaHZebr}YBdLE^&JvZ`7@X90P3T`AW-F~gip@C8s z^Pd?~L=j)urM>248QdWjwN+A};C>zbY31y*&HNBYbxto59uf*@o>tmO&Tj2xJ#gsVH3LlZ3LTcHsOlVkT{Hi% zi|J_p^&Asmk(BcIQ7cCdEl0gZ0v;96HJ@MDyZf<|ERgyaLzn@>Y_!WKK@Y2n$2rD3 zOT61151Rq8aXJ;r)IkT#GY_yQ4KFDbXM#E;l&o>HSFDDcH#*h2H%V2{xAh`{MDvH> z7-akb>aomOmDenxkwzB?k+;7cucg{2WGJe{LkT=-M5Qwl%ZEppn%RC+bMn1ZK>u3Z zBARH;V~wQcS)NH@45|7F=|xb7Ge~+0@h0pLi0h%x5DtWsFV#Zk2~1f0dWS}3utN(j z{&lLYck`PNzn=}_hv>oJX1`=F(vZpz@Wwl+H`6R#dht*Jj|*#*;C_h%w;( z%tCe^K0CW%-w)!{iFYme&E0>i(b(pLPCbOW{FHTK(+zh|qm5L$LHCq!-Kl7cs6H6) zFIU*=d7p}DOyFlKlX1uQQnM)cn0!NAyjq`HN#baT$4W+syZa4}y36^9*Ms7jV~^)( zXMs*Wjnb43H$n|3ON*T7T+?3C*Mh(@w@_?%OcPeV#4S!BFketzp+8}Ap1DW@fy(lcfP#Fzw`Z+n6;(R|AeN!<|PZ* z`Dp3f9Q?H3l^B2A;OH*-UiZK@D!c5G^P7nB)L}?Ne9ueVUU-O5Ix(SxGfAKz z_=7m{z%Xxbil+XT0+lhO^X7p8_m-Po->hJ_^td0O4()N>>J=t7kpCFti=xx{y3&#+{rO6TIZ7vzgQ_oE-qRO zJF{LnP>Y$)kjPum{-Yx-UAIGGfq0;5hi-=>wYiE1jEbx%M!^k+_h|%-JetjtDBZ8M zH(47NST=G(m7bSs4yOMwj$8XQ)UH=ptf}w0KwaB4JQjVswZv8AMQjsAIY*X8F8>Pk zBLeUuI7Sa(tJ%WWDqF%>RSQKZ<4pW6)PR3@#bqWu>Ry`d#rXs{klkX&XJAeUIMsx> z#xUSM+f17JtylZKb;oTKXQwI8sf3wbzvbUe$8;W&*UXEk9+Jtz8>sKdQ+h#FjwZb= zmew;Qgj8Mt4~Y}Lmn1wBqJhPYwK@xKhdE4N{RM*qjpysg70vu@An}k_PLfQ=K{D&u zkiN}9m2d<`ZK;|U0{DG^uxI9i0DqMW*%r~CzADN(FhPjZ`}T}z^+SxfBcK1b)1=V(q4pCZV)g0#+PiHd>fB-{ zNvZxlYGdPmpw|Q9gvgZ9@ z{JC(6^Q!E1eK+>TGM!nUDYRulRE!);^v4G?RykDC9>^riBORCg(7``|BMY#JXhx0U z-fBFNA7fx*L@K_2G{rL;nZx=$kM`|L6m~u0IL&=((w3@cGO`~7Grun__5$92!QXc= zz}2T0J~aRT?Unc^U0cFSiL>q(7z+Xg`Uc>R4!el}ujlUkV!2Wqki@dEV9`l@k6D(z zr%05G8gS?NYr8fOFsfvdOK=dAMc} zkAsYasjh$FYK13567{=vFjAu15>AUm3Znkf4!Q3o=aRf#M@wTtrMiWWduM=#b)LS| z$VY(%);a!Z|J_8b2Nlt#EKsTW>z0I1hz-JPuLY~f?bp|^sh%wn1e>yyDRaEZ&LHqj zUSOr6>(bKs=lX3v^<-ey`|EE}vs+TR73G`t`;em*!QNM)&i9K`v{ySZ$#{BzD7b>V z#VyHJ_ML2k&4?NW`hV3)Wf-sPu~>#G5iH*F1Z}k~lvJ*gOp)k%f}TX09GlJ&{Axr-!I1&x=;=qnWA%q<-!@Lpp{Qom7P+f=~hE+k=r`7gcZq*ghhPh9tbKRvHk8F?c%Y=PrfnJ@szWqtzI?K#q;di3U-25UuK@NM!kl;XUhaa*|A9_(5ZCjvg z43qs3omyYYXwU7X9EXn8BFhv3B_6h>Ar@yk+^+5rkC;c+|8-Zx<_A9U_e^(W!at>O zMh11hUMo$@-{z3Xw#N6`dOIv7CGpHh`H9y?RPIeXJ4XsLss}-##J02y7xDgf@eZ9hCM@!QyocvpZ*+XFpA197DCQds-BXwRa)QQa@o5&s& zGZLI!`Viqj5K~~#@;jxrV^k#j*?KKJGn$%t{KezU-s-XkzwXC@B$DOHQO{J(GZjoq ziL}j6`oPsQRuPZrK-yqI@7zjM36}3+EBhFgbM(X~QWeL5-M_h*3bgvx_%3P}0b9Ot zt_~;N+je96_XyKkDXcxS8yD974Vy$$I6qqdKyFSH#$%HOK`&54gi+5l;$^>4AYd#7 zu^z~xE}%54n>-Ue59=DUnp6uV+Fg_&EVLA>8F;3E-|uEUd51Z#pK7<^8*@CP`6pfl zz(MJ?#v}I)LJ{~8P7GMRpE+@@5I2*Y`FfeEUlfqM^@YOOopW1KwF@Mq3;*aNFx^&~ zaw}+r6Vs3AY>#!VBi|P4bm`JE1%0`6Uj-K`=2!R^GG{m9`%4PZ3~WHCpLV* zU2N8^*GrDh7cOw2rd2JlUX9VsnX~i4k+sqAvVB>^=iPWM_4C}lWzS#kwLh2TVe$k~*C+?eOm$cBLuAj+BuvzK z3uieY!~^l@6ka=d2`T(H1n6uFBC~UDufxCi_TAT}S;m^p!($maPjm^!-((6kMh9Roq4M}XS!K`Rq{w6Dd!XaOqb$tWrb*%}z6I9z(^K_}8839CHl^!{+WZ z{#yt`j^6o5rnuG=CUrO>ufy7qxL4CbTftrgIbLuLD)J=?+G%zC-NeR)DwXZsl1ZLYp;86n+wBOx=TCc?(F$mnG1U+RY zyXDhXa)vx}CKYk1=tY@^YL=&#JNcE`FxxmtYeAkQFysAE8Pq3fYL`Xl`9&gj#!@yO z|AzV`{l2{UoWX++13j(fk;>V=>ge-aFX1yNV8g1KbhkVc>M1g#a;C_F)1rCeo*|v6 zxVG(j7ivZcc)1m2A~=&>K1ov0xhb(&>|(ps7Y{BXCpce(qZOw7cVB?Yi`!)M>y_zL zq*=5N+!)IrMwhPEInGhg&mu$0YA2p#B>mV8B9d#$?5AW`XuUimGw$rqn7xOZBXwA@ zo>J4NIjdklPB*C^4i9XXx>i$%E1F&E0)JdnUX_ZPjywGwE2^4nIcw}nYSNk#*!DK; z7%l<=X7NdPk=aN&s&t=AgfM1;RR=27kXA0X*9$k!e&&p$yoGeAE9ePgQJPqpDCjn)KaDOReG+_D?eayVp9==M;)CI6jVJj?e| zG-0{@kP#Zz8^mTd_XqKt-$@M`CJ>==7HMnln4;65&Rf?u1dlkNE;JN#y^PzLO=xV9 z&Wdv^1_t^+H4T00{NC38^37~e0nirZD*57p+d$dl+Gsj4&sgu7oNV!1sh6`bKfYG& zKB`bPvG#SK4HE;NH*$sRIIEiK7W5c_dK z99BT1ob2ORyPvF*g@xBfEo;jUPof{uo76lOkWf5()k&*LJW;Q#JM)J4!7by&<$gEP4&D}n&8yZ=whhUdoRPY*ldzc2;3Zr zV6GQ%{#lduZDb3w_CCL8ij;EODmAG2N{cm`j!E6W0JFrBGP6OlMTtq{%IyL4wE=L*WzMKrQYIyfR( zTZCm+C1N;s2(nEUGmR*~gEc*=r}JL_DPoh%NR|v-1VRb{Vc!5TLar?I@Rcq2ZK2U+ zi1V;sJPre}&o1;7!eo!h^_R>Q8c#16rMw}V*I6m?8!kJY#?0JD*8yw**l=73t~Gef zn{vwtKcbf~Sv?q2QZtOM0X=F!0qV+-h@8$PU>u_};Pe8&?rO2FIulBjHE|`nojhwe zzEkOHkt+LhXT=p@g@h3!OfD=x>kNKD3(-ptrv&HcDQZn&m#m{`qD zulS+>vLASYg#Ky`S3F#IrIWFP&Kn#?)-nj!LJm;*k?MdU*#{+vUy&?M*~6l!Viqu> z8hXtV4TmwPTP_yQC0=KdXQ~zl*+SU%YmOpu{Ib8YTZ5>H;_O*v$SEQU(aG9nWWyv-ZHVntXcqk4 zJ(ElaPf(VP*q&T;j`R>GP0HS-SPfe4*R)H0gLzsm`_=xWTBaoyhg*3#8;ic2$ zvZic{%|!z|Q%L{Vq4pJ93)@IJSX@@@Cih8kWq8|fJv4tTr&^t(?2o8N6RGP@ zfsNjQ$P6`+wUz*t<-dRY9rwzRr91u2d`j#QYR+#wGoP_1807R^}Q$ z=esF7V#yP_$2awsv2pT_KPR@Pazla*H;kSbAcH zUj*J?4nNI}&L3BYKPjtfX$bRogf8h{xf|R9Pet3hf~%7bvxN@OQn;{_%>r+$`!*k6lK0#GDgW*F#x>CDxCA+v}#!%l6gzLWr6n66R`E{H1#xyxDJ zxxl^5;@?d?Q=YcJFb1m{GRo0(;1o0bi2dj!DAe-YTJWZ>wv@Lkl=IBTTrU7fW4 zciEPG<<_^br!UhF1|9-U!Y1jwq}++*4kN|@c^HBpLbJ&$T`y?dg(_YtpkQ$?>U`Gr zOh*36z{x^h;2A3SRZ3Yf`>+ck&?IszsFzsgg7%~6x0TABj)msLZk&wSTN#w@dA$t4 z*p%2*Ctoaj3tDrGQmaNaD5v9U-P_D8%NJi=khrlzy! zHF}Q)wNK-Gag}qfl?sM2{e3Y!Kp@s44D&9V+;vCZ6_Y<&PXyHdiOlzRK-e^v zl!A&S0-f~ZLzOTokiv9l4uD~t)bw6H{j570p1`_1`oZbo$ZzLAQt)y@Aq^g8cJOLT z2ei`Wa-=rZ%-Im(CxU%lH4#`uvIEXHm`K+)F*0S@-K5)f@|MIhHhBydZR7>4 zkMdQgUa+W!Q&7-sr4IQ4G7B}_0a(|So=3ssz03i+?X-q^{^%HNZThu0)O(lf`t|yp z%2cyJj$@Z7Kj|3#e0GvjN!<4zL_{J3CZSV;_077RgD{}ojE4Vc!x^7ICO!H zsV%l8fuOfDdsqKfmR%#^#o6>y=tl|avW`;S-Z_$C;^Cwu*kdbNm5^H%y71*TwJ)dm zcFP7GYaEEwvGrYy5zh#VNiL%941;>gJye75=2hqC(JhwS_sP7UUg620(z5WKe2zFj zO0kGd$2fK*shWcI|FW!PQPsV*E;x^4b|L~fS7(co(T?H z+=35|?gH>>e})8@z?o>-gt5U)Dp2Lv+iRw;PCxrZoVn zX=LFb>NT>j9_!HprO+#RB!N5$Y&ql;KN<<($AdssGUJj{GUJ}FJvu~X!W{A=KQR^Y*n_wrsI&+E3fs9oM`S>noC zZS+dUlA-NTFWc+b-Sl>I!ak_>+3*bbpab5!= zCp3!Od|x%Phi2HvR3lnkv75SMlB1TS@mEdc**3CZl^&D6*GAz1gK>+)M}UkbB>*4R zy;5vKBL+!_!;hToj!lzY)Gcc&M+bph`&9Vm2DX02Si^p`QZ<^LBM}2&mxbzH*)(YjDa?mx#yK#g=^A=(9fp-Xtl-+(7@`P5&o8 zvuMTuBEaP(rJkhGI$bLLsZRN8pnWHE3EX@U%}5N>I5<2-J9NZEQ-BWqv>?N!Ssd*r zslPP|neNy9PajWh?JZ&9xs5sZDK^+67t~O)e6mnP3dWkcf3_@^7_!kCP$k`V{CEQc z93lk7ICXz0Tz?@P#W*_{yl(A1br-0)^jr~?=iI|W^xnSx`D*6#UK8*$IXQV{f|r64 zim9=YOwE?J7Z&v{hsr-^#$FiK%E3!A&yfb_>Dtrt0Z~k9$Ud5C6kj#)Ti1BFkND3L zQ~103f7VQ}%K9VNKL>Z#IOLV$u1ea~%iE)2pa7jxdTJVK0I-fwP9g_bfRGQ6>q2(hyXq@FhBJUDR^O2eA6heX=X7^ zn9RzOtj5{4qyW!HUjCD3&Cycb@Q1u9=Ff0u1!Y+KAIP)YDwsli62s1l19+!Nce3|5 z!#hRzIrbsW!)m_tTwIwcdzK2s8Fjw#`zTM<&hJ^vIfWMM;ZkZ+4YK_sC_@2b@LdP` zzo-J|rD?w+0E|rnBM{^+O(>Ir8C6{Hk*AIr3Q>{biZB^m1z{9{R3uhcdy!u3Bb19# zyDeT^D-A{`6LSCC1rYIip7LIPrjdETbrooK{261&P$&8g(4pME=p;Z|l(Xqt-l=_l z8@N_~jdCNw)u)ad5o%d(y4oO|xa!?F&=R<7^g6OKvWgxnYAKqvZYTQpwf?+3W&6AH z7brOdmM46w?erc+)5lRjKW0Qs^OTGjQst|3Vfv`YytFuDx0YD)Cg8CQh16$u61G(tEAd-S%|7%!&^7xhuy7>E(?SsQqBV zvnkM&)^;E%i}B8@Vb@69(Vwx%oA{K&L%OLuj}y(|=v&bNb)S5mC4b-5MBrbA)~u5> ztG`s9Pd+z{4k{kC^!6GFxZxK?Z8><@MT0-b8ySmJCRT|S3mtt<7+ZZ2rrwDRHxU=e z*?tHs5X(>MCyt+4{L)z%=?EccpDZs(l7J7#fTKo}CrcBf3sHq|CI`MNVXOVmX93jz z{@Zp=1CbG_GRg>+PR-F4h|f&C9m90%!~01(z!{e>L6QlB728#=P|}j{R#+4hK$#q) zxnXBGE+RiAw~@;u#RBIz3+(I?FUL=xyhI#9b!oq}O`Pr=10aqm!6Gn_a^o4sd%CcX zfHqKL$c{JwBb?SFiP$rE^K0uT!tt(9?$_^KOk1*|&xkeO#^G)HzdY3@8zK5U0w;*( zhvD-_h$R+?fKPm*3aob_C_S#8i`$$pdt_A2no|WFqhjQ4g%aLWn5v|pQrXAvzy~dU zbZvB*yADPs$&_^;!Kqad=Yg=Pq}wNQw+V_``Px@6?gAa02}1|iz&&@b&rV3N<2AHZ ztAR`Oy`gw{f__a?q;uP>)@D~?_jz`zL$Mklw${_$tdNfuh82Z{|AHl-=-wDYTkrQJCs&NWR^OePX7W^ae|)4gTPim{+zlyf zxxLgnL8nPJyM6nf^F5$=S%&yk2V#0Pg%v*8TF5n)nF9yn)zW2*T)k_1;(OeVxcMo3 zl1u~#8+|WCv?}#R=J8M~A5&SfJ^IF+KWU(%>?C-77I(K!{}yja5~uQ%_D=w>Yts># zdJ;eN&5(QNJP6mzs&t_?pCzRm$M2XCS2S`iPEU{{09Zm z^eS{5ZJ(LTj#rCt!S5Nqy)Y(fnHLiCqc4;&Wk{iMrFwGZ*)lk1gEkU;`9t&`n$lz` zQgvT{p^IgzigWRX&Xx)gFmZS%Fv~uyt>FZ$Od5KGYoe6FKPmp>v+pSq&g-Pr<6nOU zo)I*vx8abxy>5&EKAq1@NbVa$0Y-BN^lnJ=mzmZp&}F(o&$@V-UaN*#m-YS;|14hP z!cLc2o`pF=kDOjpgI2FIqk%ktY1Wh|JI0I)&yC*#&EbvUTSKR66fKEpykGnkIm!Ek zCZdf?$q}+UE@?DNCj{E7*~u0GKdz6d{KAZwf!x|bQLY%|XHqKgP6sC5f7n<862>bg zPZng&j;^X=KPuuKiR|IBia(C7kDdGS-2nFfn2&l4Pg5U&{8~+uI6|J5Wu^oxYZNe5 zJ_lPV&oE!pZXE{yWEtM=F!r$$p>!zj?>O&anCWP`-=;uIH4}1L)H~x7jZ71@`>C=9 z{Nn}pt9FH)vRt`CM=KTq$^zTRC?-DgZ~rgI6+nH!z#m`!7x)DiK|xW&!vM40sM^eV zDXi-0t^9yVTwW-EAy+a!gIC-uqCrTuf&B@l6qyzbU9AuksO7aiA}~!d=CicrVyMN& zlz$KU8zoe{MHY_!p!aFPugy0EY% z7<8kExl3n3l!_3<4@Lq{Z{*(?8D(nD!=Z4;uN~~qDt>EC9J{)PPj>iHh5#sIXgwkuJO~> z{by|^mn^1CTkztn$AnS)jV;Ct1Ykqx*>w18ETGFRX4-)Nmi)k#QvduNl^`Zw5xSV~ zhwoR3BC6=I4S{GX!Rtk3y>_wAH*LGV@A$PhQ1wsdo=RF2DE=1gxrdxUJ3<;J_E=RC z^LVXQ<*L^Y07>;Cs$K|ShkAF`Lfz*HViz;n@R&FEZ1B>$jUhZp9^y&5FdV9IlcN)P zADd~KH39f7yXq<~8`vXEU0Pj?2ibp*Rz{7;Mld3#8d|GpFqq*-QSj@tS=&SE^U8RLvCDZ4>wB)E`|=L4r4@t_Sr!p2MlS zQSiTl>Q$yaFDXUNo>#dXdPPyy0PJrI^lYf9e{?4VHTcP(ava33gyym}*Kx&mStKfj z`e+X#@e_mgryBNBNy##4Xhe?S+7V*TXr_IJ;PkQV(`Uj05S}`Y;HK1~>KC6a6?Ush ze{;Ni4cAQjE>I>Ff-H{x+nP}IoPW{d3}Nkb6m{7fC)a8L8cC3;Sf}u!E5}7h<(#aK zgS>;Fw!T+%;%x5-#=w4b95s{pF(mL`*5-_)pF%)&h!0Z5MUBcs)$g70&~fE=45El# zx-ctE$fZ?h^`%p%^_#C?YuA9Xz0k1oxzN%@=5h0DR^j4dJ7dW^VyIq*-a`VjZ&N#EgAouDnOI{&5Og`|l80M;luOOFuhShlT|7$GvHq#ldl%tq!#4!0_kwHkxONH< zJZjPRRNI9P&ejBfRVIip)|R0xqLz03tKZds)_9=gS-moU*_J9YV<`TAr#iAU@D>&D zy&LyGr@d-wvi;FykU1Jch!IK`jugc#{x)`=RDLV~K3W*H5Qu?u3R$-us5=~D%is-- zTd(~KM(j7VH*V7nlGunTnUKOaFSk#3lzdzv|32MvNmclK9}g1Gp243DGq=DKr+t2t zY{;Q@EI8f5_x+%CBJrG8_f7G3TE4kbp)Twt<7o^repi+9yrKr2Ae-8>9pXn6IK(=Af1||b_R#4r4`3gDPVN?q9Kiu zuPi4pxyLk)T|s2_K!26>cxJ+w!~j7hE{tP2qTNUW*+G23@-;_%fRT0pm`93tb+Oy8 z>iH#&yZV^o`e>=TjwC<_EYkL-@y4w{gR9FiXU^|Y2r+6DgG9i`^}Z`ZdBa30S};_y zQjRxWIMp`DyAzmLCTvn)V%wX0Yl0yHI=BjeJvcOQVNhRznrr{jtb$<>BclC1m5IL_ zGd)J{-giH)Lc<;K!a<=)Ez^I!PgqAE4G#lZ+?jG_9tLsMoCw<+$qvEB)0xiq7`vBY zv~Kouh=Z-z00DHpRko}PG!ccJdg`XkFp?550&gSu!roB*sg6^p-8TBUUx7eJAtjiiTvLq17PZtG2T&T!oZ{(k9QI2|`nmwbFxHG_-} z=9KFhtuHdkpvDOic3QO=I`BzMMdMqDLN`yCI)sgbyJDTlO|mm1LMz0Fy{dxFGb=VYaBY zzDdAkbRuEcmv{1umn{nO(Uh4vXg}7QifyY*95F@@bHEl+=MAy<+FScS zU46;f8b{RhVF%Z5W#K9bGFULNW4On?xgDxwS7-Gu`OBwS??wQzAjSMEXkN)GTtDY0 zcGYGae5VA%&;pMBBR-?Ek?G20BeTdW2O*Pl-7O4hUBdO!ncAnwtJtBTm);GRzuy~m zXRfzByO^!!oE__|-M|Nt7TC(_b3U)z9r|Mz)-C~OzI~yly!m2^P6shk=k;GbXsI;t zL(g!m4O|lrTnn>*;C4|_(~Il<&DWULR==nc8nzOC>Yt7#Ag`g{%zvCFovgVT)W6N} z>jG=Im?I_Wd#@J+mF?HSUne3J+b=q0v1sl#b4G~tS#!^7zMY>8WRGH6b)=4+!5 z6?=1Vq8W;d_2gA{o>hkW>@R6QT9<(vH1#V1G8!zcv-Y;=ZLAdExrWJy@pGxSK-mNa%_kUO3D;kWXsS-5yWHPiqW(okS3oR9{B`U47h)O; zu8Cpm^o(_z_>wU(M2uwUxrmGdRecI&d|C@TZT?!`5aBuXbT8oYj}_WzLX1tQxMwtr6L>7-N@(}RD}wZq-i>+)m-BCDc} zjt}+YqDt6Ot6w9<9B=>Pv&Ktsy}_r=iS^{U&&oQ7Wpr*9Oz4@cX)7_@>0%D$6K#Ew zYV1^QstrCt=oEeweEm4TWv^?%yAwI zkX-qs%K(lk&AWZdDTPB`0bLgB--4TgiYGH=7&n#1F_{jBxsS=ZLRkYN+pgF~=fgX?``#b1=U98qxt>X{x`I|O z+@E67cHNN;#)4NsJorJyLNUe?A@Kv)KRN8NKK!7y8M&`PAOU4>MQ2BCh)gl1XXGrelmyB z^ltF}Qd9un!c7r3jiy93iWf)mzRLF`M{>Wq6*NL65*6K1j9Gne_M-x8J-F8ot;#}p zx8SUj6Y8gyg|Na5y0hkpj{qZ@T07V+zHPB^f^i-H<#Qq#dfUMcmS%(TZygGYo79jl zeL}9(Yk_-4dqO&X%g5Q|Np?5^P)1m52;HZz_ZsXX0f~x~$7eUO_MJ6|^olwDUuQ+_ zyCJIJqxs^ec@sP)iI67>Hg6U1Hdjs9_=KjB(3|tzmdnvyJ<(wy=lOA5&aRsT&YV(w z-db1HoD3?UIJ;r2=2kiafMPRB``CFC*$3hTRS6UzT zTaS84JKKFQ>NWT2Rr9HYM6?ATv(sk|$Bm2JH!GJehi9^W1kG1J+s99-Xg+{fjjhW3 z``FR3T~a=!RrB~cS`PmJeHTvo+wWyu3p{j;z&-SEi8>2P(0(m-qWiB=@4Hon{=XJ` za%4+^iPj z1px$O&Wq|?R-H{WD%qpc7lAlkH$ z4u@9Lj%@^x*L zeAg_jbmjiry6qg*lFDRxkJ>Xn3WK1B6$_0jhF5zfEz=YBw7`3;L@`)z+5Tqyhwk}z z1zxQKab!uXgbHAIR${8=4&%~j`|FzHym!2)-3iCOU7>v<>vaX8{cKsUnYJiv;Nn55 z{k`zcW*ZiBZGhR7W6u910g)BOOQynMA7UJ!JxN3+?_mhf^?h(O9(gl`A-p^Bcl!~} z%8qk_WtzTbchVg6cB3%OP1=XL%XGpEStdU~{ zgW2BY7r%E!2yNwEXpXOGyH2u$0R&`{#WxUQ9&t#jCvH*F^m*`k=^1ZkL$uXLA z1u^DrZ1JEf8Xz#K!3JaiRlsfU_^fU-7>CEEq|x|}HJ}Mn@UzPP5rA|#SlkV*9YDHI z<|KzK9curzD5KGCyxqVj_x@>#kFIZ?YK)Nh$3muS#W*vtG0nciEMG$Gd=YZSr4N@n z%FnpT*Nz*r=XDo8DGRrGO9vWPV}HF(?Rt*FSiTD}#@v}*l$`}u5~Td9;E?MzfwI@! z2}wVj8;QCv&I+gAlGa?eMNMetj5?91~szO&03>tc01e|9d9Q7|5>bboJu98l4 z5BV@f@qj>Z|Eoz<(W%rr5@OrDR5TWPbsCy4Ti!ZcHbiLp!cD>|iOVEHD9tl;%YC?@ zv~Uvi5cH6aQ*W2KI{@ENW8XX#HtmFg-hy^T5q7b=V*%mNDz*|uf)bqqkGkb;prHdk zG0-hz6ApQ!+Y2rsOKX3nRCtqRM-*y!f%z%Z`D%5$`IN>zLYtK%#mlRHHGjmt;~vZ1 zxgzt{ca?m;!y-dkfP?2Y5`Bs1rVX^n#Y}5FTRlXMLs^{}?>QQxJyBXmt(i?G9_weY zRIt*&_Kh{?sV11aA9K#%Xr+PlIF-Y1AmkQ^%hgDcNgc@V|Z;NB&S7O||y&!~!3D(kO$8^q_>`Qe|px5Aa-N zF9halB!7xUmJ)wQJO$4ez(!3Z|7T$P|NRS&zrLT-RR1Y`S~5M|(E9t?f((HP2=-7^ zpl%M=P$$|ZKXL~6H}1OLAq6Y9eQkYJp=x3wyL~_BP<$I0w$9r5H~}B{Z3yps{;~lH zR3(jfx7%YpUK1L+r}jvwgrWu9=@ddD2bSfs^#q4rr_|O5X-`|)V^hVNv6zI6mXNSf z^9+YKB@HVMWBN=)H-#d)_njiDfg2_CuHZ~giYh4HFaWvm(rxgoK)2o-WuamrCr&(Q zV+>DGY!?igeh%TZ1hVC1F+r1i;wO;Dt?q{!x*y9K#^VHS1M=@rDvy=>ptgwJUF!(VR_FhoY#YaQUy{5mHy4*2mN*H8q8{XBemKL;s%$pjg1_) z-Fj?4GF6hgpq#saJP1ZSEavEYsuDO@jC44O+8}~TvUAfU`&+)3#zNhJX~>Y<ja9eX+_(@DEWfslMDTg5=S!P8wdlP8~HF#1WM1iP~~+&ffdy#T5li9NuLt& z2bY`XFK<|Sf~)4`niK`$yc4t33Q(I^#C!l8zK-hh9!D7B_zcTB2*catW>8G_Jw0Ar zqn=0Iada~c157U()}_C$%gbi;s@6m_XhhtvCyQ~$?83%&|44Oyjl{%jpY&$7<|DdZ zC9fj)a;m0^n2f!N;6;5ffW=C<#zpnxv&UfFZ(s17rb|2{VR zORdbGn1Ul5r72p&C=6`w?@6AsiGC(+J%Q^al=xZ95&mna7g9egvDO&9Ii?$?I!1?V z#H3u7pn0a%d0@=VKVkK^+*Q&q8)pIWu4No{jaT2GN5Arz#_3ko07CxpO}DG(mJjzg z#7#EEYD-qV%6@Gh^;D^}P};Ree?$xIuwqmZ-t6kk>-z`!4p3(|UxsSK9a^3$cYV zZQ`@aEg4(Q&WB865`-7{-LX<@SZ(IMb0!i+G^?^AzZCH~`gDo3XH)_x`z9$5W9 zUhMzt(|)a^l=PCja_}^WB85wi1nMLCspq(nxJ|D+BTT{A|2^N;B!u=y9+A`GSCp~V zi)9d^bEh;9av*zm)Netlq)@xD#(ffGG}XE(sKQTE4M@7DoTeJ~>wx5<_G=mRHHmMy65gQO#lP4awLxDi1I(3YaHN~D>iaNT zN2fJI@1$D7Kq_i)s+Ht$NII+y61PaaU)v;jbH(a?V1|>fec%%NNJG@LrSP66v%^-f zI&>Er?psmoP)v+S<4(~vXY zElz2--MZrs?k`-`_64V3Y}MP==`rwZF|_P^J>FF1JR1mPo5g_M>wQdxocBgCu5}Ce zB+_dnHCa8j_fTB1X$hk1weHZp@eaSvGd8|YVM1%o#h~);tj=M>9il{7X9W~H@Z20D zujdSO#ODrarKnRa5*X7nu?xS-l1G!PwyHcrvzw2o#seQ5dXkB_6>G~J5n6v{tx#TS zGzKyZ&JqUwqrTB5qRraS<2?r7Lft({=HT>DEDbQs7DcN@srH64b#NMRqa;2m%P`r} zt7$959^aPXeYXLGJ}4hufpAjTnpV;BU+C=VnSgYn{rIjazp)JV`K4-kyywcfNz?$}9Bxd? z>OVv+eD1ObQ)>anl)9g;3r?k+R2dZ&Cdwdm*I4Y~PeJcKgdE7alb{`9UsECf$Y%Wb} zs3sz6HC|*lbOUf8)HG@%IyJ2L7hEH1Co>E3pa6zE12)B^tAQRtiAQ3UFNfri4 zmPMTQM_HamItcZfNEauOv!N=X<7Ul_^^3`QK(`Mo_g}@Wt3B*WbzMId1Nxyxq@oyz z=eP+4*O|D#Hp*t0(ZvL~%Ze1G;=!-68b{l%jq}{$5mA<#v`O`j4F-4pT(4Lf%U=f2 z&qF){Rs!qyI>H?}MjeU*ixmr!^`gt}Md(ue*K3SKyl&t8@E^3L?aO5apLvD0T>A$Z zLy4XG6i|0)f<7_``3O7iU0L{4H!rFLpLQNy_6FW2!_0;G#Z9Y~A__>=mQa&)y)xl7 zoLoJ3MBfFIRh7TmlCX~%ZKyQS8{xwA;$Bf>S=>`D`e!BH+_&KM)@+b=vxRR4iq7Vn z%Ot$!IZhR#$Pgzf`IOgB{|N50>za7&8F@u$#IZAxasC63d(vQdzVK%lg!f-FlFovNGV=2`WuZRU*LX#6A@deR47q_{T6qDs#9*jSxzN zofFeT@1G&tAbEub(*})S39IIo%N1Pne|fQKVE0e*|24|R0eYHAXW({K7o*+*R4%{c z37`m&^_Ti<0|Fcn$o@gp01l#WI^e>o$&}5-UXXHih-8UWK6QCPv6;Vh3n-}N9knm{ z&0qIR;EeGW;v^yrZ@mi08_7{D#6M1g2VA`~zqwHY61hpVJz$?P0!1IVPWO+AuE4nH z54praAhS+%y?hnGxs&aM4SWo9*pc>7k$=^VfV z8WcY8ZfuG@;ct*}3Le4!L5BunLh_aB%ups@tJz3-XNaDbw>?pUMd6Ocx-Kdqt24$m zg#8#e+&*J(_nt;vYxen*hCe9d^uijGrJr4kdY%{1Wiu^zaG}HKJ(zU(@)D7wCw6drBx+9`%Eix65Z>}bM=Jkt^4X|RIDiaY(#ZPF z*BCil%#2a92l7!=V`%w5unxA2&koQRjWR zyPu|Ph=Fv~fkoJZMM_RHry?VIc!CER`-OA`XB1TI0hh2kOtnwFFiy9Zg9x{(8PCmV z6TZe`ytuAYJ1gY3-eETg%iA`|uZ3T?q;hxuxCp6L=hB%DLjRUucvi+v%3~0;L1rLR z0-IH_CUnPBDJuKE=lNV#y;eSbRKW&D2sqhU4SWO61b4#-It9^VGY9*f!){ROq>uw! zO>$OP{_q#M$-t#im7Nx)pJCQz&T;oL&Bwgk?sR!jb#6u-F-EMU@ej<0rWQ0Cv!{uDLVuEEm?%>ULu$yfuk-jsk;Ltkcp>9Ne5o4JD7=)9Iw zY%xTp1vDo21(izsD!Xjmx>b4p1hwILoO$*eJ-`#5sLJ=w;V}y{X?@sDhg6KG{qcEv zO@ZUHM?BPrF;bmXd&5%NiuWg;dzDC8fs1(>PXtdT0u3cPYM59hNgA_zwaaT2yFAFe z8Ef#MaCId?pFZ=Spvj43ie~cQ5X{5Zp+`$~oJu&pwP3b1W{En9vM}`UYt4n;(__OO zE3_GaS+I$it4L>DBq=3D)&07V2#LkjB(~h2LY3q3j;Q`hI8;77p;PP1U}bF#a^x);aTfk4qga&`Vz%YcTuck6-}J3D#Qld-SSGq`d1f%x z1)g~DZ0be+SV39AxdGHqo*WKhg^6^@o-3+|pl-w;p81kS`O=>g8;QW2ys5L9TRAuK zW%T;Zk}<=}x7!Wc`@ars3lISk|0QA^&?nPj|COer2X-L#iscmI`A2(C6Zf>nh%muZ zg^>0#3DW|{WFq{B-3#e5rtV%n1tVx*z}QGB67nNh?n>TbfGmgcCsp~-zHhe_W56{S z6{RDYk3$kfTR~Jz3B6Irpaj=DF4!SILLZ=+pf_T}VE-2@w5DnGZAY**>=w!jf)9fZ zH6^5%&A#k5iHx}i{e{yl-$y8r#w_$h$CF16xB|t6vVMC$9Dz#~EaLT-Zb9h=tmewN zz**FP>7*YwG;a(Q3g@q%+p5luxSbA{opQfVLse!zBO|r({;c$eHq-o4j^$z@SwD2H z1d6{R;j=@*X9@oeah~kA3-_-z12SIYB52AJlE`Wx(PczG%O1dqA*>R1Y<*nLu@b`l zwa)#>Gk@vzjFnF4X|U~i39|muvWhwN6 zVmixWx_Xc|<`^D4FUi5#*|9C@c;*2@wiwbVO2ySL=#ztzqO$Uz=8@kAuRJX-ij9BJ61{u8oDakoPUEwDx%Hj%O4Y)<{$p*5!-KXiJQF@Ru!WD* zxNZl&Duy?~ue1(;{iY0$K)}zj; zM$qWx)r#}dt#=7DaKCOHWNiHuc;C$EN@5FKBAIxx*i1omQReyC14EqH&1RkV?pftU zv;gGD&4~Kc54V7O+21TEx18Pgdw5z-m9-l~-Fx)}G9!Ug0)6kkh%J2+pqaE?Dp zzLaENXOgJPD9N!4nk4aSXT8iiOK@ zb%hs%4TQ~l){oISo_hw5R~rV8gf*{f${9yIlzhkcS)`d!V@daxcj7x!6{xPmJtU3jL7xTSK+IyWzg z&4RQ!yqAkbs$!K(y-?sC;dZkKH0MG-j@bw6(3}LOe4`*&R*+C{P}+Jw3d#ahwt!!! z$=A0yrTCrIN*DOu*m(c&{L0aI`Wsk93O?%~hb7|-;LpQH>qyCCa@N#6yqutxlSZx5*W#DZB*zM#@QJL*|^YnCggktU`H;sFO`r0%RmMn8mf#Q+yt%J?g zWz^>oFVg?|+XTLpaJ7I)kUgdWX1wq8GuRF<0ithTpRMc9XBiPsv?bBkeWl3!-!{K> z(}KVFrEp>##}xX;D3Odmx6cV#+E=a8rB!*_zVnik5{f^VbifG~)ms0~d(P~NPodNi zEF4S}3ZqFKnM8$b^(v_Nyh8uL?5!5GMc!mVsmIAW45k#o&&M|$k{GIVdB}8L;r}wC z-F`E9TSXUw#g|CeX@2!=Kh`qk*tkcnnyx3L*t$M9KHUy!wXLIRG? zenCdeX3=r^UgfP1Yeuf@71Y8H<$*zEXb5s(IK-YbD(Sx0XaPwgNjzKG%y#UGUrF5p z-2W;rVk;*w8i2G^AsgGk>2qKUOb?QD)P8bjgn-&=IE>zJ_Kku`i-(4a~`&mHfF#5nnq+rbNpHOA*d4 zbe?W#nBX}FSToGJ%_|57iyxy^a7c(10Ppyx^IQxzV$aG0?aS>k3aywbsjlp@nl}zm z@er?BJ|C9{ah4faucVZL!Z~OYAh=qrBsi)Jm1Eh2s3{UXn!_`rce~CE&uD~bkldc! zI|W%m9+lh5z2Hc781+U0X4wpUN&Ya=otM>@+PGeu1=CH+hi!!!SpCb})M1WfcTJtg z3{o#Oiaw_NkxWi6il{}o@g!BBEp}cdM@4zRgSfPEL#W-WZj;S0SOxV|^a!ex7hxxB z1^fh$KA_tArZA3zCt>5&YE$x%&qeM+af`ayrPT9BAQx_f-X*;{6DI{HOvX5^x$xLE zR`pYH;4ZF*uHF<+WILtc$V{srWvi}=5t1H6lnXf=Z{j(R-1GKb!aUnsN%zDT(e|I1 zI?X+_AnbUK0iV(y40Sq}X(*&hDzeT5ty(DQ5(7qCb1`D<8d**{&H0CUX*j=&?~#XU zM6l-d)RI(mv9PHqiUJ5C+;}AgVQu#+qf|9+#w?)nLS}eeH9xdN{GoKf1q7=~d zpx}4(@QLDRGq>7s&=j&;Feo&l(mVHKTyRlmXt(B>smYFRB*g=inYiq`O+pK2%qQVF z{UYut?-6|@pwKJ=upM z2dC*-r2zB%={x!r&eP*~f?#zS10&UDjlj8$^A9IpH_}BS(3it-6>RQrEHKMKi8F-8 z!X=c`YMiSWJO7A^G{7efG*!j5C=)15LjGpoH7g%QGNbMvd~@0amaBFv_O|bYx!yrI zUBA!oQT1`H_kB1^)Boo*h_L2u>dV*b;n-y@vAd=J)5>Ck!RyMR>5AioTE%mh(BkoD zytmYSfw$cax0^2`lN~s3M?$gG4AaH~AMXsGzVM)5SdTv^=w_hVbHY<|U)#>$ z`Ajv7QLsca^64;y!%?Ht`dCrJ$J;+OttS&8KYPd8d2z}3K7Gh87~*v`V__SPKj-#f zOG+NU4XtE8B>7PL2&=X$?Kg?!(!%$$(|j+0th_U!)1<)9ah3qLu(k#xk&X?1$(p<3I zBx*OR$Dv!7fQlcmbYR_g+vah2}tTZO!6` zI+IsRxmJ2z=003zU`k@fz97Pe5nUsT zU&ayvd7*{llfU#KN#0qD>iE0A6;WevGVeNUR6{kWT|$`Mr6O6AE+&ys%(?125t52& zal|1WES*Z$PKM+>P@`(H0iEVJE^=0DD)4fI^EQJCcnN9#`YOlvav^ivKxQ#54ov@4 zmWpVu`D1WnX}H5kNlXI~+_;Ga8!JNl#=|K=>iXCWuN59E#f&27llwuzRAa8aGi-?6#$VResM zBBc4~B^0{kUGU=Nv%%0n%#b&4(tn)k8EC=9LCs_2M3q?iA-Cshg!h?q=7@hN3Tw4Y z(7Pm9er`9OUdWfg@`AlUW$50igi$)qbI&T1Fs{<|?bXn%I}a)K@Ni||69@z$x9LV% zVjm8iyDV!QjjZ6*2gw3gp$|8=g<1t7)h?JKO?jxaO>E6^sC*i6W7l#@5a2!Xi}@(-lmCbo0h9jx>Mk*?nHmIHKwmQY;w4Jp}t2_G0l!!$@8My1}+)8ek;?XR#y zL2o&>@w(h7Gu7%_zE(np>mROgaQm>2X;NISVRM4UnZx#@$T%`-fajEm9IGF z6C`TnzZDb-iE;~%{72{Q(tdj`A&G2)&VXGe#fKc^@r%HK?<-aw?QD&P@&lB>FIWAO ze!ZmFakw)+AFH*WZw}yK7Yv!~#49NO*t|wK@Z`DmyxyMddLr`6z6xgKmjNtcQnn&V zeOhWYyg6MDe4sH#6DpR1U5E!t_xd|4g`)d?o+fwn?PuT~87T@<6bke)+dIArDWb_&R?_y5H!by!IMFBjvetm61V@G9}pJ6#i%9^7BH;z zeh}m_yNG>&6A<5c#H7#G)IVGuu`B`8*Y*cTV%SSkij40T9pIU(6Z+y^4zxJMUH=D$6SLT%es09 zC1m~w?3A&wd5idx};Qte$i(pXs8QZY^N`&n?W=U%tU5PfA`)~6;^T!(uI|^2z ztr(ozl&^Yj)M-iin&7Ww=yY>DB3;k=$qe*nt_V+=3DSS(`}aNhQ6StA+-R##JCtEM zTUgD~R*|8K=rV}QS_n1WzOJ6RD=6jy>>2vZgRse39yz7a%E3#`7WL?DgltYz9I$*?xL@aV(~q z)q)|>K8@n_c#}@QC=g6D5C-j~O8$P~hl5KS@~tk3XOga^EyZMGbc%{@rJibJlNj|a z&nZLic>fZ8jctajKc}CptU%)l?a?)vivQJ|W#+cfkyZL5)n+h7Fys4ipuLvnV{^&Z z)f);;wefI+SmYiRriS|v28K!HV-Ai_U}Ts)j;~ssTYbH^e9-t1gt^Qz{tFB(<4uB% zGg{Qig%uo$quWjNtxC*aFURd6#U*?_FTnN5eP48jqmu1@eQ|1XxO{OwY@cFESJ+-A zd16fUimTOQowX_??`+x;m}wL|&Ur%*{ZhbE;oUhur!7|r5+Ij1~#%wh;cs!9~TQvY`jW;D{mP|M#mCF_o8j8Jl-L!%`>f3l3DXH#Gf+hl$;pz z*oFUMvvQ*^Bab+RWpvV6kW!W>Y=Ji{r(IzNztC96eE1|yj11*L4%F1}6I;0lR%{Qf zqJ(!&MYLbrU`2o&Zr@GbR!NSbiDN-_KUHM;;stop@zsD*>}zoO8S|^2i>IdF;N4#s z;TO)#t-wljgz5i?V0?*zyn2xRX9Q!L!p{;>G8lm0x-qqjWc-uVZ#>5$8jz0wZ%L?x=%atMvI25I&41>~`duA{m#jUL36VK^K~{;nI7qS#X-BOSi1n`PaE{ecEXDH#Pr(tv&zyo{ih-t9j{ zzpKJ3e-Wd&_dXoT*!S{>cYVyBWLV_AWydtOGN8qxSTkx^3)#G2U+zNq#}b+mi8THg ztK!l#F-Nar_-LMt-=?xcy3M-(22#a=8Zo~|>2TLW*WU|YlP~l2A~AUjkAv3yi!MFS ziL^Av5!#4(eADXcxP{?6G$FhG0v5r9@DMh(x`0340->m3OlG?NPxOB0&&iMjK^lH(A5j)p+JWLK86XisuXINGH&clVC z-1Ms@3Mt7f#gzyZi;QiFU{^7I(4dg9=W^EoEJr$~4B6Oz=Y`YjjOmG?h)%Y@>L2?{p03G_=WC25k;K@twH|rO7Cw{w zw+BYfZ*G27Z1`4>h42#Vn|khpNsC{&`_hFLp1s%(5(jcbSFB^@1Xi6nH|G9);(!Bs z_(j42d3y;?>dQrm zhE*lG`!cm7E7q*;T#6Og*9;d5nEu|7*BAQSnf2wQkNhsh|mrDxF61Pch)r4|=GqQpRX= zp>${CHLM($ijnK8E%bkdOGh}PE64-;Y8G<&-mXvOlg?E5F7t+MC7`pds@se5F%%p& zbT{HQ9X_x%r_U=fIp|l(*IcFcoRXXD3S-|Az%2 ziGMcC*{*kVZKaPtos`!tI^OqtfCriYXAUvzA4iaP6t$Ww4($LMD2rhC*-9Y^Ph+G+ zmCnB{T>shsUgx)g`FB@+y|!Ol{6`{Vnw+SIlw~Bw8zB}pq-8AR=WyOXqnrCb#DRG# zM8sDI@4Ukh2)%SUSi(%wg7_>rP}vnHJaJ>!6TL+K<)XMkg|_YUtsXyHR)Ai?o?gRiUju{iHVWQ zWcrYT#oQrxB2OesAuT@GF{hVrth1ZD^O5Q-GY+pvWLK=DlA{ud$A0K7b zIvn$Ex26QFZ_P33ALDY(T6SMH?3_0=>AXxNGuv2FDo&x=l0FLi5&Y(n2|-CLl-PZZO;8CtEiS#l)956AEsrQiJC3 z5c!P$17*G;)j2ADZ2GzFIo_>p$8$NgYSo?AF!CMd`;zVB-p;D!w&a#^6yyU7ey zueF=I#SO8};D!EtM;LbmQU!Ds1GQNn&}B?LIY9HLPHH}g`cm5(K{t?-By1YPWX?cta3t*TcZj;t&PC}!q zR^`i+M{Aou*9du7VCK>*>Ei&asajS)_iw8muB{J)_#4}gQpxuLQA_k7Np7ZvJfUzyveN2qi50{136Rid7v#E-eH&7T4q_Ume6oE>o$+?+J}517Hwe?loG!Li@Q0}tf?$-| z#AR8bn?C%$Dg+OGn3j~vxWj`{+m@t$6y{7VK@6zSi~Gm@!(%b{AiplHO!}Wp4ZcSv zY1HoBh3;QgAsKWYF3J6!)1}Wa{xi@IM5HZnV zt+{#eIZWRTlOFCrNgfkIGHaFiUYfdjW1!gb4X@B9Io2UZf*93zXL94DutgFcJG2J- zcL9R;g}H^zk>V-x#d#?^F}c&v?yUd%T84pr-d>e)P~&v{UpuqUX=%ZeNQA-RYG2WT zAmJs+YZ&u^Y<%}-EYbaJAl24nv%<}$f-A+2?lqjCSJW85B1l&;7M^$aToNio^5Xhf z8jg&t_3wDOpu;o!XzSWEPZsqA%+|=!#ZKzj8II&|hytQx0gbs>5Ak6T1T_OcL7I@D zO-_D%R`p)z8d?IxFY$ zi;0R15RgxzXvwglT9G3g5(B)?%EdBR5fU97R0hgLlyHrgZJ%JX{5`_md#* zyd7It*Smr7WU+dH@>jubGzmSjEK%r72;RU+WYRtd1+M(FGo`DF|~fu`)z~V`L)cd!WYlZ z?ftLwN^w=gwh!KKIQyY#rni&M{H$JZoc& z<>z?{#m%_@hKB9R)=_WQeqPA)W?tW?yE2dS?CCd!^_!97%C09a{ShDw-p)FnRb3JS z{2*Rm&mAsM=0((|0|GnY+38Y#;Ynsi zUyo}&`(~<9RO$y0io9H~pv#^#hIVt%EJoK2f6Xl~m{4Wf;USYm-VrKz^Gkf!mnpVp zpD5UNSVF?uu+omT5jTJrjSpASa-so;T=%0d2zmW5rdAVv@B-8V_M@YteReuGc5Nz&zRvSn@$|I zkBWRpxVCUxmk3VV7Q32{SEu#`KCK?9KZ;k~1X$myow6IWwFW*7CVxC0(3_TYlYUXx z*W*HKIB89YYczwzcvT{)EGUE|OgY8bLhN+<+V=jd>`*&h^G5jj(Z)r&qe+|DHTU~; z25tGYKm7Q$ioD$K_7C=`R)=jnOy?5`?l}dVx|#U8HJ`o@23PVeqlQuIFwQEn7zU)P z;S<>QQgGI|0BL1>FI2=fb_OmmUQiiJJ#LkLJqRe7F zpesH&^(VaaAwk6iQvtm6p29*j0phH|sIm=G5oY8n17N-+!A6Jxg4ap;Hx|j9pt;N0X});0@Xty*W=79sz@1k z2-^QJi~heK=rb-^Pd560<}$WqK?LcAe+QNf00lmjTL3|l{<=Flcw~b%yA>je-zS=p zoo-)@c#wY(K}hZg4wPVN_Hu9)5h3~f95|mufnFf?jwhOABa*SOQ4)Sh2khsHDRvIs zkUJr#d0x48!i3QFIZPzL97H>%Q+o?S{Cxn0JL5=%2d}CSa_f-ta@L;tamt_)X|G8` zIavb?TUK5sKX0r{>=g1qaa+K$uMfg!T&*Akgxel0IBF?&?NvwlE;uJO;OU`4RT60_ zUC|imG;&fyMwL+bwQp6yU9(o!47XDzf5qiCeEWKgfAn$BT`y7%l@_;NGD8-kext*; z4BhLAM6ihIm95?e(z)=uwWlGdLT>tZEcFA~c6jXg!_1JHPI)YB**<@Eu;kHeJ@e z%lNq5DL(mE>1(x3H1X+K&igxExw?o^$JmB8rr~nv&$)|U>#%M6=L%rOC#wxHyAHMc z5z-^H<>mtmaO5j1;Pljd(c8{g>t*T)7}*_<&}2v8HHr#Qh{z;@=!V0Zg2jG$y~8?A znN;FL~y_{DF!xC?>%;#q9d#$*9HaADVC-0t+T&K^NHXI0uJ zH5R2|Oe3xwNRORuV&b@TW=TAuJSW|;)#^U8w3XO6S{v$=8Q)O#^g~0$>TluC6M_TG zRdj%Ww73>UuwpvAY$Msn+S(%C=5)>Ie(w*4|%DX9}_zlHuzfJ5*Mn#T@$s| z_PXKvlIs$G3?9f|DcU*kptjPPVK}dalVK+F!r!Zqgp|uH@OdO_8%VRBC@S1QW38>w zazt;~83d+uU_r4f9io19DG1uxxO$MQ4cb1aN#4URutcbvJl#=q8!zI}Ox%hc~5Kx`qf)15mu5?$cJ7ffx=P9W;#Hu`8pfG^)KW$(|6ih|u zc8PxM>F%BStTpWBR1%H%E4+6{6HZ5s&+CW{s58^7cF$?#)AB2sPSxuYgiIcLB=^V< z5Xp^*y7Hc%T^<)3tW8>fKAEg07#mDr1q@gpjTxp;H#!Co7`KeCEL(cI8m@}Z`#{4c zr(NtFSw2wf)2}$*ZZ&(h;8;)VtS-XL+TomB4oL49>Auv~uP*Gh_-;B-Rj{QRT9c&i zrK!Ud>YxoT$}xc^-@sbz3^Z~!(84@TIY(8uQky8pO2$R6&Sf_U)?*pnPOq5rTASI- zM_#KQ%)Psduod2Q6=|*91uObQc=mKpNc@ClS1Hhec|3%dnXeynQ04UaB|J*Cji;#?9$bX!$-%u=`EpTBVh>)SEgs|)VGWd?TFYgB?CZHVTB*+>#4HhbfXco6a zpi&X=isx6yl_Gg4B$J``iZB(y)c_S_LrmJCM9dB^k6C8BvD3$HmDV-X zA!{ul=WzX{Xin%|f8U5;&d868VNniM9j}$(?g`MmC`0Nf!pFMxj&aaSX`mK;sr(aD zbH?93*Y!H{8E&sah+nh?mRin(+M*+Rho@4usf4|Ksq5jQypwuc> zJ+AFp9llRTO3f`4_v=ka>OseqUmFRZ^7dfCu-L>_7CSwydljcBz*yO!LQ(#t`Sgfgy7 zSWerO^sH%&6xRBHi}y?c%$L_|q^+CRq+fu{{k1w&h+h^rC@3f2i7eHIx!OBO1$dpm z#kn{_+iAIeNzg27l-~HEvyt}6Z@6EL1ZVaDhD(crB@eOk`#VO3=NXNlk#)@+2C@B) zA$*S(28^+#P4Y^tIjMscl?rFt+OXJ~Kn`v&_5zi%GCdZwH4b*#3DR9+qQGL@xDBJ) z^PPhNaLa%1gmB4L&|PCX$WmQDY7%Ert2YeMyFqOZsk1()SvDv{$`)u@bV5er2=58KV6#6T-ErCy+xC zRAK&ivcPKKwYT|7{5c#I!Z6a6A?<~=iIGyhiNu=)<(Y7Pi6yzV32i7c`0(Titz!2f zuM&zL&*XXVe9|gomyPrCzHB-oaH4ziyk@#gz?AT_XjQ=L4*Biz!_|?|dok&p3#`c_ zs@{e`?1|;>I++7qdO6TJd_oB*--{j-4qu=I1 z7KN&wVZgU09dLd4!SJx2xex?)byiXs=!b^PIY*OUhXWdS`ctElrfsR$+KKigB&^=2 zg(D(b!kWimqN*Q&Qn-X!`}q9H5NYR?qMsQ2qyQ1Dsq^z8prj&(b>$Ja;80|~V5v%1 zbVpDsXAtyFU;`!Jy+Ed{eV`XbX#E8CnA0o>GrmJ5<~*j2rv1mCiO%Ka_{8VXJY?m2 zNn#h6go|B|3#Jj)Ua*{VXXKz7q`OU~444#Dkxj0YE#-(POWSPELcP$Xn%C52R>{|h*3BUwv@{+;3 z4cOhC%m6nGdkpv7DYN+qP}n`N!-y=@^~lWRLNE z`@DOf@!Zs?i@K;9Yt~xNobxvahzGR}9lLVikn3b|{$OhryI({n5DXgohgwXXg1qg= z+5p+dp_&&3zN0CWO6N1ys6LF$_5Jax-iF@yd{3YKfT`z~J68x!(;s=0FdyOpp$$r) z=Ka;UCN$9jk*g|fG>+3$9pw)|mLWE>*QS^9-@>9NQUdyvdZkokAMNh>8DHzMGzUJp z8yZ{q74aCFv9zgioh*T8o3HH@)%$N;0k{V#@7M+}ePcZSGncRXgx%ZrSf1zVg2#4L zt$g#T9p5q;ZjejAU_TjT9hp8!K9ybud@158vY(~9@vg}9VvII(LW`MYde?CR*zGGd za3nN)r*-sdlV^608@c{SjlQ*c)`m+UqHE;C>!N}`TEOAw1@SOQN?W6i(H1q9)Q^<9 zTU8ViP1d6c?Gygu&{N<(vI|0Cb8HOGnVSe~q}<&z!6B$^=gJ>`_#h}&Zy#y@%5F}( z#vx}_;B)MQ_D>pH?kNOKHy)!6e&ORG|Ch+0z0GFv#&cJ*YoEtPn`7&m$%OMhjEZQ= zb6|NF7Du$D411t*jD<(>5AnbUs0R&SqOA&SzZ6Uj?5xHvFuyDY4N6l#t25$UrB&lL zd(^c%)%#-;F1ZETi5?XbwH+E#Rn0REEsG*Z#xD}{ldLRaKtrz9D@%SlJKqYgkO2k0 zg#1YgYzEZxueBRRrcRez-k+;iO7$*9S6|e|2*A()q5Iv^iUlI|q*@t4YgA{+4pa}N zTv(Bf9MPBA!uF)?jBO|+iIiJw>Q`HxRm&v|DL~rr%yz-vq zxz(b5mdhYYd|CmFa&ph1sbK(~u&z!NQrynY} zawD%T&03v6yDQN*b;n9c*U7QWG$QuGrl?Q41dEMv!yJZu6903iY2h6P+xo;XA}4RfSv|E*4g)(DM=}!%)rG=C z+sKR^_$__`y|By!5Ug~e8Kd}lSK|HDlbl78B0YQyQ5W~;yb$-@3ig2{J}ADpK&x;R zXA>-kNcetr!Xi{$BpAw$_7(*$D4A^N*^*|SYqZ1tdQ$lxGWUQ4Nkd0tyVW=yhj%WO z2k(KKmtxNq0%tuuvTLOi-JlpXsaOb31x$ZjLn=5MM3|EEqRab@^pS-(1$9jZ=)RCvf1n;kq%>&mNbgEO zXi*LjyTmY2jGFIkc>dJ#o}KRJ_AK$Wf-9bVfn-gxS;T%=pgcjFfs|I#pTOym1&f-} zk2g065-2}H0@YVN>-1MF3ke5>j`R~2x#Dhdl2T4}o9E~RcYkk^u}b(B>7~aTwDZfX zF*xA1A+}Mii|Qx4L)wb(5_BB7AOUwR;}fqwAVbMsLEyIC!VU3 zp(kp*Nh}?3o|3ca89$xp9ov04FKGAj-Z2gbMB~)8{>H*Il59WGYgpd>w%u~U-?=XD zj$me<@nm}uVAKBQZ)S;`+H{RFKe}JTI$Y27%cW5I{&t3=;tp1#{?U_8WC^N5KWYI}A;> z0COEpNK8~nHXvXKBEm&LBzv=G z;F;$_usILIabX%GeXXij{lAv90$n4Y28Z?`RP&90c#(h`LkxNB&~aR>ym42U*WnT$ zZRj}c#vglQ4el}@&Rpgm$MC0b4S`turZLd0oa$iA+(RM9w1r+ttnqSGH9G4+Am%)m zzP-tVClK(r8v+l!!Z6l z@Q&GdJ(Kq^&g|~jg*cD9Wp=I*ucKeKZH2wdSPj6!8)w8y<};?Yr2m(JknJaLGiW*o z;GpH;%y{d1p*UMIxC#kn1E6pq$Qs&wv|&SIn}+u!6{3px%7C~qnx={sE6m87d9%4_ zkeo@LeYGA=)MV%qiUQH*hR<(T==>7Dc?A?rfs04QBEi{SvtJO*39~1?YyX||RmlPt zCV4+?ou2QJjJMG+ByS@y-sZ2(XYGdk*AG2x_j&UO@t@ttfV*9T27zO`94~&tyK4~8KmF7#m5OBaA!U9cpWnjd*=|p%Z}9yvFT~r zLkYwC`;`s365G{91_!T}9wB)|?G5*=!sgcebvAISx^6BpbqCS38nbluDazi->ZZRa zI-qhf;)GcHY9}N5oiZ=>1o;~mU<*t1vR=@iwT9_5M?}}0*WDCjOp{>Y zFROeFH27oqIjBfDT!!@?*FTl{fH@$9-b>5V_m)%apccDeQ^9mG1dG(t-H??oOttWOtscWh1k;n>1OBCX$6?!eGEBiZ9b} zb-@${`%is=fE?t*`2!c+IY$Woe;U~10AWNVt|Y>32nEKXW_>ppxe07N=p;?T?HUhO zzi%H36SR>a3~Ei*<0(vz?%ah<23<}(*2Z!hPTXz1)I*ab%zcg+d#4hqf$&5#SsTAb z3>R}rfdh+hYr15>)agLc`eIdTf%T`Ru zupl*Y6AD?yE}FtPpnA(gu{-#}G|_=oX%TzGv^3Q&0l|f;&;w`%isTM`=vZb(t;CX%@5jg(gp2vIar2S%9}xv z2^ke!443bn^h<~Do^(X??-_M*9<}CVC&LaZ;y<0n&|6$g>p($M3`?Am=ixoCP*>ev zz+Bgl@4T8$1R`bcd+5|I@-&0tkKRn~`karlb@gwruFYL9Zh3`_Y1*{kT*|G6BRT_b@9QEb-l(|ZR0Ytp(hoEz5n`IU{J;bN=4VgBEv#mD`nRDw!A zm=NDdZ)}_Re{*WnT{2@t0Q_ z`MZ%h{37g|wljaUyvDd>@aDALRPAG}b=XO?!&bjY49kj+nEf|dW_^p~Asd%svn|fe z#LPD8;0NUci$vxUAjTk&J5KHgajBFOAi20pYZiX*y0)U&!umXm;j$m}+(W+A;|plB zqbAC8e>I3kj#Y9qvUMnieQOHe~O>g6cIr~5vg5kfNHIZF{X;z9m3U2 zwOwAs+AGS%Q_r+)gELb)oDiGu!aPWcc5XbN-W2+No%`w%H%vKjdg8M$3#)mG|FuPR zoA`hAxrOB=kGpIYN|kPqlG&$bbS2GlR! zq8!4rYMar?t z)nyesNy%o_@Ue=iW!h?9n63+5!F$NhGG%Vg)I^X=Zoy+J|rBQ={vydO^Gb&}NZ0e+nn zcIhY~nhp`V!R1jv&jk=bNMx)-feF_fsiu|fEc)pEcfW|jJu9cwU(eM=;jI;3G%+r< z`wle-dN|$cJ8P;@RLg{qPwyk9RC8+p<9ubJm zrEy;HFti9_r+C7POx{HJ6sn);XCu=1Cf|%8bZE*bFqEaF$oc{4A!i{2_$QE}P8}z!;YpBpz zr|i&_d7IF)@tFyZZbn9g%6I#G79Iqp`r@{0edcfBsMk+uM&pUlOziLvS{wDY@LwUg z*EQvO5oXbm!X*1MsN^UW4Y-apt$S1Bc6edS((BT;w&b!fS_Y#?cK&jevkXhnh#@~ z2_!J0k2Gt-BYJ*}r7NT=Q9Ij7g@v?<7(Un4PPZiid-up?oag*$G(^W;9MA2)bm$_x zmb+JUr^Yy6n?RtDG3+uQEgp#lWgxdJqHJna!Xd_$Ja+LC|?_vTysM?M;*I$M@NcyA6TVzM-5}ewoS3a=X`@WBV3~Xv zTlj@U(2HhsJSKUSTPd24=5k`w?ONZ)QyLHUqO0V#j9C)CIgPLNwA)rMtJybs438=d zSompLM0f;(Hggg)3(8 z93PKm>=lYUiX6Wrx{d~v!u8TguJrSVB5liNjXIfzV}Z-@J@ReZ!z|HB#&FKu+pMfA(8z37{@e`tH%FAN)pd@AVI{6jDmN9p{&p?EwRfo0*{3R@=W|ExgCAiI~b zM&)%&@UyU3-^Elf^)$dM6IG?D$C!WJFY0es^F_VW7xk#8wMfi+)iVcd#}PktXQcDx z@OkS^+C8Fgy1rUd8m?8K81=(63Y@=eq4GSJa#uy0@?vo>&-^i?Y*|PxrIO?;Q>t;F zcD?Q6R@D9+iL*VuV5;%EJ) zOkZjhFB}obf65;Zp3Ob9tFV`Fs zX(m+D6Kh^XGy?^Swmn#DCTT(sLo`)r$3x*Ew+E>XkVK_b(G={IP<@Y_Clx;#RbXqC zf1j*}nkEaJO2{ZCA62oauju4;SwW^oj?4Wg&oEqvICW756{3i4RbENCLHOg0*G?BP zRss>JCDViRFArn#Rae^_oS4Jx1MSgVlL&t#VYE~a6qbqB1P{1TW>YrA2GV?MsNY%e zn$=D7g&09eSMyBwm4(FPmObUiDbFl@7mV<;w+l*)IvTI8qIQBdf@kt$J(Ra0x$&Y^ zcm@MT*((*}fSRJRXu|?%no(ob4?1_Mg$J6wYYI2MqK!9B>k_}cnVUoNeM9Ez0%!MZ zg7dcm_n+&Hx4xuHn&)P`<`=EyJPv?oy^c-wuIO4PVZ`n;$&&B0PggahBw0WM8oTrT z37;*%OoO8ydfIf^jD94qP>S@4e=6E_FRbu0>TRnpy2mPcil`z9%xM{dAiM=X8uF$9 zVx-bpv4$S?gQ{c21pFNQMUQF%k_4)a>tWn6%1dPhACFf1<&x3%fq(z~6dC6xTFa9? zIJFeQW}KmH4r!|Fwt|Oxd^A+5T0ERC-q8NKiD5PPJitX6z|u~m(|w^b96@J8gV<5L zmXu@OY(p^T*fmO1hLv~~HrKu(iPyHn)Z#xv%99s8rJ|t7G zZ1*5VjVYulKEUh)Pq(4`hOjU^hwaI+w!pt3n!daX#!q_8l~*SCja5FOdJ>#HyF!!1 zOJ(M7j&Zu%jxa5&<9i_85fGn3bPS;$sh2uU9ReXF3i**RQ^9zsJ>VT1WJ`EU9V{mR}p;wXdKn83*o5N@fg& z)2A!bYR#8>vvYkWOknQ;D$sIBQ7}~+uGA}a${1pN)wr{W%2eCp-I*!c<*`;{IqDay zeNAfQBxoqyPtQaQcJNml>4Di2manBu=xQESsO{Py4;CFn;v7{A8-rcpQ!5Fk6P-;T zomPc{0J2oG5}qLabI8ZILDZLx_#2w=93aSt)G(=nL~4nTvs4l&>hQW1d$4fO-X;dR zc6!SCB@2xHiKW$qR6IU8Ii7G9h*S*7SJYSAmZH=pwQ*miplXfi;?WZ=iq#JG7 zSc=P$#lz|w2le;^1I6&4QHcn|A1e^Bm+Q}Enn5f|_#Y~Gw`S}}&L9)!yn!YDG^D~E zR4FcgWf`V}hJ0Nsow)-*%%cigCQYSy5AQ&EkHst7Ku*7kIys<%1g zy@6xSq3=4}#|a}Djc#NtnO+Ewda%YOIxz9KuGoL9^CB2P&Mn!J4WI?V^~9yODrZzt z~I)n2fQTrlO_D(gMsm1Dss@}Vt*b={ zuiK-wRaAW&E&L$Z)YZ3E$N{yd9fTLM@cTR^9zfYJXkw7DSf!uK6BT`Na1Q-5P3?NN z_12wZS_*F|zAxk9TTDJ)=N~ij`xo65cBerte}1s0AN-&G4yfIs&q3X?qEcq=NkLuG z$YFlSmNW7vUWA9$v9|B6FvouIZReezoD6$|57wOm;E+86p8;>{x2)cXHc|74gGxK{ z4?b?U(-h5X>^|<&VqOJa3p9<*QC8f8!wGE~R{;arA9d*i=grQ1-{BFqTU#NMc}m*< zg!V4_JMy3G{$#(WER!k8$9ZsL4F^f0E;VSaPu}Qh@iB?2aML!0{4u+F`ZJh5mV)=S zBBBCXL&82>8BH4JuAQbd=P-D`qW!1&$LwB=mCHFLy!2{o+f%6njBR%~HzHbwWsMrz z`+^Ml@n5h<2PW^JH1xZ&YuPl6%6ZycV9@gCwg}TtGv3!gGxLWL-Dg7249o<}j?*dy z{gazs^ny!OxT)2;k*e5m%Et4O%(bnm2U7tq5;x6?NCv|OVb)X`ArLCbbKkhQJx&qg z8}a>~VZAMJbd)h4ryYfkMmBT5f0P1s9wZE#=~b`ki7z7*X;mba)m#CNusVuJMVa1? zI6lb-gA-7ye$J)=>plUk;*|5PHBf7a73psw*-L0z_j$~HX6Wx2O1la7#4q)W-puZl zF1ISYjW#p?oc6+*w{_Dc;#0e|7Ox1^@~Vtlk+yWHPaKSJIEi$aLtM?Bhqow#&HAlc zc3&2mRXg|hbPLAjYP!iMr1K`XF_eAChf`;J(lQ=q&KXvg;UOI zqSA}}i8KQ1wj7?YnjSwy#Q~+FcCef`9XMFIJ}#b&D7|Dl67;Q zS`?s23}`ll>kzqU2pIw!a43(43+xa}+cTrAjCa!9GTd)j@^{gwm7CGCXG;;{Vhg2chCe_Fwx6WO8^UsQ=dMhnQeX3?-`4&qpgZd&HNPWWULs zwS`g~w~81;?ghnBMzW-hDor!5!%b8*g_1a9h~N3pvw^&VWZEHM6jIXsHRGTOtlSAw zNwf9giUX=%j&v#t=JDXzp!U8T=F^tTs&j%N=*`P#f!hwQ?RtBR??y&l72T6T#N^NM z@-EI7$B7n57bUG^y2RedS%cD1rrI&Z*J$ezbtBklqQYMay?8LL(!FjL$ z6yfwy40LcbqLId7JKzU#okDW72;7E5Vhl%gK?duRwn3ITj8&@8_SY}uo#KV?o?yTT zXRPF{tScJ!ps1a2ihhb4QQZME?OspT^X^U9=(hc*p#{@3?QTJ?ME;E<;lboe6NjfH zSJxK_Q1|_MVwyR@$0g3bXCPhTqlsH{>Z$bmajhg)C zE3emWwzTb=hvMp`1o=RNgy{C@Yj(X^#dCPm?c;mX;AHlZC(Z^h2T*qVuJ%eDk%UVW zw*+szM$MkexYIN(w!;(W^o()p{{-BqJ^)*y|>#(o51PwCDzP!!mS@R(UBz1h-YGy0|BX0>pBvT=bk#a-vD;Oh+7S+(M>bK^pd6h+@{ZCim>Sen4y z_j6bcm*5fPHgu6*2M??$Mv2_eM657q6ohOlU0>Zq=YkJ=K57W~ft8v4af|?47I>YQ z*pK1V-ZOH@kMpQ&3hp0a_wUy$3oJsfp3y8q2p`LUj7B5MY)sV~VX4X?=~q-tFXXc; zu~ttq5S9{ml+NK@paPjA-U!KWBe3gU(`)Km=I=Tco-PQ6L0AMS{)onnu;kp;doBcL z&%!YwAB1kgxfJTs(poM5Em*7z3tOeaGRAC#qoe{uvSe9zgI4+-Xd~p?`ddun%R3doU<_%0~cJA%8UZl3eohU^BcHKfG_Yk9MFr0Sv7Vs1Rur2|(>0K{>kyNBM^O zsCQzWBCQ@voQs-xkUM*}jF30)HfDclP=d}EZ5X3G1qU{31v4c1;yi3`hYH?oLKl0X ztf)^Z3C>EzmfV@%hkvXz=HZhA!a=N*m4c;+{ihdDRKN~JGwYJoh^9J6efT*8pJTX4 zgMsOnLU6XXP1Dy_AR^{)zzPK}tA6;bicj-}IwR?xQNq>+Wa4GZXnNwd7^kXe2d$!1 z>DI?|O^T><>?bA&gYP%m0mAwPP4(EgGz$-+{;>!QB*(;H!UfJ)2nNIwC6I|aPcNy* zQ5QUZXa3(-_d_bmz3855^HwmnKut5{Ui@INJl73_(*f>YvVV<)^}yA@8HYx#_Xh{m4C&F z=mv~9J&lVIMCz(_GLoZx)mVm=QX!d-j*(cyWl|Rf6f8658X`5)B&=%%+&#wKdb!!O zV`43G7xkp%GwbrKLLgO5ls#V`MXX4c%AlZ$E-SSUOK42F-Ambx=89f82|Yoz3&2F2 zHSG*OsUC9Km)h=;UAkSA?il}mFo66--}o659ydhKwm>k-uje!ig>qKsI2C6Ho55g; zD3u@Dl--M$Nb$OB`IU$`VV?B$o%BRv^6^JM!#9m}k2Cy!pc2fF_L_o1erxjOnSP{*oDfq)~x5mh&F5|<8NvW@d~&Zcn3ee>+8zropV`nT`6 z3|*pC19A7GGYL-(H!W9~Wc_J*HwigAx+- zojRTMd)J?>`vnRYyFaNI)JGukb?U^dKlERJ7o-b(A{ePV=ShmuxKI(28Qy?J$tg)G{tnz5Yh zpGW^FhLBNmj}B(j@fFClLVTdw;?&dQX2YZWI~#^-Jf=fydL8yAzoCr&lIgh`R13$b z7v`9Dz~0TAHoke+Tn~Jk=e=#NIu^sC+8G!H+E2T4a_{ryQ<^4=e)#;TT>g~whf2_E4J z)fW=M8=j(s)+)#&lxnC#nLtavb}HFYh+Oq!`4j7*>KfYUO-9D&CX%V|r_4zP#to#T z$udu_%(B`df+?K_%l9W@Y00n!@)D0&W1dOhb{8m>@>W!cr@3|~tq9N8iOtwoUTT&| zN$){fNyzD)16}N^D$*@+^omsZ8q#MEi(jj#CR*js5m8E_rM*{d9jO>EBVZ?U8H zChz>;^<}6&%bN)3t(a3!m!98@UcKRML^>cOA7b)BbR~z^pZsAbnu5iFJ2HuZk1RZy zW~{Q%RPcds$6{9(^ni)_k}k?}b;1YdtNmY$aDdwZrLwFgs1n8ysQ=VI@E>H(|6^ZE zgNc4dfK>ggdY4Ce7qpQ`%v|i~;o9!>N=%6}YntK;TqS)Y{!=7v!s?0a5IakZ58!O2 zZHUfBFk-XVH>M24&AoN`6BtrYJ+v5PZv)A$#^>f7V!fI6&;|-ck=5~vOAViJR<|A; z)wHQ}E<7$KQ}cR~H#{`bPO*h3#59{Ea~h?mNIih$$|2B9{70Nl0%u&RG7BzRNj4XH zxj5(L@&kxTXM-pH>eEl{DL<6BhmJV~f%1f&P|quAb9SGh8>}s*aNDVc3Nm&T^xJsW zAmnMABaov<`Dhg9^@PJ{Ow{Z`+Uxl?L(w%BBS~%BPnI~)Gzg~KD}3|Uyi1wYm5QV% zw5Na%Pc$q>7GDq}V6=V|=S|^mun-^1$RJI%p9V@`XMMt~G+maLhfh%B@L0kQqaoH_ z>FXb=P#t1m3q$R(8J!cnbALwdqDmT$$F|cs=j=I|FV5b?pBXwww6r)u34(^!I6CCI zmf8_vnH={?uHPGKbIGulbf}&D1)RNq5z4Inqhlrn97&M4ZglLv-j8PGPamoy%H6Ve z5Ej2{@!=Z$5q}c|orTGk(7Ia`M6yfrafTvJE}9t@)P-e4TNDa?5u+9X0XI{0KL_H2 z&y(bfC&kD9B;CyD-e;fISfCa)Mj`x2t|e((lA4Uo#_4KU54lmjMNWw3iymGaBEWOP zMuEE4I*d%^CJROWmNq(O?`~V+T{_Bct(#cp__nbM*`Y@xUQ4T)yBZJM`BH{E?_5BA zE=K^TL^@8tl-gF5ulAHUNb@Dz%uAgNhhH@~9%CAToI zmTMSbkH#v5i4!jNAgz^TSoNR5LX+QBJ+G4N4LQc+#y7=ysK%~N(?f0jPz+T6hj{!u zwqlARC<`*MiY=&ZR0&5v+V-&#>0vpVb}llQm_nrJ3GT6JD!jjRVI!24t(vBC^55{u#aYV0{^n*U=iU|IfW_dNUE9jBP;D)cXo4i|Hw!Nkf$3jKqb^$NGc)OHk8!L>7`O^jy$z zZ4s#&EG-3;&8!0=Hi6Ob|DLD*>+01WvEozrY0n2iKm32hBiY7YS1Gh-F!2kt1`h4O z5_bf2CZr;#jV4ND9W$5H3HEeBIE5VdIALXOCB7&`Y$FI`Mw;5>gbxSI-0%mub7ZcB zC^JG5BHf1uJn#zKcD5|mDtQxMDJZmiJ4Hadnx(}Ve;S=cxy(QZ(Z3af3Gp*)) zmAPfbkWv=SjaP6n=X~I3sB2rHyno8fOMNq(t0EL@bmT+a>4s_d`WB%OQ) zr}qo8{e;&~@tN)iwWs|b$`5wkLsu6{4+1_+Cku7Rd(F0@fYdTLHr=bdjNT&3q0WST z?-2gfSU-u2AR?YI_y?IlW8PkED&6mh1$U3&&P&)n%kVaIdg-oo+Ld3E2W3txUG?jzB zpp{cnNr>Q&^ZA^>#?4$~c?Zzt5j1y=L61|K_k!O5jhx-|)aoj?nUiPHq5t&S5SkYM z&WS;gr~&T&wDTwrLMQuqCkB`)BTG%w++ieZ9bp)97K1Hwa3=kbnffMhw;~|Pd`da@ z_^9=Oz;N~^2gJrpcX3;M`HtkAHL1a~dG!R?9jf7mI%(s7W>Ur1lg2Qoh2W=nl--|K zcliV4JT}%kctSX2YQM?lE%I-4BWg-;s_LpAYv>mvFbZp{yOeHA)K)unlnK#DWg_2<|}mut3E<^ zg?WPgxI^BiAD$al(i)2V6uJ8jPe?^{E=J z(AupsLN7zALVGC+LYkCkJpGOqD&404gaFt=d2q~!;lP$5@KvTw>Q9vCR&OChBq3*; zx+N-HFiHtAB>iDk*6{B?Km`R<6l=88YzP+zc%ZA?lH-Yuhj$ge3RkXNam$h86~yBn z>j@y+0>`GyJ&D2Kt04x)y_1I7{ISRkM0J;9)M=%bVr`Pu%{k3V-obm#k*RpooKezr-hW8{(+d)YTKVepDzrc7MhyJF z>h}h-!)N+vXNFS+hJab#%|(mO$7)`3B?NUofTNCp3ZF^o#B@{bbJ*{ORb(XIG%iXp z;LIvCz@RhozQF>HZhCOkL{yToHt?7W@(f~Keb(J{h#&HsfQyFe!Md2?g`!x3Z2Xmc z=&EvKwkt4+J_Wje_QvnV=;>{cW1vlp*qN$UvL)7?~0mGN@frx_o8XhB(vxNsg?rfd6cX_?urYU zN|NK3Yc+; z*G4%X4^b&S>CRt+SlSHrM&y_)(x;DXDFzUNCY;0devEHOP>rVGPv6u0J;Pn?e*0%J z9W}oL*cG8pYHx^xQ@5Nfo9c2(33(49Ts&uuG9RP>P9IkUZxjOwWK1c*sIZ83gSj!4@1OVx+hsu7k@&ofBS~;w}*9yMkwp% zXNe{3O8kWa`x$|u8=x`vdD=To$(|vDPE7tC$&pSf%hCkk6S;{2nEiemPaXpW$$ zWBdSyCDiW>YYp*-&UvcBNmYQwf!Xeczps)fs#v-{ga;IUjw54}E!8=78G~6E6U+mq zUhJBNFrM2NbN5Spya!$I*Pln#CvQ&{AW8^NJ*7+SGt#esUaQ z8w0nzO_Kl&!+}46R5)8&kVIR@q724c0_qwjav@v+|D^7DzQ-ai4d==kx$+N`+f2vF z8>R&UrLrN+i^_$EP0}c$I`f(@3v=S5w^&A-_?$F`np|F_<-=kIw$%*;PQp3zW3;@D zC)F8bf8RRo-N!3vam^A-5?fKp%csDwOpv}*KN56|wHj!e-MZ(RQxvYjR4-$6`Yn=V zod!jiJ_Sj-inXRgmZ$6RyH>u-AM^4Z-&>np#@<)?(6NpHl?(|NPO0%> zze(4di-D(BR@`22DY|MD*4`;%1l*|$gj`;<))E>`j zQ@~bZl`L3rg}mCLedQp|^f7~zSc+vp!lHFc6?3EQ7v#z~n2EIu7CfU%Vi=>A3KEY0 zTavNG5v(lRCEdg*X#$SKpUHYJa33mLv+J$islJAxmci`k35fWBc0pCo9^J{j&|9|A zG0~e~ezE3-ttNNal*0+__Y!o4IuemuzfFMeV+%-_8oO@DMoN+Qts{lcsgZKTrVtAR zm;dI~Em?ot3BvB;R}rXIX_e{kifel`LYAzTJZ;nr1!t@lTuDbXvea0ZlR__X;vsy? z#2^n}WW?s-8QCauRBL;$w&h+Zei<4Amwh^0J%D;vHt}p#<Qf5(t*Y-66pU8dC|HCOl1UacTqxIWhv{_-)ksczp>5PqC(|$AeLDdzGi9!#2 zt7v5B{j@}612rZl7Z=YlR>XzfsO7tL(UjLr`N}2)CpbCMIt2RrXGE#!J~EC(4kW4^ z3N$I?Ia1MFer1B5|ADVJujyq-xz^x=RCb1vv<-3*R|AWLk+!Fv&;WdD_9)ja#G1lC z)En0mA|>IhEOdk-f;yYMGc*SDPhH&efnMOhxU?erc6ZfSj7|Zzml&V8xvc#vRxgGz zbs^J!!HNTpIS$->tsAE1al)FT1qa0Dv;mMete5Qmdu=lTZyNMa`C!mJh?gA&Y?IXR zDejA;Yt(}p@EEe5y$`VlKCr)O$)}o{Bd&om!I-8ndD}vd2YjzHx)Ur;FZ&@c%ptGG zmRF4B*BJf;&dlza-|$n5^k2e)SY7C(h}bH$VGru&5K^`a2!2ZLO!&l)`q&q${2S^s@Bmm~CYV*c4>Y-Kgq1-RGAf@oLQ_c=7mk#z`WX+`|1o*8l5 zJDRJwZ^~}>y*>L*nJil;biCMtqvY6*_yEPccFYIfY+R&#FaR@8Jk28Sg{=N0h8Xn6 z!#?8ZiW>Nt^gSFPr$P3+gDkMd51!ndlT5|XNA!10rT8j^>6*Ughy!_BLp6d_o`tpX zESa&lIODLB!4$S5NRO%WV%v9Hq*PliWAI%k+Xp)!?HtKH+lM5v=RFR|Ua!Ym*!o1&(=bQT*2+fsZ}niku# zy;&l^{5P)F%7Q_o$TBONy;E547Izg;>POld4(&Ua z9kg}ubYFhKiFlECK~aQh*Su@AI0N6Ia3}|H_sO&7Et*MLC^cJjot-Y5QI{ixA1>=hWDG1r5CKTag^{e>^#H4KE30Lw z6L3C==T`hu3yXgQ)$fr$$#-o^9db)Q#E3()axHBTXTd?6l6jhlq{{e+u+9fD?~Wol zyOl~`3qs)Dl@tZO*_p=pW^e!DJ~H5RgT44ptI{v}3SX<{6@6D|j>$^%Q7x}h6g}xn zv80V!d*fM#xNeA_mCV0H$QIMbw#aVgzb*hc5SZc9x|&MrVV+-}dct3-+_8LVow6@K z@8nm5XXaKdouwtbTZ!Xu+u!Jt&~tt3O%Qs8c&x`OrBvEw4f@E!PDAz=va`8+Ju8i0 zAbw$qdE5|+H8$SHn zv^w#R7;ZH{%cw1_Ox~*XVD^3&fNggon1N(ff+lAw(9a7-N0m(_eUC1#`D`fiLM`yl zx}3T6YkWIuAVZu|zgdI~qAU+T5ZDl!>mSG%#k}pJf)yu&p48kFLn00oyB7Qq<(Z`s z8J8=cAqcVk4MEau#=+D0=K+s>luImhY?|&k(I=yA;nG(%e*??5)&;>+?Z)a5MRd`Q zI7LjZR}pcPRet5A*BLrQB#E+1mUW3$$+QcmbB>8;`%|idNq>k&#{00}4AvrlGx&pq zr)4`xWo9onM?(1zq#f(W6Y%LCNHwb;p$=D#>btutA5c2Nrrx|Wi>Ik_d9+*mK#;hh zcJ&J(2rNyp{ea8oWSrrni*S(-^3z{m2Q**k#8t-_&var)MUU@^CzkQ-m%O9d?~P!@ z-IpP~AVVKW-*{f9iOULQddv6UB`iFhJ2&sjxXk+b+OI+r_DA829`p!oS`BV$!gp0n zhZh7wRqj(|Dp*(dza;(j&bm3!e4N|fQytdnPLfnj+C*%mSTBPI$@tf|bE2eM2=Ul(C9?$&gsF~%-x9XEk!?9!Qe#Ew; z7b&rH>t8le_0(5Xp`3z;p5%|N6Fp1z1>T`IIwTt{f}n1@yqrz@^4MJSHCxI1CmC)U z-M#4OVhQ%%j-*?4E6o1hjNrvQ3IfLSG@aZLW?QK#>m{-X-i`=DzX>LSpu!*1z6j~I zQKYsrS1weEXfWYHLAv^99nrPU6_CgU#@0aI;Pr)W85KZ@HCAL$(s znKtIQBU|+x(_W-zrPX)-lA>=`u;v_E3#rY}@ERA&?;F*t0tJ18X03z4Q)vzM=gO*)=d*J#R7Q`sf`7Zd3chm@V5 zOZmT$^_HD4a=*;#IJn=b}>(#%QQcb(c%N~9&apRR9s_3 z{hTGyQ}HKgGegcHmJC&6cnGfe{Gv%CiXRPAdA0JEf&z4?XjBImt{OzKlk!rnTFS1atY+H5UM?h;D; zj|fF5y5BER@cgpspHKV``9Ds7ckXcmBX%_UaBP7>ANSzJ324^)66(ULGc32r7LnzJ zJas|HNTDQ6DYen`GqCi`p(Ll{;7B{pArg>q5&lq*qwa>bqKPgdei1`~S;*DO_|7h| zoQVS-V5EAUkWAAb1%mU}bsCZXXoi!TR+labj3C*Loj7JD8DpkVVIj~WbV4apa^2d! z0ogQVVk=8lQ=;hC>>PAZf{$Ik{dhW0ai?4`SB!P@@J8;Ba*xQzO|Zlnc^`fO=76IM zAwLX4O+0lk#rHp8j)z8ol{2_Ktpows*mWp1x0k4aFY)!ttKC04e-$!&&zUB^@SAxs zGQSs~Rh`jemfS?&+000t64s|TW8@1H2GoD4vC4a^J%go+-k4Hc#HRRTf<0^*W_u9$ zCTcSvN!&D+73H2W??!G+mtZ8v>VRa}OeD->G93{ubTbuMcWO zH*V1^&VAPcT6lhLYT(YPD7c+C#)_`+ zw2G>`kZ7#8QYfXmL#j#s<>W`}xr)Z@IrH9=4QOsb`x19PPEn>ELrX>&}~ekQkp2T z5=pd;+00=Z1Q(V&Qn*-5+nhGK12B(2dNaAQ3!wu)vte_|c?+;56LAx>9%{3j*r*ed z{o0-e0h6yks-)i^DuL%&dGHHMMkkY0y0F1)zcJ>WmSx)t7T7Z`UPO=~zpO0`6^n!+ zk9amRqa5r}THMH%pjDDD?)_|lq`l|DhyH}?cXW|1Q?oiSX?RZ*xatCDwaPj*Lya|C zXRlk57XxQqh`j*tQQpEXbpXBd&A{4FMaQT#VGK>6`p_y2oe+kV&w2(Quy9{VHV8eFcH5%T|7>y2F zJ%S{0B)r}@#<^5gR{*7nNyjvErH*;{VdyU_BSVY4Q$~YmD@xGCdD!fvr!sR8Kmpyu zpnSq;DY!cejv<)n;AKb5t2^%TVm*wTONSC&{ky%utFS}w^dFCTc$csH-x)hkFe`uS z&o|YB_5bTjAqMt4gOPjJ{=@Pprl6?x0uF27kR5Ds88(=0AMvuG*3q(0tbJ1V#B_s5 zn^!Up))DJVl)F-Z6Bq5i60030+{UO2(Zmk}IxtoxWtxG6pr(bW%nEUHGT~*7#$;VX z4Z^!GY7zxqeYT213ra+Cy!xs#eDUhTS^np98#1N^<*Ejd`RtCICJad*{N+ zg;|M3J79~dMH{JNE4YKQN+dRYChG%SkF+{di#q*fWf#Bpo#A*U3ai@!r-6TE<%*W6 zxf92q=R{?GT+-Mm`!W~`cHjH-H+QRMeccL*Mn&4HGb z9;5y-1TgHYT!4Zxzcw6UbeW{o=t{VzzP+Tt!s{ORJkso22+43YkSAm>iVs!@;w&w% zB}tXLgx)x3FCvd!KfS?OKm@h(y&8IG0|BS1BFWPCeuYKx8lhjAyW6EJZFQ;9H8p;u zRU|g5+^l%lwF7Ml4zzXIrjt|fL$2gd@tG>dUPY|zv3Mot`E%oy8n@ju?|*|*H;5$Z zK~wt+yNU&bBMRcWpwhbxTE83|#eRb@{ICZXfh*Vgi|5Zbkh?{LgI@>o+R|QA7L4UudLEWCZ*itCH|m;Ulxo6PQUvHSp1dldg>~EB@u4w zG)n@v;_GeDV`WAX>nX48qI6>#RZ=Is^WrxOQ@4^wI+cbkE_6xR=8kaQKPpe#A&N0& zva5tKs-vc&m3027LWYDvY8bJWmNQzgqa$*|PdAi=Ok=E9Cs)tOeOO;8wX9i8-o)^0 zSlZ3Da1LK`bdy!QqEUnMo)yy4ivmmeRuj8|x>geYWkahq))O?(>*8_aqST8rjDtbb zjhuy8!6l0=*lRe*C$?-0KE6Q%|1ir)`bz%m1a2)-E5}PLue!+GB;`Ug`bBKbz2mN6 zDBzyMWt+@$grJgfJ+%56C~M08_~CK}xf1^)qVpUv);Fb?Nx~HOlV`j#Vq+)?_nx@x z=EKvO{u)O0ufwJo#&QQFW#IerFkrn{6$Y{>o^6DGAh<7x<_Mw`56_wN9e>`oQHHZA zUVD8hD2U4To=!SM-|LtrV_bWv-&zf`Vzv!_{Un$Ljq~^4F}IZVvdbpr0covs1CeZIO{_H{d&&}DIuEXOEKnj-LWI@@sJiIx#{0RO;eI<7Lz(q5wq?HAaB zJ6L$!x4C)gK~n|_Ru4%5fse1TxffoIAT39iI}B91p^kCcI_*)shs!@*p&n`pq?{H=s&YjD~$l;?(40X%&T%G z=5?ZSyZ%_(c8Cm@f4!r(@mj_erAdgkh}1`w?WFkdiRulm^3Cy9=QcanKT3%Mw}Mhl zA^@HNtMc8^H(2%%3V(DU3&8})eLhuI6UT#mvD=Vs_pM0lX@2vkb;ykPL9kjHslE-9 zXtkz64{p^ltKz@9lUdUuQ|D^vBhiw}#&E=)VpCE!YyDbaB6H(u$Zh7XW#Q+QX%$i&R_}TPz5|smF$st?fi9T_3Bt+3cA#5omlaW|7kbml9I&4KGL)Wf1yz zJ+fs;qZ;BYr4B1YY0bme#~a}fZX@vsgfzj0>*|J1IQf=9FgBp z&DRlHLa&%6C_XgUz|V0K@o)aoeFrn6G*7}~2n| zJ#xw91^54Q0eB={7z!G>Z%E=%QTN<_iz>L!J&nAGzMkjMK@QEP;IJtC9tFo&U!SmMD|XEx5=g&Op02=n!?XC;48b7}U*1k6 zxt~%lEPozbUv$(=(NT6!7zTE(X|T!+T)o1TB!1Xr4q2#b*!MPBwQt`AC!s_n#A5YP zsP`|*OcR|k>(bjt5Gaap*(gvRS&!BADPaOP&en`h#l1}e{J7vyezuw+Oma;W8L znBIaiz&Dw|l`hBvZ~*1REjHvVy->^ra%2xfy@MPP93;nl*v`ErV{rTf7DYAqY?1ZT~BPJkE@0Aaq|3u2auzBhO zs{@F;7@PLx0tKsG@F;Rj_Cms9w4TBE+K)V*QsQTC$P*(bKFjvw3wP?|!ApMsj=ros zA8xyWpk1F!apqMYP{0crZufOo*a9$;tkZ+VdEZcTgPvonz$+JQNXg6a0C(On!C zSd9r18+eVSx$t(VMtrUrWRo%Ryrn*-;*+4IdWtQGn3ehEmOg$^KO_t5wK==N5nrhp zyyi=^v>XHt57Allm7ga(nt*|x4ZDR2qdNl#A;rwj?;`nCMN}Ysq7P{xVq-G0U3;Qq zLbKFqrhE6;hYaol^FzLS2H#JCnHu08ak|I1_VLy$23ysSYjhyp7n+3Oujw{N?1KK*^O7S3$xSM}{J-_6mX zk|{|&Mq~7l1)aTsBMa4qCdl>pYnOxeN-q(6swLTOepBrZY41 z6urAl5K^+_lA<|5d826p&{o2PE&-6!xqZUI(&Q(WkksMY}_kH z$FuqjDg#9m6HW`llkMMIXQR`|(TkJ#1GWLNq{&t`bwdR~hin4)R#~tm2KxX9{0EI0 zolf0|Y4fO9gK>u&z$hWZ$$5v(ZcBs(+B$yYqt>{ISM=K=*<1MSQZeBhzksOPo8%W` zL9Ab+3i+wgq2=f*A(*hpO51em4^{<37uWhgR{j2{t5p!ml0S*6Oe*tZ{krr$yk^}D zg}!KU!`3!QIC$iYlh}6x0XGGKn}!4Zd!+tVYC`Cl*~TkhX4BWiInDYB@4EggmV5!J zd!s?R_Q#h0^(v5rcv+zMk0$sV9fHV`{@T$+W9#>2q8C78P|Oko3vyu_D`G8%2;$(@ z#FMg&=%16p{hr9gs6ihu%s3DVhYM$kW-$%eJR!<97)35_T9j;`6CQ1>Vx%+9b^FyF zDBV{SCb27OcB20WUpxUAsT)(BxJn)YIkV`TI zRbopvX47z4tks-69hc;bUXRGLkyQ>mL85k#r$u|SKK#6GApO0SaHB`AmdK5k5npI; zxiI``G}hZIm1==g@nTT{vchz(Et|29$?PhaZsF_?qBDGo)NOjdeZfn-aHBP}96Uhe z)Rxig5Ui-1&2g>w+t8oaJQoI?SG+6oiZtzmsI`Z8E{MiHZNW66+zC@g$xv*(O#(9B zch&R+@;lK00q~|bi8t7Mbef67S|8zG)B}$ZBc=#+NU)3P8ce5ChB@^emJ&yFf4e1Wfw+=rBdXG03 zD|0^b5Tl@)_9o`eEo-C^A@(oP1GpWKXly@JC;G2~DQ_%X8)qMKMGDv~Av8#2CZNWM z$BlnQ=spzamt|u1;tHT1X>Vl5f_mczfMlN8$~C{pZ)RPM1F*suRO(C0f4|~l>HPW) z+F$?ss`S?*X|JhH!rm_gl(a%1wbXRvip|=oiEhh1D86Ix;H5ufH+T(T8J%spj@!C8 zya6-kv_(?>WwG$xoY`?r6ao9K zW+Rw#6>s2BUmuNhITR%Ck9D|w(v%xQtduI=_SO*A)ziLQOgO%b?sR{*JA}|piQEte zBD<4%`|8>xBHlIy;}*-}mNsyIDUwN1H|^ft$fQ)GW8G(fyB_jE zbop~1Xt2y7{xlvJkl<$L#000!Akt6iaKnat$;gKp zBc*E}6g=}w9DdKT82wqR#G3&aViGq|3I54DY|&^=a7XY`ll`6R<-sX?R6(p*;*yKz zutHW%uzSZetmnl*E%`Rulx;bcExV&YpL<-v*@fY^-7gc0+mJ#L8qBM5zoaKmJod}8 z%Cf@|sv~=JhC`#DDxd~L111+D4XNbOnOCOy{n1w1>xTj*?!4TKo69V}nfR=!JB93p ziHshMT4`z5{H{|?ySe6YzUuws$<;1cGk>4;TbkX9ZlD2-+b)=HBL~z6W;5kTf z)l<QC0dr+bGo^Bz1tm#g*XGE`hc%Ho1gKxG^@PygU_GD6|d@Wm1{#{&4@vsz7bUSI($IdRwg5NJ>(Se7}+nkvm+5wazfW) zJC4zUm?_<3m{sF)cgcFU?T(!L%MSzBKb%3p^%E4G>foWlH3%2Uqjo42;`4M)s-fCY zlt$!vlf)9hJ%FKq2J9Y8tPK^ksvn-q8Z|6JZpX@OF%G!bQR?*&?nsI7SXVIAHhwjo z{JP)zMOt3lvB%(_V@^%v6Bdi?(1QEdY3(Tjm>D5t=F#~KH{ly;;WrO-$I9aLKkRbv zGv!*h!=|Pjq#5s2f#hl0CGp|bzESwc_{o6V*HVxu{tf;V#8dUvE%gS@sLT!?%5QOG zC4OM~lE;`?yvoy?({`7gX?=;k$_PxF%p%9k;&xL)DfaXm$0IowdVhFGz^}gKF*oj2 zvg*i?1d+)Y)0c2TiQgIsB9Ml8oQoPJ$$)Xp4Mq*N*JQSyAae5X70W5ZzLU!pm#u6j z`q!1a1wsCO#9~Zi1`Z%m^BRO%H0|A`((Md$5VSF8`KhT?wlJa3i%H?4bTDeD5DS5fJEavPe;AvS(Ji7S2UjuIdT-8}^x zO07M3klivG_tg&#ghx<^6wwnMk~_(^IFY}sBWET1=G*=X4I@W@Vr4@gluXU|oiGbI za*g#GC)q9>&v&J{RXZ=Pya1P`Xj4Ih|IE zN{Fr`qllnzbdYK`Jz>PG_J~nKWuP-q~thDMBx$4e1*tcT=w4;cM1D& zeW$r%8{(URs8 zr20%1Yv|y^M_kWoe^-Cl!&E#DNa8W>Y{uzpitw+1+MReu`ieaLaYW=OlGkZtlCgo? zUm0XrNF5&S96D4H9H%dQhJS62LE;GvXCiEv&j;L^lmq@|%AX8dQhku>DL(*lTNqnn zHl_{3JDx(A-~z(`cLk#sb#}-3zeUfG?8Y$tl9U%9P&;BbbJ1SU+zn*`tJH2XviA31 z4)jwUV+-a_cep~hCI40QIkq=fGn8gC@)?ta<$i?h>sGyuH{*0s6|saoHY)}=g)s?1 zF#;P8DtW3Z3^g2TP=282y9`XtszyWawD?O7VOTwGgjjKmB3tt(IB?S6?#ci6{-`EE zY(MMm_jzz%BD%pymguhNqs}2F3*W5Doc=1A)K|JR-&n;%LEU;(QZnz>_RlU|!Dso; zB-JBPc}S5zdcwHVU7k;(=vx|UQaP3OEHWkuTUW{ldRRpZg(o%x(( z?NyM%(&kwW7T^~~=<}zMAN=Z1#}jv_U0pZ!2sD3(=8y(&p8K3KpO$Fu!gv>J5#IWR9FwS?IBG|?X0c<9#r6*Rkl-0q1Fhl zKA`&u-RSWQO4s!^#{Tu!Fcncm>Jf!J2bn7u!C&i0a!CLs+uwsvq?G@TH+-&O+p(wGTgdtb<0CP;PQCJ zua~sAyRu^r*!(XD*5#D$++PcJt!c(&2vu`cspl%GjX3x@1){7WYz1o1xE~{`2-^bMvL&SGn+wbLv>}-)U)p=&t2PmG1?` zyAA8kJtu+(u@EHvg2JHOu??`K(G=Q**SOfYnLvzR^15%4H#9NwldR)aqF|#h;f96M zbn`u7&ZH9!rBvlK4Wfu+gGM03%($gqK4bOc-pDdoEqC?sLU-Q4|`jy!ORXy0Vtd)xj1-wrvq>KF7;Ov3=74Z~|i zAeYPguZ~xk`U@HcDHUg>dwt+x1&NLdh2N$2^`M$uD>lp<1$?dQ%B2#;1MCD zU%8lJj9exQzkY)6&!IJvNAZ*ly@}>&V*X6Q$1U z+9M8cj{8)B=v3AZdL>0>AvhSJU*ZS72kczu^*54~7{1 z#woTaPb|AJ%s!Z8PiAXwAD4t%iIH=L?r+l;LCJS^+UOLY)yqwLfPaKrQBK3@M+0Lz zjh25SA^r_vWRfxVeclFc?re^;{PAd07;+Td1+^S}KiVCxtMG=TUlq?#^&ee}R{~3< zio!oL{a^M)>)7f z!}gpT4jb1N(C=ECXl3f5`z7tJ$02P4h?`hjv=eh(``^`-&WmL%cXmM|?W$?~~o z&jQXCfrLr2>j6G%lJB?r5xS_v;NHvM50Mz(Jl%K>!&S2rS}gq7CzGWIe6=4FR4!m2Kha zoA7i36bq9uv3?wDnxRBMu_>Ezl=jY#LAZ|kcNVv7$_Kf(HLQv|M6m7H-$`8>6ctKc za(7?ucTG;f+?JB|FL6qoz2opb2w)*&B}lrTx$O(HCzahot zre&S=?#&EAV&?Du-mf@QY}gfAtG;C11HIsJK&%VoDJ7$C59x-qN>U;`hwwu z=Q|daMM?5QAK2J4=f8S!>{2#moR0!WX_I;O1yoJ5Oz5E|^_F&>%vUYTh zxI7OrdMNftD4y2sCSh?;sZIP7i_W$4+S)Nj0RQOz=-wJ30!0hSFAy#fCZ`Y2r`%6- zG<>ndg>)l-5kn@P`ti{-(kuE%99F{+*lic;{)sk=>|hf-9PHy6Gp|Wd;%Bg)7i>N6JxZv2L>Zg!3=U;A0?Oo`5!O>X)i}->a;;LBA7l{c&XE5$YP1AQ}D5 zwg<`+E#6i`;#aTD7PSc3>k1!y+(Z-_BTvy8s`NIUYg*|<)?6-cRBRslG%WEHdS>-= z#MS+)QMKwkZ)SC4hQYb+=}(45gk9@gjbUobhX1c}xfP*?X(XNtG+S%##Vg-^Q_dI! zA;0dvyUN-|a_OWp!(j?I`xzrsCukou5bj(@R=ylw!`;r1x4#YzAA`}1>^JJiWbN8R z-`w5H+ND#22zaD>lX!aj?|?q)@2G)gclH|l)hdlq zuITFoe)q%MCZSCA=L?SfAHU&qc;8g6LOr4AfQXqB1_-vcsam{u1o%@8Nne)`nJdSP zDw&`KPY3A4K0kgfQU3U&m)1giTFqpl6P&V?&elKf_f(J57yC1mQ;NKbms%IAj#z~q z=BP@?k{txTVMHwWj;+@>>!vO>w-$sBZW2+&%4-;G{Z}TZP0nu~WZM8Pqw={>3A(+6~~x-+rlgO%zLu%=fKUgD{kKRK;YLq!1T$nHIMe-2;-k3-<12iWD{L* zoBw%Hj%;m66&M#hB<1yI?{)|-RUrJm=HlP-$QlN3zqlymmAy{7+2*vk#eDVZ^$3<9 zmoj3RVjGvdz}E6Wg1U#??ZGKm-}#8=GUqH?b+b?$$GO3j6kXuqmaWL;PrgU0ivE6r zBdFQbYaN<$oVSq~I1rcOloE^~sP4w#VKw$3?ri$|<0SMJex+Nwvv?$J$mhit+Unhz z#ApFUy~60B_5k&q9OchSKg51{r7~u==~R>Ghvg&(Z?fX-X%EEq>CNEk6I)XI4%TGm z^nSe?s{leq+~CHRBuTh`j+b5Hh(o;5#Te-j0;3o1J8I>Ux1MceKfCO$c(P43yN&o* zs=F87}SB03P9p8r32L2Cv zzo8++IS*FN*h$(qL~VsBEtLSXgIK2v95fp2p_SX?ibKpJIEqQcLxk^U8pmSqe^Wtd zSf$KZ8DVrnbN2y|Jf6sPN!^czd2ZmnZ^Rub=MD>NEM^!lCMu)RWoqi=3B;X0U@~IR z2aH-tVC-UCB632jiN+r>QL@G`5T;BXOY3E5J7QcQOd@o+uk(dZ1k{IPjXqak?Q-DzS%g1^|%anaT3{!uTPTww$a z99;!QDHbg#-9uh##B{kHNuoH`c`zi#IY>(1IL>F4OV-|xt)NR?X%GCP?3ru&=p)B< zyXNy2tC(h1j`A?QltOLxgaAQ5r%lPm9ORK5kbcgOs9c^E`{zJN%+neiIW<>7xIcv9BpQ*F<5SYuX8+t9o234mBbc8{Mqf- z_cWr$k$eRtFDg`$M^_nyHt{$@)X8o(H^8hVQFoPr)GC1%(Smpw~&1AlDB zWR~(7&zQvxvCup>)F9JLld#hFwa?9b;}*=N2hqqqv`54ni+CR-8CLB_X2U-7Q1xNY z3FBwHx;y8apE$tfzqk(C($uQ)yWyj2mU8D#p!KZ0NzZK(%Xpo|!Kt~yMIhF;5XYPf z|F2UQ`#z@^;_l#}y=`9c!d^^R22HvsKr~@Pkth@6OMX7eq8q7q4&F&nFUkj(AR%HE zdtg8*AX5E~=tk|38^_pO@Ia?>7jSB*!9HpLO`6FP4_n}$gQu5?VImK5s$z_@q_$6H zY1&39M*fjy=VM;eklXd7Qku|ebEIlv>6qQ^8radOk&RQ-sa9|{ue2j5S++l{JpN#zv*ev3DygS6L0U1P zrHb}M2O{8oiVUkm7%Iug$_DoqizT`IXdlNVr_=pwhO4vG`$?M9!Sn37eiW)PsHtUAZ3fzyb?LtAR<36xA&P|0nj&s;nRV}qqPov?H;TLF zwLZmpSvHx$k{;y&54vxuCZSK1I6}rxr7(5gLb|67d*=rFproU6iuTqeRbr$Wzf%hw#a5zE%(1$toCmuN^eC z6f1&o)x}Pa;JUi4$Wd_wH*E0gcIp(YYD7Tdv6A+7DR|v=@4N0?zh8I%TeW(3B!l$7 zx8F7vPgnNocmEG=1XXvPH=k&ja!px3?xm)Klhz$rO0|{KC2jdT`rnQv7+%!0@K51x zMj32!r;Os9IuN z5ubAcMK2|?8`M;|RitHlHAa8)ZkCiEdRWDUz^|Ty82Wy2C1W~FUB1ldBhyJ{CTRF4 z(K(ES1FWeR83SWk9iVbfo{5UqBHm*g-)Sqt^dv0BvaJGw`2~!sIA%M(;2SS}*Sk~P zuSvei0O7d4RZixK#pIcfn^D(r;{o{ihQ(PrkvC@X7IXd@!5e*6EjSd*GiGAMI!zvR zc|@LEvmySC9?0j~b=2N|!5p>Pq!SR*Cu!9;vkaU97C&CC#!ZC4Ilto^cw^s~NCaa7 zUZ{J_o&@f?eGxBv6JXNWtEYD)54qHJ(*sNv`TP>S?vX8BAmi7oo~9lB5W)T}9l=rl z3}4XrD{J^>h}WJ$HXQpV=|fj09;fLSnFGI?c8u} zY{=JpO?_ftr=R5~@?{QkmUT;R+bWdc%;FMScz=@XWy4HHSL2sMIOq*$5LNBZUX?*1 zXQEQ1%|$J3bxRAQb1d7De{sX4Mp(>TR z*z-^oaStQ95UB4KUgM(98%>PkJHia?RUul64LPIHz$TcXglFq1ESR>X!oOX6_(v?D zZOiNvU1cN{1DDQ7A!>^XXTVUh5PfnOk9J!;Pc?`F>XiRS8%4O*k>QU_mDt*ka8wW< z1ZI^O=o~KQM00uwy}LSS;hYl&j`2sR@xCeq!;_)`yFa?PAS|Y?*_M8p^v(>C37aeut|q&Rgp?f9n9~^_pQY_<(}(6_;0uei+-EHsBANd;R3gjb%l7Q^){1S zvsAAYV5AsQeJnULd+hMJ}wuj!tC zvt8azB>haKp9aAS4ig~#b~m!#_Pe|(g`9N);VYWxK7>_fkMAk12T|Zxm21hQ6Wt^# zBA=otx@duZ@rl$I=d-NH$}H1gWbWJI-sr6hUiV7fg3ari6cX>D^CMjw0yA3k7zyn`vlsYjF z%l$|QC69f@C{~ui!gR~;FejYT%#90};Psn%GCWxfN7zaEtO})N!{Z zJP*J8Uma#{Ua~!IwK#B{x6xN==`}9I#+0uW`#8W8ACiMh6WuxyeEf?xxr@0a2Zm|E00A0w3=R#s% z$p6I`6kJsw@@QegklR42b)>FSJB|WUcyfyt`{23q>fu9Oan2xQze6A)h`B$#gHLi*hti{E`?U$P7)0-SkKwN%_<(VzTWnj%V z3!7u>#_C-`JfcP-!$0z|1?{7^g66J9%ggeQxIiiAKhfFB`Dc@NW4abqbQ$JEi@c)s zXqTv6bY$@1HhQ^LH5{;Q2j3jm)Ij0p2!rb;uOqzeM++aCk^yBtbc_e1WdY_j=Z42S zUD64@TvwFNNhrd1TyS(n5J6+ge&*4bX&)RqRop{We|Edf<~sw}=NmdioUjzTSk~TM ziA~)J*8WxeO!`)QWJQG_7-;rkUBS!&_7I{+3Q0G|ZLw_}&A{SE>!;|&oaZxAYrWyU zuJC;w`kr+qo}L9|mD!s^ll>-=IRbYBN*JAZaR-Z**K>Q>_0-pKDK)X(c&RF6HF6cE zU-UL>y!5mdow|Cy2f5sQ|G8x zqN(6UUoT_Q7Hg5l$iK$)KHbKdZdaHF`R6FbAfabYS~=j2Zphd zR-L(>N*}vch7}I$oFfRQT1c>5^S_q&x|7Rx^ji4SpO0mWq{@hp!z?W6OfAzc%sqqA)Zv9;goOVd zfKu-+_&Bhxk?iTinS;9dG1Srd1LDXkdBo5^t?-ZaY~;d(BFJ8tPy8pf+al7MLdIw6 zrP!5N!jnCtbVfDsD%Tb`O#!nlsZUkp?~+uCi-z+GepDXf?>BJ=w9Yq%E9#m4?B;#% zyvD?Ngm>vn)Zn8rQ^PDRC^K=wJ^u7=Fe*|?$9Cw3qgB+ju0h5*W8P3lf~N~CV*o!x zi?2Ap0^~8z!ak?E2!&)Wj}pMO1MXDMtBK`a^$z0No7BM*)In@o!+#4LC)|x??0*k6 z;C6F`{P>*N<#?4YTh?dXKp1uNSQqlxrm(6iTPCB9>eA{`M06l-x}-=M2_|}7Q=)%| zJNToqbP@grchW#9UXZo+HN=iWJj2uqvZJL@AUrMiraJq_BafnHf}flj$#0NaQ)^$1 z$fb;${3mue9GJ2~oZ8$HYoU0;-6z8fg{x@F;+Q}zMO=o2y_f%f9i98`aeuBABM5s` z)1(oSC48Hb=-=(oxO3WH1k2V?A?Inidvb6KC1$PS4QsT`zyRge>DEK5+lcQT`&Hz{ z^EAETOY|W54TF*1_wB6=Nf@j>@=}_!fL}`DJp7~$!?mlo-jlYxo+2)5=u=mD zggQrScq+9TG#<26^4gHoQ7J(z}8-bFh;i|*|oY$v@4rn}oCR@Roj4J?&v z3(lmEvSn^}I&k*iI!uVeuJ6R@5d+Uc5MD1^g-K&IW3^Wc_6o~vTMt<^TIlmw z*3Za-SanY)v`-3+Z3Sp;&1-*Ymqd?+QXItALJUh6q%Ns7BzeKq=|QQPQwqdA+k?Tl z`|0AYyj7v%5D#B2j9Ll6{OPKrceQhm-n7amT^s&_l!@=I$*^I~0%Ff+20f_{wKcZt z)fiziWi;%8{$y`vZ+dWE1|zruIc&D7L%5``1bAvDt6!JZ=OBz`F#po}Jp;`SY?_<3 zdS4@a3UQoOcS~22N$FvIAAL?A8DpUWZNsu_C}%Wmf+jko5)r7`{{9G#zI^3!?8EjO z4l-Ew>gYJX)d%ltM+a6uLxw(LoLifR0`)Elk2ev)-dI4>Q(g17w1#p|1QiR@vnz{g1S?G>zP-oKMNAd=e}Nv` z@*Ln}aBa1OnL?IeUs@2bfGkRCGk)Y4x#UNsT)2!S7wD~(VSY>zEUnCoG6n?Np0`N) zpSC=l7N&sqcF!NC;~8PJHrp=Rs%qQ+)7j5nA{Ff;G%uA;+0TfJERK4-~VC?OiD;Occ-ns3tM}w$W zgXw2>jg0(T=AB39v%Z6zg}FJQDh22CVmod8D+*aX@{zhQuVySc zn~Pm9)+25JLcsU6w4(oivuj61I3VP;PqX)bu;?nd}*#F2ruqJ=&{I$k@u` z1(0wlD3kFRGPSq_I`XR&ai)M=Fwj_@V$zU#(yvEO?Gnwg&f#L`v9+h-?c?1LYf`?z zqIQ9ayLKgA@X*9T&jqP#qcwzOVsX);WcSto-uV&HFW&1r}@y%))kKnD1*^TQiXll?k+!Z1F7ZxkH@TLWvb&y=62HGe2ga_xaaTm(+9159Sj4&wHUJWC7P$ee|CBr%m)RLHnob8SIXO z%#{p*=^L4Bk<9ChJgYbUz)!H34&$M7xz)Q}Z)jTAX->NY>#AO6BzdGO`HME(4jad! z?QH8}|2rm)J7PU+L~02JH~5@t5CG&;uE{HT2A^)4 z8RSMpKAe>Ly^QAJe##+)cM8q^n`1F36AJ&I;Z5 zjWJ$LTjZ0JEMa+Eo84eR?E8ET&&U%j)!e;#nwP8Y|MyP1eyl}p?8j#Koql7}!e1%^%Xk6L2A`~lvi`!$cct{ty~VBc^wnK&If3$z zc{|M`*^{I^jKz*OM!Oyq?`n^;dj2MQj*eNn0iLG*_L8@Nj`q^ zY_mf#zWykOOY*kw*t_IbA^w<6X5nFAQTb*H8*~j!g%>d0WxYJ#8C= zz`mvRAPJXV3EX(fHSuuC2Wi_`5bI`cVJs9&xEhLIhNXQO2v6~8=r()FF_Qg-v3iR0%Slx&-S4WLH`Fq--M7Zj!(KDiJ|5#b*86Rt(WB~d`_w8ViBTs zfAhXtEN2T))HITLTi9r7pbQ8p7~3d%UAM_QG7>pJeXD$}YIX=6jQ!T^+f)nxLfbDCQiA=@Pov>$J7SU8kC zU&yuFozxq*NSGhAgUk7Qht#;LDlS{RW2YF=BjHoMCjTH* z$thItQ2ew|e_{5jOa|1c@HLWi_d~!JHlb0y zeiVatNCm|%Jh$|7Hu~Yh*%i6wCk03i&n)fD_h8s?&;1}3jU#;+JIiSd-?tuPtDK8Q z=WZ_v%mG^j%Uz$;tO+6rQX@uQeY$}h-gmvX0NDH`%gC$?%OdtLo3+5k+M72^6==Vr z>aaJTRMgtGdsHyXje9N-n-r9Ji&bl*lqYViye{X9{Yh9}L6w!MG&O;$$ z-?gHcW)*3D5+KxnL)e=Hz#wbV-tikqKkWI@8a0(dGcLx`rxD@tVu5n5XlWyq(y(q0 z#_Us>qh(g#{pby@po<0tu6?2JJR`;gWl6lTRY_jgk8$wGu3)U{wIfFyX3$mxabt*I zx?31KV%sBTRceA?&dCfphxKrF-PKmiS{mcX>_=Zum@l%7#-xRKi>tG4u@P6+7MH6O zG6bv?lo!@d*Pb5H{ms(+9hBe+#jX^551sgL=Q69w-8$+GnOQpf9l8&6-G^3=+xM5k z9MQkS0-EpKB&1ecRwTUpe<5cS+tpX{{0xQXJtshAAQ{%8A@TtK? z!`RSjOW)>&#)Ea6GBd!vb%t2a%3|vKMAE@{VLw0eWC#Sv_^~{XH&4u~$lI{K zvU_o?{fQtFVMAB%yS+aq!FfEVN6)aBXs;E$aW%h;?gu(rPcvepiMHdWCE_{Kn&-8i z%CqIq^2={Jy2WTl$j)@vBU{qlnK?i7F$AXlF;DjoV%hLZzC4YiW4&b7364{6T0_2fY?}I5F>97SZ;$mAlFa^xjZoy`MuSPzt_(dK^7}K>U(vfhg)!nGddwvu2lqdl}KV_CgI(Hxo z9T-I?Ou(ZQxp5>PH#sN=+NL8(S^F8+5QvGi(}I*Wa%W-?lkO6nFWO=CNW};Wzm0djj0TR;Zwhtv z<_HZGD?@2;{x9H-*{;FqG?ymtbKFK@lw($!H<^aW>-~|mOr z-qSkr*~7gX;PN>uhI@mMSCq>F+Gpk=UAm$r1>TC1^2LFoZ*lPlm09hrn!I;xyrPG5 z_amdlj?q46|82MVhoer~L$=}&ZZBScl}v%Dp%x)X z$ejbAPgu1WwwYvK@8UF|W5tk7%6t845C zE1a4rJHv2Gv@QG`st&L25jq>rI#*dg2^V3ez1=*C(JB}_4o#3ul66uj99BGTpp zau|6!a%wQKP{O0d3Sl{PU}x0Pi*gY~`P5a(V!|q1)U_y}J&%<|V`_(c^Qu>>x-0B$ zf|+p|X5pwaUjB-mhzJZTN+a;c#I8AN&giWjM` z=pgDTvhJw*H0rSSa9Y%BqQCn1e}dR9_3d-Mz}d}q4+6l8`hUMVZ}&ix-0WD5sfpA6 zI}@yUM~~^t=OO|GcmD}mSnhM5ps8apG}7R}mH#ot6(PNWI5fPLIclI>(|@HzD4e3< z1Z%3gNv%S_qVmM?Okx=i3)=4j-7A9QL~%J}U}PXqXM$-{9ZkH-r*43i()Y1 zYR`HbknUA}N1R67wuX9Ui|o+>(}A7ij5uANRDV;Xm(u|aI&PuDI44tQ9S&p#o*n8^ z2znaJAr_{1#utA=F*&mqdqp?X2CZ*J0}{9Ll6yj|s)8N$V2HG#``XJS_70cLMub^n zJu_H*B?!DcLrE#y)HR5@07yn=!UwbHd zwdTov(;T;*ISz*fyq~B?4%6Tj&EAaG#NQveyDH`c>w?|`j(6S!Ogu9`t6)_KM7%o<7SwA>&kkas`(7$t2+h0AKcg7736NhN};zmobq zhn5y0*P!J)I&mqinu^>5;E!@InyxW@RH^+jsAJ=MgIN2;A*9)&nl-{OnNmM6pUimD zneCW_lLNx{f;F%wrRt$pyxO0yA87Pv@z)xV8`6xVNiuuqk82~;p?SMZH@g);O>{8o^w2^`#;$RG=!-22sopZRolNNF`NX(nR^9E z6IHmm&mQ}W@8e3?U|H?tFl(;h*%dWOvcSxnN)<>&3V%JZO`y3_7ooXUMiaihnvssZ zdS#*6*JfTa$b*6v07pZG3aExtK7PJO)_jF@t|wG|#5cdb@Epu+NVvpxJmbaa>@4ec z2QCL@W!z_CaPmK3dCf9=o%$v^6e_tep}DzmRPy~p2E)!%faW<;+ogmuA&Q9ykl+91rsn`vd;F;y|0 zTti=DfjeAQiMI1V-)fkAR4ge=y*I*j3L_YO0Cq}GBwzrZGu@neag{pQ1NHED85XnO zVt4*gtng`gugxYgY1c&yNN9!GLRu{}#)*Ct-*4##>%%m^>HSXMq z`S0&2`m!Itg#7OwVRbzIf%EgV0ML8-K@$Vh=0g3PuL;i#g+mth zC}Kbby%OXnpoAKVNVW0_M#@rJI_``Fax9;5OK73vlT7)mxV}9MniRK$hf2>vCC`eK zg7eP~6F}p9Ledmjz!F}jcYBsOtvTadz;zsdGuo4|n?arW4pT-i2C9d2>n!OXh($L{ z-y62wH^dN`wYHe1x$Xio;ZwNi!U*5^9sYF~Ewr~-E%jnVN}RSREBQn1T8i@@n$EsogNuJ*yB4!|U7hf)|3;s! zSd0j+GGMqeut0D!eSQqeb!`T=j$uSlos-#19D-cg2@cA>$Y?g_t;m7Vhb&g3{Q4B4ROmgVBGd? z?yOuwpvqBaiKzKHCg@n}HD1trY~XwCw>0lZTWWQl<8mL|`$a1rT{}+Yv;)ufJjuUb z;z_u`%6MLit^0D2>Khq%>Nv!80|d5zua+Q^%cGT%-wO8Ur37fb^DeRd3yTwNuI~eU zYaV+Yt9y7PM;G4?#j@0uF<#IB8tVE?wLb!j5>1+?F6xe6juA+}Pcc+yAdI|TkejT0 zGkzALNqKOI=Y5{K(vFp%V^TLf_a9BosCuu@xin>L*KUOO^n{;d z&YOHvYB4RFV4(Av(ev0PS8<%%MdE&2z|g<2bVS|gxN@%)vC>vo_ zL}jrw6j645EVtRBE~|OqT2ZhFeQ}oMvv>~vyF7uo5Ch_QmxFoN|3s!IqI^GVDuH&i zgXsF0G!cS4n^J)9BDTw(+3J9I1ho$9x_Ui;hdwZ7?a|>cRWX(ZqzlmbhDGaFcp6*g zeW|Kf5eF5=$1o#@FsnE}kTem2x%9N5DoxEPJILUB3qMyGw7bAFcri{(G9SV5!Hv_+ zG5KfKo?uY4bmjI@2fgb9ocq3TRv|bzXWDaJ5t9)1K?9~kWmziXFn&;OZ>MA7q$g+i z1A%J%6r|&)aQ3Gx%F)cdiwtu%2JkU;(XiU;(_Q=4g+1w&nN5GTqupcaF{9>mWAeWl z{t%}50A82x`Dec5R3mx3t1PKX)89s}WQ=@Vm|6=2t=ya1 zWt~6;iYX3fVi%3?inVaAWyAPEiQuqi zp2z~B=9H?pQ&%)T+-VO60_xRlzC$T0Dmf4kI_Ef04xZOebO8gtgiOUxO2sQp7Rwj8 zyt(V>Y};W6st*Ye0@p&l^`1~(3h>RS2#K5`BocNK5TufhJzCQ>aHvjtzfHfjRydV# zt7IZvgvp>{uUIO4!m)gIjFd2e$V21*Id^t6TxpR^g7w zQ1)R-w1Y)~i-qtG?)q6|0LRx(qJR!zeJH<6q(ySi@^E!9U->6J=##7dJI}n5?;b^? zN1PW-ygi!9X9^cR*_PqyIzA22a5bd2in{C;kWU6#5{5vi7dnx0A&b4BhZH7W(a+L$ z&{P5Mat?f4PE`2h>pz+tn_<&!l;#j1aODW6+(i?@JZo-iT28s{qovn0ogxXYHuY3i zrRH6;;1cz1uAxV&bK6&PX|!5Hd|(?_t+OmzZbQ~C&niO-#rxfM|GYBY2d-T%=u_5a z@H;kbx^@~Y9u{aBxso4+O$t6K^JJO-~g=K|2aPKjEKVS9aRxIQ) zrU2=XkfWnX>+Hti@BU8>Z`Shxnj4L9oFi|vOnx2Nvhz`l*UwSA$R*p&N8?ouf4Ap} zwEyjL^9l5LuriY8;zxV2Ufdmlht+888<4qyI3G`m5MNpJ)jl_V3)QfYGot*`uGjvP zSv@akWHlMdoeLF-(4^5|+my@X1Zox^Ratj3>2ojK;Mv||RAyd+b6%(2pkx24;Fan(!h?Rc@-A{xC+ZCvEH6YewwZPwBlyr@x6nd=-M)v zgMe?m_bS1`I<(`R>WfB(h~`|8SS~flv|2gxBG^BkV`;?n=FS!Cvlr_Iy_Kr@kUCf& zuftTS^EZ8--#{1ohUkImZ&zJ0bq#inVVpTA*CH0Op-usG%^Xjpf z+WeWOOnngHHBnH@>IS@#SrFji3%v69KgBC@8=AZl(zfRhYq@%RvtJ><;_GLL@kaUCb{Sk1sFVR{ZiHrZjLU?iNc zDM|TtBG19?qLr}gfrYBtc-bq@xD&9JX& z5z*Q#A&N~BhWC>g{th7igeo_R`5hl7-w&ikbh5P#O2sY?<{(`-Jj_@fzS=uDlw{ub zGy*r5e{4cVh=&5=9hhBr<;|MjOh@11JY)*+tea`ymbgkv7y6HB<$vatk{?F-KWIO{ zn%e%Fm~rSRXnu^<(#7(ikWJ#b^~nHQw6MGr#C2dh$q-0Yc+Nl*w4UIgwG+z=8f zIfT-NcQe*t$+RLPyhNoS&!U~1Z(3_&Txy|oc$_yoSx zuOjiFH^`BEg*dR=XE(!6?R_w#imtCx0-YlmL5KiOUChx3TizNFC*^?N)Z~wuvk1hJ zL*q_-HV>_a261+GJ?#)S_8UP7u4pcb=*p*!as@m~Q{Edvd##9Ou@@^5A)?77E6B_p z_c_RcZH!NV19r&zNKYS-s{MZlZY6PNAHc5%!NI{;3>aUQBv5d{8=j0Z@s+Df87PY~ z(n%n+MCdVSjmjH<#CO|a8#N5no|`qgco%iAcpHeW7tph6n;+`Ek+gtuJ9WhzT2au{ z`eO5wBkLV46V$Y*lUd|TIb}O%z&#Tm0c=5^d`-Z-f#c3d@@Hwhr*y%nd+rP}ou4gS zHk(dXXJY9z9q)^PxnJjJHio2q3~jsKtGh%!;dyS5D@vi(7TC3Ii9<84_yemTPlvyG zTy5X?VEBhVA}N%vu*j~FIop`R-atNL)kyAJdXDa>0He|Boz1y2P8X}jPX0sxY~%S2*10*QQ7@O>rcJPz%`;8loFRKIazei2 zp4wwHTPrtzJ3G6z^do%eZx6TH9?2V$Ed><3Jd|9n?&UUy_B?RHTnC33NAnDk4Xo5! z`X0E#u6*+(WTP7;1}B>00`$B;Na$Kk+jO~KBcIpLbA4tytupYH#0lTrMw??-9i#tQ znQZ;yj=oZ!0eFr#J5RN|Kj|2Tqm-zhm%_72wyyNk>lgw*RYAtf(atI1;L{5ei}O}D zOBuZOV|=7&l!wRfZev>3A1*r=DWQt2u!6yfgSENLL4ToA9{G?(T%a!JTf#OmSRe+mu8+R^i?jMS{d+_l; zNMKI^;7{k{|59XnY{3-y!5+R1;*yVNN9bWS-CXAQeSxqstE(FN8IMvnGDWj`{0@Qg z3WSXNt^RW7Rc@k7EWu9ikfwmtuI#b=6KT~5^z4jBZ#lMccO}JJr|QCxz>u~4m<&zXJdzLJ+!^c zc9|I=v#TIisD4(9wsX21^aT2c!nm6BN&|5YAufbxU`GDNa{N~_d;VHL?0(dz;N*tD zV6}`iWuRXr-6&k#c(l|ztaE-FOuy&qG04iu9F>+|0{)a^yT1&)Zw%nV2jCDK2dYQs zG1uwH=*ksO7W(~9h}ulWE6+3sOshvI(E$qNZM5J?4Od&~owo=6~f#*+NPBhPw6Q zz25ni@Ou?ua^G?@1H|#NPL2Km7b^U`$@Xjb5(6VQsIk?@L9I4kWs{o#ExWM!7L&%z z!7yTL+N~mo%ksoSZgprzrm0!&sX0`(7^9kF2_$>aSI@N1wWiQGI@S>HI>=Y*TTX6S zCk_l&@^46&q8bXTm78J~Y5bidJY9B-2M-+oBX%&AI5FTigL|#Ka5t)*=4XP#PP92* zTNb6oWB0gaG3w%x_5K=J%BotTEm_YBirz>Tw7>iGQED#I@isKJ0Z*R`i-Ij&j+2&X zx^1El$S@#LC$=7WF(4G{d3_c&q_Juqs8IMfi&s)wsc}RYRNk*xvxK_R&-P5plB^jT zkNYlF*>xW#s?3k)iBoLYxRVB(YU}-B#zJ~oeu|~sz+SJj3&<@6oJP^w2hvFH^G;MJ z88*w#r0djcu(HJXt95Q*ef}V!GNE46JG2Rr>VM7KSPqyPM{IklZ;Vb!O8D*|Fsm-I z4@mQ8UmU zHI{7SKqq}Id)umCXr29EyTDJk!KVuJ{c&b8_;_jIF4iMTf9bc5w)OOD*KCihbvpSd z#hcEm%yZ6yO+i4nRYE-Ugd+yxs{E8q1#KUc6%8L`n|2TTl#b$q1%_z}W(+h8+HL|) z=8JQFOm1jR1X8^^r(j&Il+=b4+5}4UjLVo(ZVQ)&T${WXR>v_BoE8`D!ILKpn<|}7 zw9gw#UauUFt1TQbrCm5Z_-K5htIzc7nlL6?p5t610O$^Bnl63ykJi0XdgKe@9qxT) z@wr-^5$IVg_`XjtnHN~KEr}J;t_$-PMB+u7HarlC zE~0s5$puQA>4DdqST;f4n}hZEBm|}@6h}Eiu(}w4Lv1{W(o^>+k{0~W_JR4%!780V z68c~o^7BB7^|MVd0dCBiFeqoi9zd;RyO9w(PWBg-M0#sYIF!shjn`(U+^n=x8|-SV z_PceYXiNHvwrLxfnh}OwXKr!N1|WFa)?Ua=WGuH>59}4Kv8+KGZ45%jpBPV-aH*`mj6{u%L7l;{!!NI z%*~-q$8MW?Ik!E@9r>-R82i(F1^pj1D~!iq7dgNEu(}LbHHDNf>MgvH^}ZFw4kSSYa8Nx zGWg0&3InAs)};rdN|RzEjp<^sckPIqDI3`!iGINNM8LiX3ae(R2pX1dw4_!3|4i?l z5p{a2sYEyf_H+c_827PNAN5AvEKWAVxpEqvW>=7~)=BY9KsC17wh>WF*i#q48eGq7 zB!SM#*~>Q{M_c0FiZlLMN{uq&zs&;V)=Qg@B&J5!HN3UmA=^vHl^)BhndX}uZR0i) z+ZfV?E*LKv@Haj|{b3Uc&XR(M!5#B+zJx4|a4MekfG_zoo31K8;hYp^|AWZCVFi02 z&-m}lLKvE-Iekkqe8yGl(vV}?zY4MW?*=}?$#dTjn#kr850;CaGT$Md^)FTK6`m{6 zaq_H_Fg$Tiq8a-wEg|f1JqEU@eL53P|{A$4d{REi+dSrRXD3JuLFdSkXf zZE?+ny__7ujz?(y$Wo|Ybjd1Q4&gM{&0g8conownB7L_!CP5U;zu+et@7|pucc~)G zN$|oL_zB7(peLag47A`^`JNzB-lqNCWCB}h|I%v9@s23!Go-X2=6P~Bdq*(Ual?P& zcqVztDJ+YfBd!k13ch_99HLPr+b8*x+f8(9YAb5H|FS3%n$;{N=%Siy^D{N-h=<1^ z4vU(=`ROaTT~2U$`&(zR3O*%lm}C3{9BNvsDTq^Xix%#Bep%4q1c?MAnk2r7w-+cO z(qx<;YCCCIoJJy^1)MHB#DmGcl!BQqWKC&zUxQIgZ<)pqGf~s5=5hu_(n#OWEwwhB zwPBgd{)NTR=3Ko2k33&tecJ>K=`OM2i=fw4#o^Y&?eGn0+FCUu_o3ZS>#BW0vOjxqh2xvtGL9i57=inI7VH*e{D$ z-NyfgI_hD0-+%mky1!kC#9$~*KUzSrZmnBI6Ggd_j7i0F2z;!30b`qCn^|yFo7jfI zRubwx7k{J_4<9a2hut*8yuvhDe zI9H-?(0v-7KrKPZnlwFXAO+m>fh%`t2{z(hh~|dgYpP`gmCM#1^_gPPkUvRaaC$mef0rTOC*#elAyK+;$bh#n4U zh!T+Zlc|0}UasVLg!v-d{U3TmU${2;c}S%;Y@9@jmq6`>;&%EFm}a0_ex+pK^~fg4 z=pNW|E#4Ai=y{nFE-C43>SzZk-?d6xDW~Wb|Kn2g^lq`MRgUfm!gu?m6_5m%{(!1KuDxt5(CMW z2wDf25Y!uYjC{H%dBj2fN}vHTW%|cV_{*OhQ94a}MI{$enY%9hh5wfc+H2zDeVJZe z)_Iv0ogWKQ{Pwgn(Xi?7QfW^ZAigU3NM0pQmjrmP6dgeV;2hY6#C~-5%%)IZ$%3)G&@zJD_gc`5{zF ze8yC6Q|ZSigxdbPOGfwe?&08)kt| zm`_s{uBhJUkkr-cb zby~ps zqLya3w&?Kq=FoElb0|;4vU^^t*R11hnQdHJwVgR^d=Hy(XdKes%l5A<_W83L*17QC zsD`bH93kba`63+jn#u^I6UnofoU~_+PS!`;RdHV#Z8?T{@072?+HeAhOD8&{{;p~>>boxXbRc0T9HO`vs#0QW!*+mlp-W zkApbb`O$sssanY8f|+x}1tYVbp`I;q@;@4YZjc)du&9n zTCXIxuv#|xpSAQYAgT>C3B{E1#Zl&hxA>n8L*)%Uzz)qw{ZJAv7~=hCW)~EMiHLsk z2<~GJ*~r248R=+nC((VV=O~HTkXTQcLho_C(P7aoQLFv_ zJCT6FrRC0PHd1@0-7FxwC(`R?*ZvTuaKd-bceU&w6B1g))0}{MGw#dMAYxvp*L!)x z{!7S1rISO>J36&7%F3XVbMIN|`0|G&GxEww2J6Yypk?zQ2+2Ax_3fE(W}XP1sm5-G63U@0C3y>0HrKwNvW>F|kdxFip~HtBIcuYk`n4C#7%JJE4`;@@*n zeJHW^9-(!45_DZB$Ivqi)zb=U()&Q6K2Ym4Cg?E_uEOD3>8$ly0zD-ST?puQ_IWYU z9uLvQt1AaJ*qv!e1?q?>c63gumfBc#naMbrOU1uZ!m(dSjJ>Kw^wGrjpO{l;O;TpGpmaFg`6Z zZuH8&*@y_%krz)xX;Km6@v%67eJ5)eQy-`6A`Tyfc>-tEgSuzC{QqSE^Z|mC@3^5U zGh=)UU{S0RDgA9ZwA}&F$%WD#**pwj5PJ802v#Rvz$f?FHE5RwQ7B1s3&&#hggqgu zNsKDP@03#f(ok@1ig8s@>2)FCKTs8szpfJgJ;Ev2F7XNy@lh^t_g&i6@HBD|&K| z@`Sr#=hEcTnOWF5nkRzfEYOltHwm@mkC_&9zX4x{H zDvckVXS%;_b!o@LL_)K;l8ImoaoOU$cDk&h0q_iAU%(lnMU*)EugAjYW{@|niT}P7 z?7>3p)*P2iaiyHJz7DKYURPQClwk%fv6CdxR&HajNw$gk*u)fuL*G{kdp-%>cSkb%~cf1;2nseNb8*0Ei#PJ2V@gx{N-=u^9p zGBSvC97+vXqtYl#LN5KA!Jco?udq7w_^#oQ-NSx1Y>aP1bT4jZxtf+G22mE)5jmd# zZ;KT}V$hUu2|UW;#y$TdcZAIbT~|~~`HToK>>vtE;sm2wofPSZuMX|AkjZ*ZAn$i( zYj@`R>YxUWSZu+&j4pIfxP}!_mR7iyZSA>`xpd4tXVZr{+k}2|sV-Zf=(r=)`naRl zctkUWFmm_>|2d*|dgRSu)(>HoMAtOMA#35Ad|j;9$mysFiS&-kBOaxWH-~>4JnZc+KsN zEn{x9rC98f*h;RiIKlp-m}ifj@mBr$U*YDes%3Oh{QR5mRDEtaFupCxw7U@3Z;(I+NHKaRUoqwR}>58!XX>bW7F+f&~XLMll>%r}PMlY~+Uj(9X&gdl{>Z^aMr$TxD z!b2~Q^MbP)zPjP1(GZ*Z9GGW5(C$zsP{L3|4){R-j({7Xf4hxmd?OxSWyUQ#3*2u_ zn&Qi7|C#e_fc`dU-Jm(eV6gvV9!XeA03av0#Y&~BWxh@nyS6{<*m(l^A{cC<-SiFG zfk-&9i-~LRlf4I_x#~7dr#z3erdUrXf>p0G$$Sk(+*Bv=jbGDN+R~rM5N!vJFNAvw zAe7UTL4NQJJy4s>{A@)lX3c0a5RP)1I+PA%enjh6NBM`hiaBB;eJPI~P*Pc|i-s&h z_-F!*pAtcr9HbTeVqS2Og+5=3;5R^NXB_78i&86d9-No^Jb*y`pNc5wN`fWumb!X? zV|FxLO4`ILy4^)DTLdWC$r8E~wO#f7;*f!evPw~&qmB_;*WOn#hagFQncQrrpZD*l z-}xCoo4MipeCf)Rc$-m&u4Z;W)i(NMur?0<>TMA3&^1e}U3-0nE_bY52FUr2iJ`cz zuGF*+@HIR;yYyFyj>YmVUEV6q)OlX>jo7?T9|4)X#qY0WE;+jj&h`+9AHeqAf(#!) zxA!3BK5i0V87^$zherY9cI)e5>3Jt1h+E;{RKmyJQTzdGPh2tG2QkgfVr?q4(mg78 zvL&Z?dKX>DM1LoGhy3s-2b_whV4HNRpkE$F%&fJfRAdhkhV%I_FX*c6=kkXa+o17L zKN6p+gz&ZA^qHWS6%s#+Qn!Wp%bJZRbzk2lgg_JS0vSb(LA&x!sfRO~+RGfGiOnW6 zmK+^JRo6vY<_G60t#Z4g$mgC)%{C?J zsAEz#Cm4pXyHlgDQ=&346Lw+BI4ip_yEBzc@s2RK{YlYpy(O7~|D^-mda|P0UaV~Y zj!-~u?tCf0kEd(zA?a#fLeM7MtzGBc9a?*qw`yC>v#@0zBNA^vI>Yrka=eyG{9S1i zYd2$EDs>$))0>?ECHbh^DWPcnA}^j;C$|l#b_e$s`A(>|rvmZpy!kLCMrirDA(rny zj1Mm(DtQkrEBrPvpDF(l%ZPyXLYeoC5SYS?@cp6Jp9}Hz8n_H?M)h`r;9a>1LO|29 zi6`F_ecC`E0xgon?jyDx|QDw+3g&}Zk?KlI-g7je#5_g7`-@XzS4+OtOk?aDErmqM z^i#uBYdfglUXJ?2(NB5v$5Gwtvm(@QLdg9(_}og+E89^5DKTK?XiaeK>5AI?6Fh8(T#s>&uu@YE(AH#PsWLV$GW|HmJgf4_K0Y+!IT_HHKfCCjrc#7_PV<8Mzw&OcduKSyX;ixvr3L zaPF#zuo80WfuUYrTytw?Js?<=gFDDV&KtC6KUC?{E6L*M33-2}Rxil;muDe6gjxw< zJsU{Od4Dx9FjFI=)a!h|pcgzHR+`ca(&;73%Ari!4zSgT8aMa;UrycCr6&?=xT?CA z>i1fiZ;jEI*Xu2piC|F_?6~h(xsO>@Uel*4YPyEp>h4V+kDxWP7~lurDh>x({;f;m z5Ah6YOyo&)<_JbSBLc3(-4gKAuI zxuoJgr$A7b%ZP%%1Rr=(Ta&Aa!eUAbh9{Dt!eVSLZU3=IY#jw)3~8Oe9D6m5F{rjJ zVSKyy%jGdCFT)%!70Kyx0q=r`Y82e5FKo>={dF`eJDr*~NYR|GgPi3p8X37#SksuN z3Gt#589{fRe>W=wfUp8p0)JE4)914lUsoG@Zw~kb{oT2v9O_~>izAdsG4c!g&d6>A zrA6LXjc;>Ft#_uIz5NlZnW;6hINpa@^7DUN7Jg(ogff9M+acf4;n(Q<|C_;ji{{2p zP5Aw>Gs6GP{c^&O^ZjAwBoL&jZ@;iBI8~Wd^CJ>5G`0+&uY=orz=(hiFF3wT_Z@Ol<9wQ;6dn!ZWi-bh(wG8vZXKCo^Xj_mitpgHIXY<<4>~^nXEN4 zPS^%X)=g^~Pwoxh1&$JT*Kb`nggbL2w?dAyqRoD5c*$P|>p>fi*a`x0B!qc2+i7{u z*fPL6fbFV)bQeRKIoFYqNP_#(Gb{+$cKL>1?+~tK*74+ZsUzxJCH`9w1V79pA&agR7yMg={_<6C!oq7X?Z{o$JKtn=s2 z87$CJO|?y2hI=#FR_jx(ef?k}TV<3fcEyMA{;=oy0!b;Z2m3O4?O?R~2@BfH(o?cF3Yt#94jdQ#2 z-d&aqSVB=@VvMAYTM0J0c33;k^6A$fTeL0NKfd(e@5T8{BYRY}?Y-|58zNJ`)~ESS zNVPilnRs^O^=R3Co4L7!w8bWY1umgW)v*F}{H~2rbi0)ygIYAvfdlHyXpz&+{3$_G zvT>U!mB`lAp41IOy&(U^arS#n?)KC}00|d(UvjI9mQuCoc|S$6Jt__5ViS=x{Dbcv zA6Dg`Spk_;b3fNwKiTb`my{FeK>>Y7eRzy)v`;h)!xJM0JJW?my62dhlhG?Z)eUmu zOcwM(IxGLw$oXb$P{LALwZaMa<~N-`X1X9d%M}vb*iLR4DcIP&Ld_%rJa&61qbmyC z)g4IGv|hBAl%I;OEJO)F#2euPf{O3jYJL)TZ_t)PqFIW==QUrqpsq38uJ>e-G%+sb zo?6w<{v7TGoYR1bqB%g7J0__EN@KsdZ79 z$}w*~89JDCtJNaW!Ouaqt<4>`-!C>L@bVPzR`lQs8{fFy04$R5{=FCc-VRO5|6W#A@jqdG#xR|fploQY(TFz`1oLIM;W1e1CPpt6jH+y-Z1CL7qo$!0KsXgdLORLAJw&{*g z%Wr6PVM4w1`Qw$&Qy)5M5uwCsqnMBPn>~9}0q4N-tXjL6!bv$C-!22~DCgU8d)2+z(;>$ISr|Dai%ub7lnOFT3K2!SGwhY> zx?BzEJHkU$UXUS=A`CL@H*|udsXi0$0`nH{0%r+(_P_71^M{SeQqLOKtr@NkWx+>D zw467U?5_u}ifJVgXxhJlFq;s7VXmh8Fetxyw)10EQ*QTEyL$h3>RJD0D{X|JpNP1T zdtBc2F={n_;AaP*yE+x^MA5^Uvq%@&K;0PgJQ=429*I#3C-^$bU!*DHkP2+&Kzl>4 z)3%UJ8z^$DTC6yo_(E;@t?#*hv(c>+{?O|RgL;k*+|PRLP!8QGTol~@Ls|B;*Ia6g z_&AXTL@6VNs07wcfmum9(s`8AGm;o%dxAZoERodg;*Z$TJ!45n#Zn|Te4KY&b&T-a z@Na%obX=xTU(SP(kRNUE16&R}dQ1quKBxfRhu|F_Be7aj2nY?f+P8FCPyGAUZ)ydOmE~^?(keVA z3f|FON2A=A^9Ykp&c$wERD6RGA7;RV#5;f8iB*Tx-Tw*ZHqn19vd+WF0UsvvO;X(v z5Xf}21HXq|43{|xwKg^qp|XfM$$AE_u|ECI0W5V}I(6&K4q3NO(0Uier;o(n6?rRyj1r%%VJ^pfhOD`V-gAPAKHA-=p>BNO=^AXu-?f}klEJH5F6<_BZZ6jlj zqLp|a350V8qpEe1Nh!G@X1WzB;kQmZxE2(FZVvPd+ zQGwv9T&O1ZR>j@DX7==(oRsBtuo)Gl+|dfv(JV}ww3kM`;m})GlzLnYgN4~4hDwiR zHzO3x=u=_$N^S>s1cW5jCk_}e)R9_v2UvVG*z^nZw=t&|Q2)@cqlP163`lzE5p0ek z#KL6#TP^DCmKFOKBAYN5NDRjzkuh@uzN$T>l_?wl=SmUhaYIOS)J7%0fF*vqJ!Jx4 z27ftk8QqYTN}sR$apCaBL9<+IZK?l=lgl7@;qF5TiDcD>CouOD#OEorGuNBtzK?nr z?H1Y%tP@1npFIcUEpr^A#!s#H|DM_cfmIJ%&(Pa%{PV|;q`PY9Z{5g&{Sn}v+0`v% zl0{ntU4!Erm78$x8@XpC-O7V0M8KG01T>-7-PjSWNhU<(yG4ygU~|lydzJ%N7;9(KsAghJ}lBZ39lrMA$XR7WR8YVnwd65y8;VkaT`~ z@bjSVS;eb^eq>uU=O(nvTo=gum_n1JJ|`_#?DKcaD!lGcEUZFUTr)QhB&5qrt$zWm zis?g&C!sdP5eJ%|HO0rg`(C&zfh8EJHW6Ro>ZPO|4B!7sfxI^awkAN>s+>53S z&2O6#pV@+LND9cdly56B;m7$PPqNEd_lS3gz5}oE1vx2_fU>$@#x8oGkWUwpe)}}@ ziS*J&tP1f!!S(mP4@VuB6`s5{{M_$Eo~I#h#xgqkE)%iObd6A*Zw^=DVvxeZ!Ax18^N%(kYUzxdS4r0P5fzHfiPKU+u7s-_bC zVGm1waHHMwrlIlY(I&MME9 zV`8vb?c-#LGSJ;7SnC9P{tX3bBc8R;99cdia&s6Ezk{X6GY-u7qycUq#qJsis(V_D zGu;|2s<kpl%vM|dTVFx)aY%#=6n%z2*%x|hEcb5|HbeP+xx+^ zZ?DhxSM?u4PrsvG<}v)H+ArLuGV7eQG?0XXT10rZ`si~aKj%f2CPLjXzUG_{d)Dg` ziY#J}!uT2Qwo53^7@@tp9hCDAfYF< z`!FEC!5eiX_~z+*Q^=^22jzuZjEWuQNZ^9RREmE$w>wWQULlfQ*$bWp{h`z{MseGQ z$zIx`;p+_E=y1vM_4;L9?y_|Ye)R# z*te)3qe_*49d_18QTK=g+=a~!98#=8oH6<&<5S^lgsv;cSsyE{G~>p(25LP_2aKPr zwc>?Lba|GSrir-AKL2AsL(Oj^dK)|8XsTw6*R%2Ca#OOxZa?377{Y8c!DbbfcX)Z2 z$CC05xUP=ZHv0qm`YrJfGA@a%YL=05c+v`Pq!|xwas5v!!E^~KD71V>Jr`}K$cY$QHPPrb>HDc8xaM^z3w#rJ{ntYB<|)vp!q8U{ z_h|@ZTb~#Q(t>((-Db~-$JYDfw5(C?(P@!II17jA2GYF!O)8O9%L0xs4+nfXp#2 zSV5;`4JAB%kU5Q!Din}UEKR|JVvwOR?TA}z!!F+!nC_AS`6_t3{p6AU;svli&&w+j zEy?%097HW)rH)#Dr{PkNQwv4ig~_!uQaGZ)hODv4W%C6#sWgq-#o537P3_*medPhP z-^aq&FfZ%WI;vFTxZ^g?xFl#N+V-`6S2`%=Ks$+L6|5P_#kN~FpLSagN^Q=vc&`Cn zHzA0oIG<@sk*M>s&}7IY-rItuChx1US;z@Znh$A`jg&R zJpNI3f&Zu8UW2RToHrf`;wHVSg-6nA{*cxHpU|}25&bJT$rp%kh^*s_-Z_rDV}M$w zIh!6BENx5A4JyGgPs$8|D9Ml3@Q14gzp@gkkmkdmY0K*a@VD%;YXSkay0E%p1s9jCN%?X)$NAH_AnvG5n((C1MBt*{ zvpwUaX=vR1nD!k^fwUB>T#ccqZ%yj9ZxT5?ueie!uMWeG`wVF7ZV@YUO~9|JhMdR< ztHY|Dcd=vaB)Kc3-E{bGhUVn%%`1@A##n0&Xu^Q-j(E`$RV&0t9V1EJ2SA*6uh7KAZ5VKs(e(B0 zt-DBdic9NyxB+zfy9Q&s;Rh2QT1L8`PCvs85&>D!u3H>y&SxPsdPv0GMQtoyk@L9b z@#(+<*O}Wq7tjSkt5GtS7Vsy4>Et$IFXgy7HA;v~h5ohVLigoNlE8mx4x?6*x-_WM~T>)PCk zvdw)vn`o4|Ayxo8Ci#lR<3)K6=w?Z`lG4@S6asO@QK?EL6`k}+g=%ftP+<9pnM0aJ`j>51?rVeJU%3avC&Xl7|3=Xklj z(ms!qLX-oTvpx|+@A{6dY|8mDWba^w%4&6osr1ur`ep2MK4kLH*FSObKYvgWC12h% z&;NK+{xW?^f9xi!yXvOEQb#rfBGaEng9AY+9HXwrZkw|~{;6W6X zLXTK4ZiYp2m^9}s$Gcw!)Iay<1)-c&_uh&|u9n8wVRMRc;~=MDDqz(cdH}TMAZIq! ziorG+8WX)(sPcE5`Hv&wgjg`+Xk2K0FuFxNf%r%L7rN~wH#7+KQGhH63hMu|&r zM&vXZ1!PkLSQqIte*zAID7&wuw@M(lH=ZLebTbK+0)qxV4Ph@5IXHD^OS# zPH}0h`jwmJxTpj6O|xH$Pst7+UnRq|WC(qyB&;zvg*%+(OvBF}>UgUKg7?Z(Dd3T<7ze=J^K6+5XLvk94;1((;gO=SbG(x171--iq_>THJY&5Pf;A zlE2Vlg2&@h+<8rd@7p1~zV2ia8osZ7;}{RBSkJY6kA(-M2RGV5w4XjTE8W0H>q)-S z@YgSe$*!LBT=?t=3pB2>GjQHKU%Sh7I6LAB9uf3NU}>5CpD>NTO^Zl}1O~)SO}XFJ$U!kpQ*i?6CuM?TiWPk z^brcP6vx8`vDkAnJXAHht0lbMV;8Es0!7@=>co1eqQ)>Mjr=`=*iSVk6geJ5VwqQ4 z_^?mS4FHlYL#{^DQGNyarV(Txd~S(9L)ZbqLYY>3o8Gil<)Qb|Vc1w24^@dDr*;i0 zho?;d8^5;0oGUz>XAxk9I)-njYpqK-RT(<8C4GM$jFAzPC~`@U-5i!{Dk=uuEesO-s4WF_j}d5@|+eH)Ji)U^61@X z^WCGvig8T@&d>?T=ihATBDxkc>zKaY?yY{0DvYBKYvdI(GKuxfm(VSSScbi4a-h6IxCVLA0#kQitsNhpk4}7jzMn3b}&<0DS9P2P5yf6 z>4X@d{F5@jS!9H@1>4;@{_lIrSrY7AS9#@~AvsQKEkK_m-m%NW zu!B|dK!e8Vs;h|g44$XwQjI^DNR9z%vYcmIO! z4;*7ZWtq5qddyUIJs4w~Ue#e=zBF>%Z(}}glpU@P%Qv5^`;`c>2BtuZ>rSbR@zTF} z+r&SF@D43ru$0j1v+B4t(6IAVs<&=18$1SiZR#6pGI#Q?Vba@nvpKM->?J%7yL38~ z2!2^){P_WKA4xoU-(fv~j>Eu$(2EB@`?HK+2`(YKM>sB{ov!dU+}mgdV$UQkCX|P6 z#AXkiWq4_vp7jV96TU7u^`^_5<@UK@ppr5b(~Cp}x%-@;k;N;>tqo1gO2l%V8)uAP zyXbK&Gb)Xr!8&1NHt#H7C(A0QE%^AcLkpQHg1hGn#^SCpiDkc{u)}^Tzt+@^3#VDd zO=F^JCMT9k*h%Not7C^F8UFPI$IXH~fcq!gC=1{szanR*YC9N1v>~L44Q{x2iE(bS zdWc5$3ZpKG1g9_tyoj4yFn?8yta<9o&X9e6=9*cAgzZvT8xspCWs72X@{7Q7eYDhl zclKp3#|J7WTPKYZc3L(a+f;L*OsGNI=Bn7(@tNp^YjF5V?&?;khMraIU`53Lo3hN@ zkgus>AGdNPt(T5=b>aH*yZ?;+msZq92ykDN4gXJE`@ifGX%qKUZyMf7-M-06po=rF zmK7n26?j3F-yNmoRQVsECTjYiP{>jH*m6p>TO5|@jc`EMFK#qzu#$&g>i5g;RNVDp z%5S&?)TaAe7(ypPfCfhHG=Lc>4m1HepAqDCNuQ5 zI&2qR%7s+SvOeFd%>cE!6FJ&QviVP0B3hBo2ULlW+jhj)kQe26g4j3TqeFRPY?cat zF%TOjfoKN<2Sz;(l~)ZrLN^mVs$<#?2mvzzznoUJHOrSX*GKu$b>wI0TAciG{ZlRB zk6+!_esP-J+%*XtWCZJCBvuMyvF_msRUJUS(Kmtqm$IbRKPii0g|YL^{F7Qzb5ZAc zW~N_#J0dmJUEw?6Wok`*oe$xU41re}PlUT~=m=9c(3GZXOeGrtQ*vJ~0ecJKwiRO~>G=ms% z+OF;BZIEVzbcz!JSpnf)dcVT0@p?2}eBGd5OjZ?S)Z4UC|F&s6_k3H{)U>*IPW4%|kWXBEC*o zoWXo@A0#0%oZPz1$J)w;H(B|>n;+^CDyVtveQHsNIAgr%H}3wlX1sVwQdVICpXYl+ zIkT0}Xs6>g@%g_qqb_ij?|Z8=#iMJZes1@dpx%PgbokuZHEi&Zcc zhsmCliY$ga*Mo#dv` z;)JPY<@1rf<+ocgBJAT}i`9yI`|zN$Mzx*T3S(KzKJlT$uiEN7Cn6u*ca$7w#NK+>suuS4n#DR-Elk zLctmCZBKif-5La;OL%UH582o+vBk|xXkZ;6qmI-g)XEmBnRKPJ>=Teg>o2Ay|)05pl#R|~cetS<|MG**U0DwEESz)(s(7RR}B zl?eU@#I}-+mv{&yKs7f~2tMLWD&9N!o=d^(#6i#?^X;t5)&P6mna`O4ea4$kMZa+5 z!|p=bSET9B{9wC1T^qk#**Kr=pn0cPmo08QPS37Aj@C@6dnOE0Pyx}@^12_0;{P~4 z@116TFh>%yvL#XR(tz7{8L!RI4dDAIf15L?)$B>Ttn`zGv=mKEw+&z<2Oxa6uE6E@*Tn8rWS5g?rlhW=ll*GW^c${hnr=u zu6iUl1v*|Ku)}$VxVu3K3VEsP3|))>CQ0skx^|w-ZIQ=zvN3^)lD83hQ#-IR^bqV$ z6-(u2qE&DpIeop5WnyuAV8)BlYA9Sm7VJFS_|Y?w7_1amY(3o)977!!1hR2(nfuFe z?#wG;r+xc8iu=|AdDlE-U2>g<0TknHcuRn%Q;@H4cp+>cZPng}ZjKoSxneVVY{5u^ zN?sRj`+lf2pnF2G9nvsmP!FvCq`s%}Jj`lV%8)D2sOub8k?}Ui8|E`0;`eE*6{Dd& zQsn9G@aO1XZ5|!rNp7*Vo(`x$xi#geH`D-(OIV@_oWWCSJUH9v{l%)lZ+#u1+~MGY z(D3`L@H=>KL{K~2*rU{Po>!ip1hllrPpr{(OeGPQLy7#W1|=IogXRv-2#x2$)`J@Z zyR(VmVVi`BFX)9g>VGR-pV_K>K2tCMTgCqQtvVjW$LJUD44xkHrfk#lc3#kQ>u;dS z0h07!x?~BeO!A>MZiH(q70=QYiHYYGpJvSJtGy_J&QB|5M(A%X)C(u#+UygmPt zOrc@y7?+|LAkWss51&sdH9MB>#D$qNI?}g7<8YM}nzx+0aYL)@0%}t5`Uuuv;gqBC zU`EjRWcFPKaMvCb3jzh{HvSKv$Xbt?pn;6Q~#?eswQyp+|0o3P>MEUbV z_a}*o>Yy9;L~&CvZCw@I7c~7WUj9(b_Ig86o`k7lx*`X+-op$9L;kki7BEk%Y zEFNvBzDJW6PR$=XCslQBU<>h|Ch*#MgP`NNO`4<(VI9#XDGh_AFIJ_YxL;&dGpoQsZL1Q@&cDGkOT(@ zSyX}7^+vroRs1@;uUhB43G&l^s6xXPr?iBRsk^5x6bSg0U>Oll?T)G{*zN{Fi5cFY zrtQQKrQ^COvmP$yvhvD5d*?m8_pin%2pKsoMVv8LOl%z-L@5=D`GCtVnZ8*qneNQ>uqUyG92UZ=Zy*)}$N zDRW{`lhgxcq|q#iKPejX(H#_OMl^+mcoU#W;hu+|TS-(J)H-1pT)m8KSQwS;m(Ygl zDF5uDa>Pm;)~0u>5hd!cog-r&L8*#VnJuRq^CT-dJg1`bKE-%cM8ARrB=`>J(JVj1 zPj^!M-Aw3F&^WNK0lq6Ml1GM759cD*A%U||4Q2=RUaU#TLGu?SN=gz1?hpPvCutN* zw{nbMTb3`*QmfCp<)dUz|98UpPbMW;f$!_`=0EDyb`>RkC!|fRv}?Z4S-|as;LKs) z2*Hfp)vQXl_nS!grDg3bv29t=mp8)C*&`5NR^Z}nLC)vL<>y zE%XhrZnnTVb4Pt4;LA$MZu2|8ciq5u8ecANT;EoxYai_Uc>4!ceH|g?<=FR^p=KYj z`sjAyQQB`^kf`t7^wSGE$jjD*`)UYbIJ^Ly-y7obq`v4Z6-jq6B_(_B=-o;b7F19g z3;zU*-F{2AS3N7XpM4kX+TV7OV0(o5i~NiFsUBm~LctUudzXqZIDG|2dsKd+4fDI3 zS7la0b+7WDIVqC?@~{|8BLSZP9Q6-vUid8%I)kxnf_#FZ>a^EKB0O_>Zr5J}`+~u0 z14G!)5KUXWCOwABFFY(e+^BbENgb|v!du)k=PP9tcX*?_S)LOnHGNjpWfu3?5QCMF zeC`*>+mAH1G8zPxGHvQO9%4|l^XN#cCIn>TlImuwSFMQ+JH8J;8L?N9nbB! zEHBjQUXQHjJ!gmFzniY^Z1CCEynfhzqNlYm8Ekc$wn*#rQ1DaE#6KQNa$Yo?O%~u> zf;}YA>=@Az=6N2m;%Ba0C*WT;z7axPVr4_6!Ps9W{2g36Wm-8KwDc@{SF~7bnB+=h z>GPMYsyjwT$#>=!bXsZ=MT1{#{Cg}{hD$z&)eH+w%3#re8LQhb;a1W`9ce8;wrnTQ z+jRF+nD3rPfr|(Ma8_HiRT8fN$+2T}ez4d5>`wvqp{NpKHNO3Jr;yxh7n7s) z0V|}PDZ9-_y6agHL~6-{yi&A`ybXdQw>*rdO+y~Un@`a+Pust?R5*ZpS$6z?qcU6p zpG8m+HofU>-u)7)_i6)eX*BBWiG`KIRO=fCg|4%*Mf@*AtcN=m6ykz~W>IC!j}#uY}macQfe=m zk(rPadb;D|VLgEF6AB^YZe}Vw5^!w$6>psG+jPeZFamHk0)1ag!s%>vKwt<&F#qMF z((%Q%5 zPnM_sxr-ir{2hhv^9!=Azmc3^C=E|q7LV8HQ6^u&fso*84Rq3w)-KBOS}W0Tv=M8U z-CxhoP&HJlcrFqJ3T@ivR55fDOwu4I2DrN~z#G|CkCoXPyKnV4m>HaSBy)>!u~K~I z7Vqo}Hbiugl<3o7(poN{Ps+S*_fFjf5>FjNb`A1l#HOg3SHw}v?btB+3i@_}*U$LC0>}_l@s;@)r9&A)6>~GN2I~i7g#N};s zy56x0+<3x1F^LPamKZQ|7CxXTbvr6LiIN-n z2v<3q?$6udwXQRyEM<-;id+zQ|BiqaUL3zxlU!mbtw^H%jcu1sfm~c4eC7=`E0+Mv zXcc-n+hRHAy}0l^19<}K1t!( z$G^7b&w6cnancnkdyz}}1?>mbPs;e}Y#{2F(Mrz*RXvs>6Uz2P2cY9=cIqQ9{G3nM zx*&WYPoHR$Dgh9aNI~yY#nrMde({3-?CZo2+@jkG_^XN3?#A^gMb z%@3NP3HZ@R3DUTucWM-jj)NqvIL_USd@R?009hLn36?E9Gzh?H?q_&o9T+WEyW*K< z%{fe)Lp%ka9Kz6ZcTD($ls$*j4@1S6vv$7Qd`AA1Wt$K%EjD~1Gx(fQa_uv@#_fu$ zt=tQy&Y^Qoi|EGq7S{U6WuMi-;-Dj&*+6wjydrD+&&tA4LO(#!J7f;h_ErpthzQ5NMQN)zXrx=N4SB3{`*IB4aGN8vpWhcC;PRA{X>@sldn5HAi4xIoQc@1iT8+M$O(Q)&df|o=4C;Pd?Ca zvEYwpn@k5NEiwM&r<^7&nx(1-}8L(S1Czu6=-2x&8$qtjYiCszN<~yQT+MRv-4ilKs1tP zYCAH1%9a&rCS~(8R%jisWK?j|S*Sy5)vTHY&hbw`yUHmp4Avf%q?>Qb#u#{*OVA&T z7@0Y|89v_XWc4M)PJdbNB1D2QB-&kkulm*Vz;88g{Zx3aQhZ}T^?FFJP%i7XNL-%%2>Ne_^ z^)2F{%tQPx!Cg*{TrOqUxlMXlS|(;F>jGWrnDVTPo^877_grZKh<`;A4~S|YcK(LN zlDDxUUg!|OttSg0mHNx(!`%>(KPyFQu!*%)g$W&8(h(qLzxEDIYS_s17vo4h_flqX zQH@KgUMSPrg;05Cxn4?HPH}#8Nf58BteFmWm-GZ9x;QM@;ldfATDpKMepeId;C4W^ zF2yEh$eV{5Xr_q04{3g$6=-*tgwzy?f3!qPB<xR?8{UU zeV<&`+FdRbwqWnJ)OG90zH-s53G)*dEutAB)OmUV zSYt<+U-i};i2$sCBW>bgo1-q7?w6+PFXk&f0{ohT?A%a?9N+0~Pxy!NUO4$#G|TO& zAr8wCKXJjzbei^5bs+<*ONc zgE`MnOs*j9NbAm5V3&hah!}=4qa^3x3^mKIk0n3cI5t~=`Zod(R;?hq*#8O`sQJea z+LDj(k_Z$^*6+2GO&DKKq#?9b)rOeYYC>4|#PD1~QUE3J-t-DVOJ;3}1!va6n~LVV zV*Pd~f(_SO&j>bkLFMrf$`^I|kdEMc-%w8VF^+*NoEHvTkqxe~u&TT!;Z_FLB3|~G zD}YcGE~V)BShEXZ_J2Uxzlg_Lr>QLE@c#3Q5Yp*R%o+07&X zc-svY9`#rjGHY$L#gYo*yze3UXTeD`!=yKNvV5(wp+Ia5X~#NT3jqWZ6HS_6C%n&8 zUN}WC<$S~}O~RvOUMUo-0jCva&n1vo{mh*h6{$Y*m!_SwRMi;sS_0?zd~@JlKhFp7F8XN-3nDhB?Zqi|Pfp}n9_ZU_ z+VKi!xC<5W78Lvc`q^d1CtMWlh|#s_0_;H(_XF}Ak|WjdF^w6I7zeAZ&ciJ6TMPYR z$=xxUZo7ELpJxyh0BL)B&NxN|SmX3KJD<#+S7(}lm070XGCWU;8PJ+0>L{N7(Zv4W zj`bfAe9rN`zbg2j7{nPBAhZ>y*Iv~v4u&9yr05H-T!Zg_p8v2v6n=o(8?gyylhXeX8JGpY@cT7S7 z0X*AGBL@wYPzX0H_F8bJC^Bx}rg?snNU;)sW-)%!a5;(ZO*9RLN@h5A89ni*`HvWG z$ZpS2FJDX4pP?FTuCb`V_i*KS00iA`WZ)b0#obyH$RkB^7vy~;v2yYdmO2Woh%U38 zrkSf5pFsk3;cN=?C)FnNF3wB1CDqcHoWv{hz*VihsyNVjNiT``!U~NOI#rI7$b?)I zF8h6r4{2Sh>j5F5EzYV-ViMaoV7bmt1Y7>nn57luEjwO-`$jT24kkzy#A`P|xu8Zw zUBj$OJfId>z1SnTig~ha5hOSuI7KA&1M;P^P?p0d0`z%6?g%piml;>YqHjSk#0aueaMw9@(evp`b)-x884JQ@|Rh!kcjs;yLNvA z$A6j}u<2{pkQr&GcvoNk=Z0vx${BKfEK??{epxUjU5q2Ai*u=O9beBth{BFfc(eQQ zh|3$aUO=bwWA8F?48H|r77pr^7Wn=H_^w@fF+$&+3Dr>vFVg)Xs=m_U>@s#$d*}}T zG67qeOP9T3PDO_G?I`&<$4}Y`x_lB}l3|^~2q+GJMmtfdH3(dGhb^?7P+OIWHq@aa znxK}IKpHZqYDZUEl`PKBYX6;x(h|37>%U?c7w}v+_3yH89Y1XeVEJ}Ex?v3_6gXe( z4ybKyIKmEJ4{4xrQ36}vahz^NYbGHIVHjwTYX2LMScG=4BmaA3;8k?%U8v%VP_q|c zGl!hEB&yu-Q zSS6+JG$g26WFi~#bI@m6Ew%#kI!z#9@sMSKi7c;Ar#0@0>nW;xG)i76^lZ6KSP3{; zHi4XQ#2$alcjG>~JIrI?I3y<@aLZ~mN9BF~RVvqE8bhc;=nc``j@I`^?%{!s=gZgY za!AAG)V6Z#qEYX=zm+Dg-Nn-OXwI_x0n2I{4r5exxJ0IJka4D>;IQ;!H8O7}u;##2 zEz4RmjDKIdI5EjMJ)_nvNg%Gv2og9V7+9ua?q9ekw8?VRp{ep9{>o(JPOaE@Oa6ZS|CnK-3N8bAZ`rfS?Crw&2 zu=4J>q?NH@SRBVV!c3ufdQuuMFyf{pq@TI%OgxxniMSw^{q!(BlsJOIsyCyMj#;Hp zI_{A@(nve|OeHl>q_p)*U2e=-YoN*kK=?xV$~n*(fcV&mE(i?{GSXx6$JqX=Xl%^0!BH( zF(webWVbXY5~B;8P$dAwm2>Hxy{NF6sD6bp5C9$AtqJT6@ggh)xyq#yv$i9!A&0=X z=z!SC(!M5Va!)(F7uHWTk>=g|;iNPN%e>IKyCl{cNYse95jB zgipZ~1wlK{DmI6nMByN|yr0lxcZ4Mj+3lppso)GuwNon9L$+~SO=S}w;O>=W(zOAU zVe|Xbzu!{9JbzoY#l0kFVve<^X{e?&hxcfK-L>6I& zbU^_3_;j5~-vsa~8bS7pU!(9H}k0 z3s8yNY@}FuPUCP(hrDdD>aPO<$&EjraLA$+o7qA=5_1<3R7-hEb{vTenN_qB%lY~h zo5w!~t%?(e$kTBhTcgd4X9slMrRSXeev&J#iBaduCk`)1;YAo=^Q*#Ead=yb;CW%} zVo|T4kSapD^~QF$rc%djr0);@aZf5^L|5|vPgz7;9LQ_i#DC>pVLwJ*2Tz6l=;DCA z@8dkzc(ld{(ZSPRkb18~a+iqYL@0D9GGMnR!p~s#E%Sf8TMi+c>?UDbE)m~dtla}i zgD?PAkRWBKK+BD~wgQE1nMRG*o}O7{GTVQ(dWR3f%D#8Xf2Iaeo}T$b`CcPTwOQ*e zJiPg>0X^lCxyfL$tiY0Uj)L?x%vf5(-vR|4cz7YjgC-Urb|~4}s*?RCbo@N}zRSc| zGS|LJd@fE-h!UfaeoktAbbIKJ8a!j9t9SEi0yJPj9|-AR`9b3zEA$p~q~?v&GJjrT zGI1$1#Xl;Ruh^L?P~Bq90)`H=E`2Uq#m};E5wa?~DkO}d%i=cEqi$L%)C3Jnz|9H{nUj%2Z$omr(Qz7IMT41`&G7=D&LKFKl`^I z3)((@-~X7JIeEwqqiRcgn#?+qEyN#8gjgEIXhu@`a9W5k--9a|n&9VKxUV+UC8o2P zLMSybsZiZh%pv zo)8M9!@aI8b1|m7gy&b(SF2maap?}K&(*vv5;3cfry1~7qCdDfU7FF8DT|*dp1#1bL;fM|$*~_tG0wn8Qug^j??~ zx`-)QK(X&%iab%(6bQsKmERw=!7WupaB*fFapNejO` zid8(+0XxKnMV>6n^}RhTzA!x7{56o4jEDpz<@uN}2tgc2lfGJ2G9qsZ42*?M$y3-I zp8=0hPaXEaJQ3AFVmTW*DUzNId&DS=nr{53!ay%sfzRjff6YeA$O%r#W75DsP~i^2 zjwyBTHTbiGx7qQajNojxF$tLMs4cHMd?!Wpn0z?^e#q-vi1*3Hb`?OePPU!F4uvmN z`~>uC;QL*P$Pp_SU`ddm8fz`(-oTnV`LrtDXH{Z79-<&MHF541&Ja0w?Wf*{1W|)3 z-*a0r9=G7%*E?yX$GoFpo3<-9Q9@h7?fgmTK)I-p?}s-7Tm&;~P(SOLDj z&Eie(93&;unoa=k8_t*#=*VCt$b$u6*0)DykBG4&8$$qxTQqy$`6%f1g?GTpT*8uA zen=6)&zJf*pIggimR4y(v>BbUSu%NBD|}inxS--qIC)$_&_($sU`O2zWBrnabMf1T zECb*Lz}i*Qar#g?ZqExKo|@xe$#_X|%b{!F(he#;*9Y0Lo}hiZ6GYhnX34bb4Viyx ztXel9z-||){nAN+bz!yBwm+og?35pk5 zqfhXenNTZPYjjB0o|XnWJH9)dfb?6#5I<}q?3Dg^vCnDh_nmW+83IrWuvk?((pj?F zLM-Yk@f0&?1N+UcKh$;8Z)~Q&rc@C|tld@<3O}rSCCIe{kSH(L6%KH^v)Cb}PyX8d zcI$K?rwRceBOU7u>brDaV+>uj#{VEuz>j+Xx|&I9HElH9RNB$wZjdehJKu`8=MaEm zsQCGEP^9Z3+3%LI(IN=@o64-^VkA%o@bN5=;Nmo%mxHua=Z}Quw5C+Ku*!o(mmRHI z02}MXSfbFUO46zu9tf=K=2*vH=`PLlX);|6yS^1q>q>W&rYk{M=JA`EZZ^LO=Idjb zv`GNU{z;LLe;xt-nBbw}ztU|4$m`pGLtR1Oi%yFEk;yE%HUa3Obc3-!Kni{=!ZLf) z;N#y&L9P`n9vIP=gRJy}WM2jau0O>W$eg`RCcINQ_}A!@2h9?!q8XI?=!7(H;(iKHOy!yH($g2!qnz;#;i*xto+bRM zpgSZ}eNWyyBlIKJqQ4vKZbL95{)b*W^DFX|38UY009C45OLiy!QbxB|MZnz6I`~7G zl@g||gCqY14a7kYo?Nx?Ud|RbQf8vFmr!x#tN4Lw0pZppu(mp3RLweCKWTQ-X&WE7 z7QC>iPahJm8X`P}R0A(k39YLi5vy${V75K*bDBh~I{;}&A_~$H+v+ExA-^`q;Pb@z z0oGeEE0fNnXcyYxB^MqZ*3^<^zQ6vU_Jei8z{Pe^M1{iyp4`B_G&tuk@P!Y?JOR-` z)`K#@Dixb{1gpA8V%HBwL3Pvx31$AP)-$4?1<$ntF`VIY;)UHC(MF1+a6;5K_%;}d zbigMDY*|NYqNVy#ahO!v#YY-R9fCb0HXr!64{fy0S~i1}9Dtka>ipL6wz66J>` zKMPNb8~0sJq6qC+sV-S<0GAG3!)?EixhXOBwA;t}m~DAr&HE5wHGf^=O->b3&EpDU zpc8d8nuIPdvrjPORtXOV>}!eCVeZsSQVP1i{U^d5BhTTT`S*Qm?i$!J{bOd2OjqRX?}%?HCCv zE{N*MMZQnI6hss{)v=DQoVN8jE1+zatBLFOC)#5I6g$#ur+bWB0niK7QLw+GZ?5K= zFz-SVcai%WKoQ&st*x84`)r=CjKro*c zzS#wPQL>I`5PXi1*a`@vaiPR=Te*t*8potx7C+q#7WI>`TEX!T-}?KTkPzs6J_^w+ z&k3=EWjR7ku9{4@;m=)PeF0PcmPeVUGx}pY;{}>-@a5^fX{Dwdk5!^ql&8oaQnReY z_x$M98Xhd-rQT_vD9n%hHVR+5$ovGLYb~MJz2S^-OqEYy?TRRZ&{SHi@LylAg2;;j36>v*j5%Ocp)6)&SxQkp(*2mX$+qORC&95?Wd^zM?Ki$AHul+MpLY-(7w>!L#$1F;6HFoagjO9U z_^1BkM-&n*P5!ikm@5I}NAQv_J2fl6yx^ThtW%63e(C|KDaV!lFS7$g@i%!T2TOk1 zxMsJ~xJ}gaVU+oj-+&ZKfytnK&Hf9QHs%s?>LdYcQOAz|O2(nz$$0j^urI&g?5_Yc z?`CL9GHW%%)OdbJSibAF8W}dY6m7i<8Fx@%?x=Hr6zKb}bO*rUkmp~jL_6Yk;Dzhio#Kk-I>jiq@?{}(FWN|K*i12=! zFH5^xjPjj!;8}juan1=Q%3Xw4vD1Qlt~##BoR&DVgDuUvLzvPPf29(0LxJqDgJcp# zSx!CC?0m`H*})b9)mnjS7E7I)UNPj#2@ZLhIiWv#G8{}pS%z`FK#IBW+mz7UhN`Jn zhF>V^A1p>rNc-?+fIIQMVGR%U%4c`ehpVrLINYLd~of#LObzx1h8%^V|GO2VAnrDe~vN$@Gy)P6cisnLGR1khGHaI$&^7qNtgcr%Y zQZhw9URws%r1BkcwI+8t+aeQk&87S_#SnIGMYR=^g>?nNa-tN+{S~mfF5wD??3YHi zk7-j1dPGSj-2*%aTzslhuPPs)by0j`Z^ks*qH;1tFhH-1T<@Uk*Mt}^$Qm27)1vh- z{V*tIpBtSG@|=bcGoW$sC85M$<+v&lQM_YDcQE5nX;v%A5|O(#9^9>?70K<^iMD+P zVpS-omr_Lkrz5(8kJWj4TAotewgct@jd-vw!cV7CImt4a^q`yE_D+F{Ep;j&e?)OA zoF%T&Q;qV#UP@@TF7x32^WRjt-Bj1n%6vZ9um731smSG?C5j?-mQ7bmN94L;xHzlF zdz6!wsjLRha-F914p52<@Qhdv(d#sCe%!i1jo&xkxQGn#0~<8h%!%(s?=v_PT$ zI1Pw4jR6jXJOE%v!hZX04*t%JY0@Wb8$IQR-_4>e7`9O~tJKOyis>`vdyD$p7VISV zWX9YqmO&%Dqkk?xn%`~sHj^ptfO6>P8Bpenw9o@t+tj3F>L{F1J|%O75{aXJj5}4D zn6~vbCSXta$;@v0I#j%)#lbl1MeU)mRyd=%Nx@Ejg_5$@*Oa}-o8AgxgGK|#QL*GC z`o05VwiI_yP2K0CjHTffSuWDs=*G(28mmVw;a;f)-lC3xSGAwT&BDTNK+a7;eXNUk z)(e-9>r%$$B{zvDQQf;ha&(5#LDwZZH$WU={%#3sH`Bc$(!WgfBkkKJSqrAWE{ zz&1;l`UJnJ1)p~_${|@^?EyC$T_j25R|jThwhXn3!6-(t8kd@ z+pg|>>Vp*e^~M4}!T|Z_gFK-<`!p|KS3$CaAGecfSxXV^?e9rre|@H$Y@Rcm0$pQ$ z-YF5pDc8!o^2rmsqI{mHkcPl>P9D5j*=>> zny2}gm2+sHXn1c-Ie&*Us)@SiD)!MgkzYYsk_E}NT0+?}f8fyYy(#!|i87KoXi2e8 zBrHuh)t1ENhZ>!*5_Rvvd+zpXw!X;Z=(i^qa)JIJ}4HAxLSWXd915vnBnkxm#G@pAT_ z_ilJS>|1U3yIFG0yE|}W_EBhABTO~vxtnu3puvJh158QBlcX&PWP{9b?uV6`jnN9z zQyYI3?(#At_6Y_0uzBAyL5hYOO?O)Gp-S8lHyXniB5Vz$4R`cP0_zQuJE%#1K#TVi zqOaBNMw8}z`yZZyidTO^g)MTiBKs{t_k%%E+>E`>^>b597jSOUMbjtyDDc&Ol{fSs z$DE^=)O(&#l&Wfu-8)I2%YZ?UXUG`sR=m5*T-=T>LRc@&r|*ykf3XF*Xxz>C`$~}W zA)@wXh{HdB5_G?G=xSOBuV2XPHKqCkcyc=*K`T?}3&#~_+0tyZOvCSTIiEd(CL)q1 zn_qL#lr4xVS;vons{A`9+UwFSv0N2k21>#=RUSJ^8+t-VxCh8WVL=n!b zbs3nj`hY8Y{04P4ik?(CxmBCL>}}!xqCMQHeXPz+%;LrSr);$99M$buM<-UkYHIYH;n_rt>I-|dJ1~IuAD>qOsX$U4szYL-* zbLH4_5+>10`({4%noS7s8=TNA=dOk<`@GV+uKz=`s+TOE^WJnpYZ$}Y|Nk6wzN5bz zThq^il}!fUGhZ)ph49A?QC_<@Gan2Ujh*>mEt&6*HDH<>`Wn?gLl`Xd5<>{5p|5zY z;E8_r0`Q>;k4d7PHsa^_^JzF4@rSZb;m4hvjw}o;Og5+|a?|b6-g~_GvreUr-~S=& ztD@p;vn~rMG`I#2kOX%RF2UX1-8DFc1-C$O3U`OXg9mqacXzj8dj6T|{`%@!>%FXX zYVULQKJrsIr#4_PYv2&>5Y}pl@??>EUjsG+6(s0Lj6K8f`6IJDL3u~w8#;Wpq&AuT zf#8HZe1oh$abA@qzX6hTV=;hN-qo?}lQ2WwXp`uJ-vyp6xmzDYY6Pm`HOHXhM;VSh z%ZM*LPUZ9Brrp}(24*s{&XgQ%NVo>1uADvy%}9-NNeB^be|ZOx$nRa;OT=C*?k7Ew z^=yGQQwnOWOWv2Q2O72ce|Jiodij?k*Io-R`f7-q2lLxP(T{($q_ho-0u+4Lb5BKp z4gKv*ebCLHHAJybf^9%o~894k}@zz@;Mud9WOpI$hQ^m-3XK>zwL&4Bk}s)c zi2L`KuoCR9)gEQS{YbvRI?4BmSk=}FYbz%awL9#6L-^Mfpg>O0;O8-XLQ@B=u~wQa zKa{(w`6{9^QUh7oSyI5O{BCf@cVew}Qu$hX%2sgcSL~bcbB@OGG5HzYaF+UX6w0Em zx-yiQyN__f9QbY=gTXP)w*0C5p)z*Ian%uaDKYIn-`j5}`c^+&omO`gR3X~qjOlN+ z@lwphp{k}sD68RUw89abxfu35-;6x->RH$)?H|CMqSLE(q(B*oza=v zum2MHBB(m_JO0Ze*Fpk3I5+H-U$1%5zl<$qc_C}me@hB(WhL`QNgPtqdR>nEOgpLO z?gl>vv;#T|1?L2Uctb8HqtImx>d{RQz_bXS(BGyyW)K=vgI{+5e^Eth9v8TgsP&cA z5F}loK#R9nqq|#4zVe5Su{*tj^T$k6l*z*-hSt!TYn;~2CG&NyDfq~sETChLTHjmk{8Z7NI)|$T~~&O%o9p` z&KD^jy-oX?^0>Lvm;8YXrIp(FYRilkmF?RzLM^f+C)NnO z#2u0cX+Dazg*IQ6=Q+*by{Jq|yew|(aLIjd5AL&nIetk&M``sPxy%ElYG%}~`o_si zQ>Fsv-OY@D+akKd*uW`I(X~o+khdn`N>cR2Ji??4+(@WYJl*7JSyyigwVAo^9Hu}A zJKBf~x1`#$`Xt{qtDVBnyx+>nhKIw$IsDhw^QdBW=6Z%$J>xMm5fa__gygyhVvtor z-BVM!T}sOQ6D#S)fq-L~=vqq{<9Z0T?F3KYZhYYs(e=SL5Oe{!iN z_3y5;=xL!|3QvG|n81XRawe;y!j4w*GgEf??WWRfsP+e$O-NmCmxYNk4NPgCSE>I) zyoCXAu)NTs;dlh1JdA6}yoG`#YRgY>Au-N64$aylyVL9gVu|3wPQS>*%aN$8cwkS_C7+iQ_4 zx(ppaMjG;YCe*oo)xOO06_)g!AdP+&@SEo-x}rMh5eL+^U>1Fqm6XNjKiS0rSUc4j z`;3CE7|Rb&2?jlNOtmAR3kTPe3Sy20U!9@p>Ocv3V@hd?H3`laCBkOO_)sgrZd$pv z3!dRam~&n~f%E-)pkS5aky9Ot;L4+aan{kT%BW5&lQrdW^rId}1Q`is`J*2;5~p*A z6HfHHa|BXY4kQ8etgJ!k;#+pofZW~>86CZYy}T#TY=g1P68!T44Zm8FOhRBGZ zS?c3-5yD%212>jE`-~x07r$qm+TaG(Jx4fIy1eJn`S03Yy;U|W+H2+mgXE1kHrk# z@9M8`Ofe(}W|N}0QL!90hRDG^l(v*3O9%WPQvdvRGhU*~;6x;@-9x7qe;nMC>0ot* z5gEA5bF={SL^}Q2mY>Bs%f*N+o!&rA#v5-X@cNY}h3mC!yf2W{8RQ;1|oT_Q8`4;JG9?K(?PkB{VM`E4kDM76K~u%Rl=ltBZu8#$5(+aAM0f$qG%FGYvdpp)*4wE&EV-=dItxj%vY_w1Bzt5&rX z6T242t3iG@;Fe@6h1LY-6t5ey1y63oSukpK!FZ9jEezo5+ zJKJ9}9Bc;}vJ~Nn#ma_+0KPJ>OGAE-QzXHb5p<3VGiIcPybL#xYpl(&% zcUfArrR6J$iXSCZ8cz9aU+T5l`e8+j1!{v1=IHwE&llsX~}X=hM|f=cF!uE>xV!> zHY0n<5-}4g{js@6Z*I6eSHc)#wqQa^*STpC<3Nol(CP;kfQM$kNNvz~T4u4g0sc9u zzTDeX_)H1O3`5Z~B#SLI2Pye?gu?-rCMz(~p}bj@l-}`yJ651-WrY&3gmy00i;yN~ zz1-*4ds`AyGGA)6;W8*pQYZbX1ZDYrC(iosv)=M`)xZ_t+vYYD*sNj1%_vxMbNOYAe>#3W&uHsZO5sND!LZ?F=ExmWjZl0#Dc!AZ z6Qp8uB$wcic!KWjaF?ZubacTYK1mQFyuv4IP7}1YwIqNx!D7dCsY-ERNB7(Rl64L2 zc%18(e-{W5c9p&y)J^&lF1{v~v0q21otSqHL2swp9QY)Efv!r5)0-?T*b*U`6Y*<~ zU{CwiuBoPE$}5O5U?%)KowjZ!kQD#~W(i+DZ^z=!Ska4v*4Cb4m; z`hBdP>5lOORn2xU{GSm%P<^{hD=$J)7V)A9f&Wh9CnKBhheL-S8>ci+cO7jIj&;3Y z561Hoy(emU1*Tmy*oQO-)Wx)gd;OQF@K+#)kS`U@ryKk{jGpnV6c#=mmolR&^WW(F z`B)^Oq;=;EUqm}-c896LLxFZwG_7A?u%%G1VlHrH#a4Z-P05Rij}CB>)TXdfZ$rgG zmuF`K9s-_F05=@#Z3gXw=G*&esOo6i1mE_@IN$e#-tyjH=ONxu^{Z)#5;VLplMcah zgowuoR2FX8b~*SMFn>gZv_}RNo9~2ArkPPbS$#E0 z*P1<%z7o5_d-a6`?IcZDWHo*2nj2>5dYll<&7@%TkjGjyXe!dLmr0es7Z^rET%fVA zLNNT7G_%}L?~el%@|d>ukz>0JH%r^i!0RqLlRCozr+)9(JNOr%<5V6DddTOMRp*qV zm&>;c9PC30y)gY3ol1Z0X(hHp=mzpOO(z7 zNJaM4{(F)Ws+np=S1UEBM(x~s$2ZO?$a2bOI1`XlD-AUV@U}Hb=L+7F1$i&3!%q@x zima+ano@bx$4?8lT#S(|1%iBRNM!RBF?Kz_|2l-MEKi6{U+1H1m)mwW+2coQfVkh+3Gs@9OE`dMimy>RZx+zmxQ%P@%X9l;pVTWZrP`p9 z)YOFlV&oO9^wwnG~cTfT_gh%S8J=0ukNpMKG6rLv$O>p$`O z-0wHEZR{kYtJY~g25l?+xStv=r6S?QD8*Oli#Uvb; zWD~@jCk{-YUcX3W28t%Wk9Tpq{4&P4%4i`$H)jelPsr`~-Z4snCYc`NyT`4wuZjp4 zwiVl+zWT6&5sLd+jpx{{dIe1!CaN&|Z~QTm1aCC~Y;2b%4vsiD@7;h?n29Lm*3XJqiP z6|}LhP3CuIi|fq^+4nNnJ}0U12`X9hjjTL42 z?Hm0tCtyBXA^G7D)iNaU+S&p(sya{Q2tw_UF#RUrbp};1pt^F9`RLR)zJ*jo?hf$!?^|D^v>iuNAgt4nksT6s!@x)fvG9J>=tt# zzv{M1tF^WA(+LUOc?0*?p?#gA3YYGtb{f7h&NFUT2Bn}JY(CrLIA;m{Z)}Yz5!aQztluAFCxoIr+S-d*=GY>aEstrh_yxtsgRDDx3Xo0;53DD=9-38mG!f>plOK<5_B zz@!BTY&T_PZ;q1{GPCB#X0?mQlTezv2=d8`ZHYdtneX4fxtUOXCYJA;x{xqqtN_uj zBQ-+*>+x=&SqHtf+zd3W{QKwmLR4+-rHtH9w(<~1Ku0r5PUA<%M9sAVk_g`>lk%lc z1)z!82+}H>y=p|GOcShL>_pyCIEN_zbFmV<7$-V~@|-7yZV&}jMYbS*m_R-Lv&Xr3 zb{r}6Fto#0|5Em%oKW+Q_>MbhSS3qmt!9Kn6&^gp@lC33`@9qJ?9urN6Yq&J0DX2% zP7(1Ue9f?&?HKlm$Y0I7Pszmu#VB$S=vJc#DZ*h=z zLHi$)mig3>>ZmJC7tN|LuVMCV-$$w^pW!p4-pw|pJBti|8p4Qltp};yZ&3YyAL2pV z^le|LCK<+@DssxLQyQFR)rAHNCxonV)4N`IV86|<;^&=yzJBt45_!ogfu#IxoFVS8&=3XGlsF{&ASD(Jb(3u(@{4Dz36tWYHHiHqSxlg1z!v$P zMQ>EGgv(%giO;%1WLhO`EjBSl^>wxPgXxIo09-y(ELB;a)g8 zyENk^nb)E?olJ|VZZQ43c)!kHqNj1c3EcGu$K6bGUJh>R#d#{POES~^nhB$tZphr0 zM|xAaSS{up&9p7^8?Vm|dZ&N~-ibx+kI9@hKhs#+<^aRWY+~I>uVl9^KZO(N;aoQX zb%=Sz%Kk$4x2$0Q&&4ET-V?caD{4YH>&6qp-9R4Msu0!4DV~%aZJ*`kVQ$9*PgF4i zhRsZZGTYebmEJ9(Tx`CCMe+Q46d(7uaFgo2p`Q{Xq<`=NJvg_W2ZRWnVpw>JE*`4O3gTtgk!koL1`PxCK*PMPQuCxNK#2^CF z-+_N%j)8CTHTnZSiSqShIiKZuh93WdsEEQB2WEF{8pFy$28fd4vSTq3=pUKZkv@zQ zEWVG|@7Mh488ht+SF6y?2$krIr-ZMzC6yw6kQ$o0Fp+xDSMR`a0O~;f>uGz!8Mjyb z50q_$Ub{gWE9t8FaaQ0LdOgqc;vWWGTqdd|B} z-Ore}<&nHK)Py?UaArsdvhqd3eDCwh(&fH!23achE9iTLH(EU~k8hAB>pruZ(fXzz zQ%?=+SazN0m+8L-206_!#9K_5Q_8I;a*>C@mDz!{4{)Wb6m zp#<4%v3k+BD{~~r$dBg-`mik=FtrP~&U$ctRL8d)%Oou-xJ0yuRYwyQ4{x&61FH$% z@q3G;;>JH5_`_M8eg$THwZ508p`vctJW1nm3TNn~U-Km??r2ts?Ul@pD7E2w!0RX4 zwU*LY=O&Z5q;o-80ctclnZMkyj|+V zPh7iN#48%Lf@7Rf9Pzsc@T?A`*`Jl=3q9&>QIR;~^nVt7uw*9!Gz(-VgNwB{yxWou zuPCTwVHA;}|Bj3rkgiA7wyALJ z1NPWPN4n|e@=TkpjT596J-xe-%Zu#CQX0e#24BbQJ3r@}=Sn$uJxfet4Na#-lr z;Bt|tNxWiY3jvhm&q&-`Rnti#+3&;ZOllXrw+h1wLO$WQ(Cvl;AA0#t_J;C4R~eRf zroLSW)S6w*9#ep-r{67-r}YBAukypCOObR=8vS|T)7bSO&@28)+d>i zXS^+F9adf0@1{A8kF1fox$;EN=5Fc)UpkTMUglTsgYtdi zey2*?dfN6h+da!p-Wg2VauFP!U!tT4;Jfm54@%%QiBzXQBtFLH)bDeT_8@rcDM(eEC&ku1vm&I8xb%t(`9$G z;fQ_g{P+7e=>3{!itQ zKpc!YR(PTM5B7PSi?{|Y1(R7DJJA80ftsd!_Ua4uFB-I}nSt1q9#?rd2 zh56s0z|^Vweb&vexl8mBjB-Qet|LWyV^Fv8kNpSrC^3{A?$&+LudM!WDDr)Qo_hZS zo&S2c8nDO5T>gQdd+E@btM<0G4R&>-W2oAuOMqzy!YaR7_Da3)dEPN~s5CoV{+)QN zPiR#r(AqF4!A|@L(?Er#D^S&VHw!?`@B*=e2m5pfwnoeWY7gnk4qCs@7kU3tfGql3 zXBg=Q3zyQm(#*9uat6}js0>U}5>y`I$Sh3}!69~*C%9wR|AhDvVcH$axP1GbnIp@d zXH;(;uleId2<|8faaEc$#dLP&<_VkenywG7rvL4))!>dD6%Kn-{_7NY2Wvx(1@MwY zAP&*xm4?So%bWvoOIrMKu=@f;`amR1)qWwQeBABHnUkPC6Yj7^5HnijsEmE zNw#0FZ4KH%*nXCn{v*NqwbpRo_~%H@uwEe3#W4MK-}3bh%$Ja`1kmOH9Jm{>_te-p ztCY`ZrO~zwRi>qy?F$C;s+7q-`*)As}TsqJ0B3SCRw#f z0B;}k<^GoIBs&p1n6)zi`ym=O*0?1%zfng?p%gx*(D z(@|%ku_<9f$zHC-*hnH=oJ~_4gozXyIeQ_}on)OZYsO zhyr!XJ-zq!KZ4N#I4TAtI?s%dpV`~~zeUskM$eDHS0@3CmH1hAzIQ(7vHX3bd_DjL z9jC70cx4pvwV7UP$@ahrp&*MIpsAr0cgmUx=ndeK<^*Upslm!|2J@;03Hp~d1s_|M zvT=SI<05dSKzo>R-@_Y?=8L9Ki)w{04E`XIF+0H z{nswbQUA7Z19dGh;Er2G$;Y51Y#Y8&;LLqJ0rQ9j0O4bmQ2VWKuCx2uNGh2%P(%)G z{O(JA>3+NiRjc$fSKpyJAmt)0c4`@xV=~TWLIcOa&ib1&28kN`cp2^j4)}A}yhI9q`6Eon)~E3%gg_>SBa z=ml2M_BrTt%cUIf?lkAfE7eU%H9jA;Wh60cX<5DNqE!6eQ465d=zA(}dZ#m=aB$dB z-1I!#O6{8}*@;QXY3EfY=s7Z_Fnbm-UQ!{IIi(@_Br-3^_nU!dX0wNNe_pK5sY_+% zBQZ|WdH*akuHq|(L3>-0^*&-VYIJNcWa0eycqUa?IiL41`|WqYqsr4E=|u=k&Q^I( z%eeHCS-iCjLqeeQlj(7q=b+k_B1Bk=xPpoCL5htJ$8{iHK$$Y6B12b!1@J?63Y)^{ z;Og&q-ya#D`s6pHlKx}^A#iP|j49J0Wf9-kIjBcJ(DQTbGmE8Hj#z1Sm^9s+^vWz3s&f#@?pcrtL%>hyn59g(=>TqI zZEiS6HPHAKB}-oHM=@1HWg*)`+VD(#Gs0JGvbUpt=xdty2GEf><&`NoLx%B+Uapxa zrei!|MS&r(?>1vr8ek(>|H}G68T}5m7w8=#OnL~{k)jIMHrAsUvb4eVZF23yBGTBT z#DQf3Vk?S@9Zd3o7Pj!RvvA>j&JDsP;MfBAW!xU-oMCYVPANO6k%{#JrO9M%W$7*4@J{650wv z8GIs@g&lT?tg=GVQTXQbuLbK`;xhK8OL?~Zy=a?S%#wd~w*$H4Z&cyJ42|M!xPdfI z4ExC*cqzzjzdL@JZhB`Qk!9~*Q})N$afA4jYc~Ptq#bJ!$^}Jx{Y6fq`zbEQ#)B_i zILF0ltAm+vZi?*#L`N>E;%}Iv0h^w?bbCl>d`77K*a+@eA%a2#S2_%u{a~kUbUza! z*PSdXg(kP~Hj^R<@Lt;5Qo57R08s=tY`u@BAjLA*>q>0bRC?V?Q+Gx|DdQ{N4c$PE z-4I8&I#HVcGs^3g;xDkWGvkSz)Bc^pl^&1j7q`$T&2@`?w9%iuV-%ZH;g*N*y;$ni zYjF3NhRKh=623-`APcj#Z{C;(NJ9-Y3Ir=U1)sy(P&>84!p}$Ps#&}3m12#I?iZ)b zcIIZ7tc4X2Kj?JJt?n9-=KuLuf&D*n(fP1~VEgBPq>Q{2*!S2?4|OXnR=*oCFMTcm zWsZbPW(Zp>rDZ?mUtI@MDdX@gZ6jWh*3W(lLf1%l%;O5q+zQHNM|Vt>?Gw00bm;kS z@6!3X34MMeA$Z^cy_*63k1>sj3L&0aMe6HqvOD{zj}MNI1tWCp>gl>7yMXb>{6&oA z){hb&&{6ksCN`3*~j^M`IV*A#%*n1wq?|7oD=zbn0kS^96{Ed?Sq+&*Cjx6 zvA~G=gr&F{Yrw+L{B#@!M47sL0}Y^waaq_@$oqV#<&3ID&Gs5ewG96~#P?%iZCt{2 zWKTdx@hqkVDy#bCND@Os5fBN?kG9tv12rNbLTp24?0rF1KT+6wXsDBap-B2N+_VP| zb@;>7(~@9Nk`(F;IW26uuMPHV2kcYNo%5BGjXA0+*fP5M;7i9#!lTQRJ(4n-7@f~5 zR2DKa?iG9saN)O=g*OFLrtj9y_1I1Y21E>fvQNVll=F(PTk{g?>gz;aj=!3z zXOHLCZ3Tm7DHJyKOD8a3ggfyc(==ITuckh z=FM6a3*N?%z-uyR$ z1<{^=P!w#p{AaY~Vkb*4#mCkco}Wq{F$l!f7e0*k1ks3?2`JS(`{%d<@(@Mw@riNe z=xyK!g+W^{RBjx^UrMxWw5znMS`mYA2IzdDPai$W%LR%Euf;x#J?}-D$ zJasm#S(g*?xVY{DMmnR1E+Nkm?FI1swEN!S6Sq_kDn=E}YPwBO%JxL8jrWZC-2!O$ z*o|us@hEb}0W>bs^h7s94Z!V*d7)gv1|>1&A$rfILJd~0_2{j0_37zDVaG{KJQwdm z8!$N1a|yuK?1dBIe->4+^CkLF?6hyang7UqrEdZ0;j&%NFB;yh3 z76|Ds(6Ft}?a`18>sEV_tVMnWTMNiM`4!0TPWE!=^!)0+1`Y9HU61Lg{Twhwh5o#2 zuORPnU)S&8O5%%5qU?z;a<>ch_S_aS1Y}DuHM3@daG6?@$ZZ3he*u106F)L(|nSd&oQ@~C|NIu^{I0oD_Or)E*;zH zE(x~(aYn4S;0p~{MLv$@$j0zNO1k1oE_$u{a)CVhL2-N$2|FtJCtlQPSCgKKWFaDL zfZynsQ7OSUwa}rl(}O`JgErielO4YPtM(B~n^LGdsb6f7y^RhQtZRM3WbJy-=k`7RVX3mSyQ;Q2t3MuSFMv&%?Pg5aofaScd2@viX znROBZXnWT`+oRaM*AO$oxqqQ2N9a{{|J(o@5212KaNu4`=;&p9nO_7txDD7bt8tig zdkc&^wf*gT5g)u^CHEe8B*c!|ex4r>en@fSnArQy00^Q5Y$0(HLU6Ls6p|d5Y_z^+ zp~%RAmIr;-+R(v6yhos0aQ8eauUhnr(pQ){zIjaMu~7GuXMBPQab0wh{_;s^g}bsX zY#HrX5{l#}(_URe%eQxBs|$ZxHbz6sSm4$GZd-laEy$4vvN-O-I%J2ECva0F^`qj^mnNnzbi0*AL+l)1)r%#1Tw8I?9z>1+TZHqonv->lgPe4TL98j%T9=jtP}aZ&pf+%RNF5;O zO686;uFh~%b9ikQ+uoQ|#?UV0`Sd2qc1sAgem25o_EDqE;#2{Ymg|zU?|aW9b5rJ3 zn~sn?I+uS|B?n025p)*Y=w9DTwo*gc)!J3JizLkw$@B2l{Wve%x5BA}*Mb>+L)-WQ z1n}HJ_HC&^heXlA>s*Z?PuJyayog!t&ct3+E?ASxB5)K8+M+%NKK<~bus2Ns4DSkSTv>(MV>sJ}sgCzVV1P4;1 z<3fx=EMK?U0u6(ZG2XaQn*IC`dgILYVFAfiM1W}05|KB zd7DX7YvO#BCv8>bR?~SMERt9xk^KzwmQCQN(Zu65!u7ozbfE|8zQCi6O^8Ok{rfMm2=>ekYoErH8-EbyTy1#}{o z@i!oyeJdw`77`VXqUt@w2j%f0W+9+O9ID+3HnfPQT=v6<+4q!y3jl>?3w>wL`n>~8 z-a&IH4pdmygwrr1qK8h09*4?@!as5&2_+g3fO^~URM9fI_(h9|xrScTq!Cd~3p%qq z&NNz{T$#qMDiFBAQaTX~>V|G2ANyME%J_n%Re|ur&?~0~&r1Gjh2w+=aB4-m3_jvZ zayaV|bk8|S8_pJb+Rw^g5sm$^K_wA0jt1h}4t%3|BBVcT{&~&&BQDeTTdfJyY#d{X ztuHr+aEqAlmG%T88L_J&9*EzRUwPQ!kQDH2-*HP$_{ip>D|*2$=D? zaV;lK>(auUoU8Dgn*LK*edFQ0Z)MQSbL363T6+hYO_xK{ho+fE(!`8G)3ff2$ot5* z)`O2@TU1LA9}4*I89Ni5htrI{Is06oN?W;>f=OyGFO)64Ea*zmRx{?uTfNsVVi|KH zr2c_id4M;Te+1qC#;tSzm)Y0lygGf!MR0?>mT9XRDKSW|0_4X~Kbxy6MLe`z9uOv^HF4JPmJI;)}$q{aj*n+_$nI4a|zvfi4f?;HnO;EtfP{OM)&rE&7f1Gymx9P z%&PnwOziZJ+VXC{jr}!k^1kXt}TciO#iVIWo z>N;VFkh9~jwHSAo*U|wvv@Go=0YLk+AU^#>-Juxc!sGnBA5(8VHgnLcN%3uFXd);I zZ?FfR4!G&dG4JPTB44p$*$+Tv{=30Z5`ID4)`Sx)%nf>Z0_e$GNnNxZUKkz{*7NXp=I=N=atW4$4yLSvZrwM zYtd2j*=zz$BOjX>7qj9}H+dij+F#9ASI-faZDoH9`Mo>YUBC!+ z7`ZIwNuq-EGL+;AlU$JL2^&Y5e*RNkhlK7RRB(ub#m7_&*YV5cKw5g8*^uE_`;n0H0k`CYM>y3?W&H zg1(@iC0`b4!NTgQZE*hhu)H7#8dOvmnSHb%Yi7^IYNXX70U3X6BTO0JgQLO4j%Z># zEa)XER(0YTNgMeQ$;1xE!f^f*gd3y-vLlII#^As~1@8YOA1{?<(>TelrxsO5E~BxP z3uY#3aO6$Hj%Yowd3%YIef1eF;UYHLP=6$Ne7_dL$f6xcPpFTg;!C3YirA1f@A24^ zw{C;5k1LS@!!@*_U`!&*V}Hq-Y8kA;L(2i3#ZHEbl9K8~5kv2R;PxlHxd!8@8FW&{ z7i;Bjz|ENu0ltYU_kn-W@B9wy*?*y5vphk{rJv z*q!!6>D*VZE*$%KJ=xV6iPr-eh6D>mGi>O(M%5!u_WUZC_1ITpz3l$B*m!HqLZEn|#KCcOw z48)WN>X|(}LNr#)hy62)?Z0w1s_U`PUGrdvtdL-Q+9-%zYk@> zDPG=moug+ecfeLMbj880^>ZJ_r88h)Q@_r5V%|}M0{8*X)oPe4w$y;-;ERZVOVQy}5zKohc*t<*qAZ}>m27;)#lAd;72r)hzSG!S;n7pVCkCB%k_0}$wA7-WH=&uvo!9Iv>)xt z^w7BF@zY9cY$Op_c%=(Uo@{ID zdzp4;_R+-)21?{^jhQ6<5R(zW277%0lYSNNz2h}n4rZF*pPYv!of&pB^uw!3ScRCG z4TH!l9`<`OGVGh$*r@z?5tCO+2U5IfSu$*UM&B&TKh1oNuv*iCK1+YUqVQe6{|QTU zT7Mq0>&;#;rx9~!B>qIB%;>DtIN8VJ9pgvxbo{@b{=bZ=`|n8m4W<7HVeipKNF`|Z zT3_$gp!IBad8N+*cv*(q3L5;C*$!J8sW%p$>xC!>hfmAdmeXu(;Nc;litF%Uy%MBh zZpQUS&g4Oee$PTh1>k~Dw?jI2vIckHf*|1uXXA1P+SE>$v4%4TMZfkBmE0Du;?Ll*vp^wXA>67&?AC|JVJbtx9F0;kYedo=i;WyiHGS*&*dXqcW9DgP7bzBZ^emIA> z1sv$k;|TQP&wFkfLZ2@%E+@=r)@3j!X(bphzz$1yRlX>qjw{RkT7a3RkE_|gL*#rT zti9@(cio*F@--7M%d!l5AqM%0>c4o)W?33*g$LBPz&*cFgZO)=J?!dmIlm-R_~0%e zUFV7iq!jEwhtm6z-{ZP`#wN+XiP+B6-ERn3(UCGAXX{HR0C`V1<6yXOhco^E@V4tSauo*2Kz zK0NS#C6(*LmwT5WqfiNlzJ{Ekvw^)yx1QlAzOc)a-nqj{Ovs;Utu~l`6MB;<{wm&@ z-ey=VCV6(CtoU?Kee@wCk|wa>>qz!f8DH1?@hA3wn3@$GoGJ#dKMpy|wmEhGPxHwC zGeT?IVK4oR7zEyy`YmfrkrKH9ojOo2IyTJIUQTDH_1ix_ zYwb`SKA#@e-au4$rBK5*GhihRr8r3Br;902k|(+BDZ(-4y{ zIV02Q-f-&l6+E`d+<6E3I!Iu54rW+8k~6u@Aw|I96VieCqgRd33dGYr~HcKx{m`Qm)4pVdnT*x^Jgo1p&qhE zu!`N)F)vjes7i}mW|$81il-4hh0||DU~pUYcE14sET9y`ImkY|A^$O?Uw^e+isa3m z?`3Icws$!)YAc;jtgW81d|Ka9Y(Dds^WJu|K3WQUaoOql5AN&0xksbUS}Xo9_It~M zt|gm(>Mg5Hauvkt-<9hs&(4(siBxeCZeK0(0yyk}v4sY17z$~aSLtb>BIu1P&_xRK zC{+DQk}&Uqa264%kjfv)qn2Mh@VzM?CgnI`1AqyIT;@X);!qm=?PL`legT@{zvSn- zjOV5ocZxf$_PSflCJEoy4ko&!;xSNEzbHwgs+aMhG~i?vo?$Nu`(0P6u-;(YzXdKs zJKUA^=Fx+W2pi#f@nA;-LCB_y%mw6wJ4Ff!t(SF>1N&#QHW`BoX?@h;LfZ_U1H+$N zV5e)WCi~y6g3lxAQ%O}-WE@Gkn0M@JCYBrmlZT?M!?ji5jw?fVUSr2^Q=nX)yCJ+0Plrq{^6|>jDP7xJF zPfWHCuI6yjhLrX6QdB74orfUEzJ1t&*%;baGiY;~7PWbZI`%)o7)?ij_n!px9Pe(| zA<#?l{%D@V;#Ee{IU^B9-WB~}IOMA7vJ+*NjHU594Ep#M)0TO)WuyPf^*A2a7TJG= zfOS3DjMf88c?E*iUEufBjrAvq=9l;s7j9CG1KGc6jw~IAwLit{eBx8x-Vt@5#0!2i z-JSfl{t`xhrRsum2V|$M&k%zJ>nid%i+>c^@7M1S`(6LpHS{ja zld6IIq}>0L8XbUbnn2VV)cy7kn%=)=bkyb1F&XL?{4H=nEgnPk(R5Ae34DTg&lrMb zg6zk9UnZM7z9`Uhl{y@qmg@+Nu;&a(k8uS0E%~oJb0-QdgEWIfaO6?`$^qSqG1rnFA2<8ynfANXI?DUor%&tqFbn$TvT;`$F>7NYwrgL zcfNNCrr(%?1b-l*FrETpbJfkiZRJR^8BcgBTwJ5hQt{j5H}I|zWG;x@a|ygmeFHp+ zYlPsT;IYPpRx3Y3OK7J#ewEj9aY+Wbb6w3-k9xp866DIZT2L5QcD4N;Hl*H@w)ooO zXaFk?bQ?S%BWKVwu|`|hAEPdKTsC!EhB@bKl$$d&-e2dMccf@~OUk^Xb!C zk2jAj7+fTQ?Q{Pl7MwFoS2cq79npRf>((vauF!Z-Osu5&H^;~M7;ANZpd{ufza9o7WP( zQ&bXxI|J5_Oju2?l`GLg1rz0EC)7er)coI^PrX-G|1f*qZ%ku$MnEBGOo8@c@s#58 zy3?G#=EX-_5Mup+gxTw&Dl?{jVPIPbc3X4qfp3-j%4WHuCkBuhIp#_!JcOScRwKeTfD^O5T{0g}3CBSD~?vFVxzW92$r{R)%S z{Wt+<+XYYHX#2hM@obxHY;(^^eQbc;!rUgnk;8)DyPJMpk2q)MVO5Xn)5rARhnwa1 zzC8J!D{>`a`b4`Yjl^1%oC~qR?^{7Jgbhl?T=Kf{$xQ)^4ygW-WxZm8cpgm2HW%S1 zmTqCI|BNZPX>wwI9eh4HE;6D2({EREn^K$? z{QIy$jGvNh8B!wsU~7?1g?EBmZ`dpJwbHD}y3H8yRutqIFd-qB z&}2E;xxWPv>?50M9tbv;)A$7pAJMsyR-tvVQ&68KmwJYKTD$0Us@f90?T8o)%ErV*s8% z53=Q`6rda21Evd#v0(43WA!DJ=l10Byb~J@m&cBW%tT5qRn^MaSNUHZ^igv8bUepV z$gZ6tR`0^L;+6YbsJ_U9lPS23wL0u{$Aj4QbAX0hWHrXnnQFlxvyW9K`hJqd!h#9s z7aG!U#7Z{efYs*i(Mt=X>LJ+UlZA2U7bDt33(7*-&vx{Jq5-@M__jl&QhcfP&SrUV zFeWvMk24|y=_4sPuHZPaD=-(p9!(u>AZZgxUoJY6F0*=b4ub_;x#gjye@zBg~q$$qEEY2V?F$P{qF70n1O31+Z)`Od``Iz zZrX0QDuRhgLVN%G zt+TdpKHQRS)mc6I+Otb*mIaAEKNAy;pX~iQ@S~Jcp8U?F6T+uXek$y4M~Sw&Q8?+9 z>x{)=pIIQL=$`gF4Sp--I~{0%OXBlYos3qjxEOdSuvQm2atZ#=V=EkRvUA^g; z)3{3;Z+nOLGm`$P)Pl*4K)l%If9R6T&Ao!Qv1Zq?Jal^Hfudk>x$)pBrRpMktTD%8 zQ}gtJ6E;P4UV|$JmK8EiPbEuTwQ1?eUhVSX=FgzQ$4!6%XUd-9;MeFETIdvP3Z#*=%`C04!>@C}6 z`3*DP(Eyad^fe#WPs}!R2jQ}05h6;?hdB|sz-g_&W>$c_NBT}n$4Ss-8^@XFG5pr`6Kof(ZfnvcsY)&5P zj|g{|uC2w3+Ggt?@67y~8#WRREPL;QgJz;G>zEF^&I{Sksh0%BdVe`$8&vvz{Q1dG z(~WSdVvFqUq@Ky#-VeM{)%hHOA2O<*!FK12wld_b5W!&3~z)4U5}(_vViaM=lI8{T7MqDhR(4 zXNy+IN-8L_X`!i~op9YaXD<5ir+ASaby!3M$yj;c6#XBA$t_35G~KCC@GoaCmMrF1XAc-e z{u2{t>K#-JCDAYb7ZtbM+ zk*OINr!NX3(CCCGuw{g@~K{vXd7zo|* zKw%m#JUTX~!)@%o(J(mK;`}(^VUjF(QYXzJ34{DfSEg#mq-x7uuGGJGByW}jLH2N= ztfdh_mxbTOGG*`qJCr)gGTta#JgmVnJ95smBuY3?1zMEB^nNJo-kx4=G`qs(yaW6O zN+NOE1|4&W&|-l5TtA!3)=WMz z=r3e*aM<=t=H=GkBw)=@op#DREStXnq^~FXH_xWv6f+BtH~yB1Mo3yysAC)n8;`b5 zhssQzFagjtE%~z7`tFK|ZvAZKODs}(Tsg+q65f*Ew-t6&0o_iGR{Q#_LOY)AOM&G@ zi~U@&t+^*JuTI@@{KQ>3wxHrTANXsk=KgP2MTYI+>lcF^r`jeSeE4vYqiK^AUoy0KYuU(Np`?gsw}iSJh>n34%b%R!Rlpr)BitUVicwhUwcr=Y#9cFo`d83J&&dAAP^3_=ZAnEOR zU=CO7qes`{gTl|91Ujt+m4H9z9(u5#q!(y?72 zQl+c*)cYF^GD^^XICm=j66)0$}eqV3E3m zU3Z?ACC!p1VC}lZTLQS;Qwf*5Jf@=Xyw6G_W7WSHR~p{COPSGs_MY&$Z4R;gDAC8M zDqG`k1fYy{(JhUU&7538uMbsnOt(QI3gm z_%M4%F{N>`2Mtw4^qs(uv&|9TiK`>e`inyoDnICyLh~#%zQ=^yaum(Vz1(o0s?HIM z4!J8+Rpy1i$sEBpxnOzj9W?0fz>CXj9s{5T%&&PR^AYMvxc(#XtlEgF>CXhTC0W^S zbo7np@UP%CgNVQ~t;fc`*lUE7f#=se>S=cXr<<;Wfc}p)tl7dpzHl0p_!5nBAKGU;`$!PwF+ly$C?+nvsn8%%0!*N3cd2cx56?RV$Y*%( z+PQt8Fyh)Brb5%Em)_o$q)xV`$`i7v1ztBz8TMI@IB}?mB5`$+=gm}(j%_w-D0k}e zuU@1s&5{DKrf^iJ31kJJC7xC;pRK(hV}8YvFB5?{q*`ZbCPl2m6CnnQkt@)3RRXo4 zYcAcFhb`h|l^l5{T&G-KrAxQx4I0Ah3}$y#fH;h%fA_igkSYmi^T;rg*Z4M=~Y_!XJh3W+V5l{#Xdu< zK15laIidQp!$Q8q$BfFeJ;cN}mh5o=TtPxEWi7)K%T8IqgQvegzIim_tHn9x=Fwi# zZL)n(sVJyuSnSd_oL%tQ4xXY!=xd=ZmiFXy`4HZmdDFl(3hecd)clz)V5eRqy~Gqt z9m)KCkok{Rec5aT-7SCX4s7ltognwlte$b!ndV@w4KKv>sN32NRgAb}v#i}G44Vi% z^{Z0P4@0+BQC_(;z-Kgs0!psPA&})OT8^&2#QE<&(nx7fmylm?JX<_^RYzk^ z>yYfP+AWc}6?4G~el`l~&G9qlqI64_A@Eg=_aO4q_B~|osF`rkQ3`JksKrOMj+>dd zg&0A&iRl+9Nz2{V79q=E*hK;F6TkH+2kaTbg*;Sjf^I@j&KL9Pd+y)L08x8{Z)<0^ z${uUP@{!eI4G$=fv)2bK`4TafP>kMr|4U3&d#=6!<$-EGJMA=FKgPGO^evx$eB3s; zK+T{sw{M;2#Z7^MBn-& z_zD*L{Id+acX%$q20l9Z1w8pW7sgXfQm1sAaHi67rFt(>K9h1z?Z}62306gObuI0~ zJ;#7xPbI$h=jL%tL;FfZ`}50;eSveJ0+HQC z|F`bJ{InAW)8}Z-*Rh{vfhY6o_%u_>^nyTOXK9vSNI#}b9{G;jFvydOnXL8YR{$S# zNQ@ibfHD}E+FoD?bQ5`JC}egUK$8Vh2_9MjaPh=z&NqE2NtO3 zme^K%mp4DhG*KaxprT?aV$N4}y|J#|(Tn|*6^Q7l<|>)rii zG~=qD9pMd9H)p5CR?7}8B&KrcJ2gO_q$K;d;R64afLWN%I-9dhTqzxnBJjE*pK7lZ5;N=Ibo| z9UMa*wRFDeN1+;1+Cp_=wmr5vf#DiNMM+e93T*`LlE4!*Ii`=&$=}{!a!PIiDtkoA z*fYR0opM&j01d~Vmhp6=X$igFcd+r0u8UymyjRitw_a5WrkJD=wEd0dpll1zp>iwM zw=J=5Tv;n@!9Fk2W9G);7r9jASSQTl{ab?447De|m(r4&F5K}6bjTP{5@yAmpFs;+ zH%H;tw60ua%bQ=Q=caIf{&h0hvD{OcjW1`A;VxN|=(*myWOco@<&hCyOtSu`phsb5 zXew_Ph3AqXSk69r{>36a8bamD@GB@lS)5h$Qp0te1jL*)q7mV*jqH?4>RiMSwGZ#bOv{g$2l3>N)-tDg0!kNY!%a zU9HInUkTahrIj5hmh)#mH(81ZEa|Cqe*8#P+2&Xfki3uf&!4PK6;RTN!9D7s)v|; z3h-kOG*C=NWT4a%XP3An<>X6mss{fc&hqGRdjxz*j+eoS0b%4#mf7%IyGnlk^l%kk;5O%SdRLXxE#7G^yO3Rzp^kh39*Xhs?#4d_1iz~w@x?nT!`;FN1$ z9wI5;IOZ{Ji0m$fy6y7AZ8NPy(&6jcL$RVhMMnn)1GVM*Yfl8ld7P{=U_CP5nqqhM z$Gu+V9er%}o^?@e+&pvsa=gevO~sm}6Ot zYMHaX>eiktsgqZr^rkzt3MyXylqsggp)WTi+vdIZ`uLR2!<-&1XW^i&` z%cr|`r1WislTqM1%+fha6sD~jJ?anZLvWtl2H zRlU#kS*c2dl&Pmb(6F=!DCaR_9Xq(KtQtg67r>PY-cN_kwgHb3Xd(6zk*QOvWw9X6 z&&Lp|kvx5WHj_)GzqxJ^*~=>4Io~?kj;yQe{katpc6$HbYSH-he@?KXdSs&<*Y8d_Sb&m&r?{_ajPgS!CQ2mZQQp zD3h9B8^Y8)`t6d)g*FQw1Y2mb6*(}c~k=MVnF+$h;WV$*c^5J1JsinUr2XKR7 z*A1Klq1|j9C)A14?JzPRmuKqhRd;|{OWsaYF$u~V!*VA2j zAa^C!^3B?v7xnc@4dW)X3dr%{8@qk^8(PqLb#6*wF+>m>Dp>o&*17BtwKd`P2e40ef|XeDpb+D2jQuIDDfU>3*b8u^5iLK=Z0Phn^g|Hx*JFG^ZbRE88d@(xD;B1< z?mWAp16*nC4O^DH4!=+_*mNaShBY33arsAYab%j9XPlAkWuDE%I|geOc`l6~+BN?fpUCpdMjtxZ#H>fx7{Y}2Al>d!Yr=#7n#_laxG@W7 zfII$E!?lY5>Ldvb&R_i!Co}-+YgcBU zs9pUk8%{?s1g!1!slM8LC`Z@*l3)HAx?xV^P(BqGBBFHzGgVhVbxVp@wd4W^U@aea z4Z2B}-+CY$x4EVOmBD%g7B&R%R(glZpEob7SOZgqfV}#=k*CbUvxkE%4FkYVKDn30 zxqM8zjYj!IDH;)CA6KkZhNVM<_QZHbTpUc2AT?fML)fV)dn&P<9-eJOTWxHS5ab*o zK}mXdQALhUq2Ur=%Gn!M0Q_p{&yJqG-~M8ocBkpvFfQ|B*<3~EguCO`*x6IFch_tp ze$YY*&Lu(~ahiNtKyQ@WbNgqDG?=IAO^L+D$&Nbd8{NppD>HGZEYHY#OKmA&wfA5vBL}NDo>)w7E@M6+K7%VoHIA zXz~~W@%_w4rm>)wXKqUpqMOaM2~BDCc&3TqPqz#kSTd}f*sjJr$n;dn2xR_<+-dEg z_S$S$b^qPRLfOPHk$qpaarCFz*14NstZ~HL2l|0NqMM2^QIO#wsPRfZ)p)7DwAG%$ zyN-k;WvXkgDk07vtuh|D0DQ%NzoE!L=fN?M=w`stjRmr(bIj`}_lId?*N&3kL+OPdLA_PE+Z1R6;j&fF zFcB#B>oV3P{!43;N2+5gExSDHxQ76;`0i{djeIH-d#c1{_5IM(3o_WDJj&DY z)D#<{CG^yJZM?kQn&w|qaA!L?8qUcrfP7%Z$liZaih^_3S%9$=!}1i~_Z%r~1v=aE zBHX0`p0wJ5U;MahK8U(r_%ugVgQS_Tj%f0ULt(`1kZ z8#q=1j$`chPFrCaFrBsb<#d4GB^xmS@4Yz-sqf1+u@%oK>W-(Kyqa%*Q_!~Bb`nEP zQO~rcD^V#!{R+b?L5MxWh{#gUa3`fP762Hb-r{rBwZ5X2-iab-d0mrps7A2tXe@QX-s_J3H3_Hc8yCL z$C}qP&kW!Fm|JT}`F!}eKGy2I8P`%fC8rNiBGQagw;Xh;Wb)lqrM3Mn^+ySZIj(`r z{cBmJ9De49?2-KNbMG0;|HByit^OG3Z$OUOt^F<8d**bjfsxu0VBJI9Er8^n3Qc3j z6}k5TvJ@SCl*ar5jW^dBdrh@?DeNgb;(i2o0X7`^)w^_D^Gd3a zdw+E)D^y{B;Aqbq>ubvW>7dSqlj!k5+Q7tB`wXdIobzVYJ|i6hMze-wHvbAJ*Z7GP zgq}k8WuTT0(C1TC<5a5ToPg7i<;ZQJFlDhg5G0F!1J{=T`3$3Q+=dBX_D) zcu7=!ea85qh~)&-#lcZ!BB6R@2*t8uIw{w3H!gM%<+v5XhBVZUWeY46`(vE~Ew3zC zyL_0OJ$rc1tSn50a64o~HMphcQJMX$X35V|DuAxUGDe6~w)Y^mvH&VdPaXUfwj&kNB~JWRuenSD7p2M+n8`)NsA=Va`N+>#*bE zyrB%Ky6@ohKbjd;24p@#E{1Oz{gV}_2KW2hLEExdUUFK&UVy9C{pl4UVm7|CSI%1v zE`}_e6EU4ises&|wb7@l2Y6)pPk(QFgL#F2e_z8=r0JX+(=V22iWYAf+iRUO&x2iU z8ki~u%|3s3SMLWsOmPrTBj0~Kq6DK14n+9e8Oy2?nUnGoMwj zt01J86?eY9y~59@7JJ_5#^gigsw+0>BJgl=pU;==D2ZYn2v*ewgtFHP{rYoW^B9}U zsQb~r5~|~OVa#98KZ<@Yo=U5{Zf*7;R@qs)%UZ2zPwy3|wIF?jK)NJE#r*yo=_~$b zxNUYbyWTgSJzdLpSlOkEh=kwY%f9FfFXEz~Z+`!DN*{;$=lt4PaGO52Co=u-@{1d@ zNbI)wQ#-R4I31${q>xjr{dccsk*X!?&#TpI#ndmxo>%!sC^AmDTX}R?iU2Fw@9@3R zV`zI%2*de!Q&v+idBuq3OkM>x(XHrHte9KMoDWj<-lH4v`H6Uw)KkouHU3`HmNLWo zM6}|w|9bd{q&vWVa5BPE3P-V^Y`f}G@g4o!Z4Z2{3i0pTMszM{SISgzoV`3AIo&W0vFwsJ`Q%Qfjjx};tS2(%+G>^>X3IV z(fRJ)Yp806X(+_rL}rst>)u{P`=&aH8`m zTc{M<%}HeU)R-W$SfS3RgvcDd%-ws6VU^gksqR1xr0`1n63({oO$ zvopwIT48pW11wEBRZ3B6L4nOrT?G(XGvH04uJT!(m}P)#hTrEv4a1~L$!8Rk?;@!9 z6aD$k+i3!J8Q-|GBe*YH^D8t{M!2N)^W!dQ1y6ZjR}=xv+h%yG!5_&Y(qYTR(_L~H zB`Ep0HCx^V2=|x~`6&za`|$HJxUI&G;`1iu$4n`?nHVU_7vY!IoN@>&AP20k`OIq9>vYW!LT^a=38omJT(m2bzLX_4`kCM9 z#v1z|xx4SMAmh&khWk3KF?tIK3F{<%th#1a7O z|4B;sx>9mwhgtaB8Xo-FD#e2%uD3vB@PGObW}fgvTnvzZEOq$@N7kgcM?x~0p-NN6 zZhf=}xQfcX%(^KyG%EynE`Sg2^}aXguJ)sb;)uG%4GN*SJ+~-l-W|yAbm$9N$+a4pf735n7`{w&#kDfjzP%c~dx5v;?q; zK6hN8-YaX0f%7p79nAKlIM-tSN7B>1l@dx3=tL^Ix zh^L7Cji!m;mRCY6GuaI zI-R8KSFSI_^J|ZU(AQq`U3qOU)m6p)Fh^VLkbGzNbq41Ai&(quie$ic{-asWH1_Z^l$1T@8>asBnkre{NcFk;VMiGu zLOBDXK9}V<0Uh4C25`w5e?SFVFfZ^HSn&2^@V9AnpSW3XrK%Ko{w?!&(_en!>jX7s z%4l|Z5X-59i#o!m)hm!X!+%G(jKG{V1g7Mt&Ed<3WiOoiDWWd$55NF#m2WVvN_`*|cT7eO=~NO-o*@)PxBO5*uPTe%yL zcTu(DWSYnOx7)Rc_C={SB(C!qgnBAvW4ZPTF%t{^#}j)xG-jO7G~50|VbX7%+tZo< zx2xaNHL~H$AZJ5KAM(^wghb8mGOVKkC+|+!YnUT=0XT3sdQ}p@;6=Qs@_- zW;ut}XaFY<%nD)8Ka;8vJwCt_c)K)yz2SY(M9n(LC&ZSU>Xwa_+ngKY%B2Sm&h_EN zCyl=p{3Xg?EWV10?lYhAgR0`A+^!GgzgON%Ib=~SeP&?YPlaf1){JF)z;G%PyxIK& zL^*@D-L>j=>4%K&DZaF=I{*mH%o z?!KYP7v;I#fWKdn=ziKFkrKEv=yY#RpLoG_)LZ#hBqDb(SM;-j`6-N z*#Excr`M$gxR=UpaBNVd_rz!^k`i!wt6r~lslya=1L0RO-rP-+@b|gwiSiwzJyqx- zG*5|kB~-nQ%AH84xnBKT$lIx$>-Iawulj6shYuLiS}Tc$-51v@B?pocBzV5*3+1F$ z4qw7&>IQ!ilydm4_2460$4?$b>s8H!qR|A=t|`%`=}9~sJlWlPTQ!2M0jHcUgi1vz zZJ}2~Pv*z#cJUgx&3z|=segqSDy>VJWz|~dw5=$Sc{6fkv$Shn6SVVoimDzpy?@%? zuW-=P@%luKx%@o8DilBgq@p{2GI#O(9>kS2t1SJ0|33Qy;T!w}7dSt7Inc{6Zmz(* z_Ri}5tx@##0)tAp@!-6#KWR4gHEHfQeJk6551VIAhRZUoCO8XaJq-QRtRWprN*=9~GJ$Gv8rM*OVZI;o>PmB`HNHeJP_=(+@O`J@Dv&1~hgZA3xsmoJ+Dh1O z?!fF*$`9TD|EA_wUGO*0AVRKk{9*Y2e*&*jU6;xC1ecth&vyA{DL4)dzbZ(E!x)vC zaCXlt^NiwjFs|!Vd&EXhm_b>P?OZ-EumG?8dxe-%0Tv$5huq$3xbQ_t7oFSPl+xD} zHWMFce$QV~gJJ9k^`Th@{cqIcon`@(-IP*&&2%)1x9g3(w+baSk*_;Q(Y^np2BXm< zP#V#15}r5^bkzjo@#7#F&}4!r)#V5IHY+3+74`3!j_!5tNXs8I8}E}ngKos?q!Ts! zlkNrIo2$VA6NIsnPjC0jKNQ!F*T9+U+1O9Bw;SLvK+m%4dC+nc|0$}6V1(BtRzITxA{KDPNJaAu-qRMBm_%G)j zp3q*|+kDBAcR*jnANnU2Vp;NekkLqxmA~t>l?VKa)6QD~yQ}|0Gk=-!tFYkzhwMKL z9E<@LJ0l^mA6iq`kLYB*+whB_`N^OSPr@N0r=3M;eLgje>^%APiBu@nG0_-lV3lH{ z9DMq`dng>Nxr#SfYY5wqqGfZ>zuR0jektc%^E-m`CA5w`j5ur%Ndn-{yV6Dl~=P9*47;40Fru|zJ+|@mQ}TF7I*J`QWAIEUXZuO z9Q-S)Q+f&`hO8*+C8QiQ(zcZ?;|jg%tWobReIN?#tG<|@?Uydr-aMA=Zi@Ek<>xd@ zZwWmnyPF&k{p7Y>(Ong!x8?-PyVFS{N&UJZ#Eq$x_ezR)KefbF5%%+6ccdZ5CLza9 zUGOiW%l?PaGqCPOs*`!WHVrS5>s9(_1uXt71yK(>WdSddtbp zbrx}>^!r8%^IDy=1nt%>y9z;wi?j1<@luTotwJ;D+BZR+6NtwR=~SmX4Y^uAn7dkg z>5KsmeL8)Ww;N%xWCjz9VQtj5MR|}g%HXz&K0|6j!{bI$xI8%IQ+8vUa4gS zR7T?W6Fy#Tl)iULJzBT7JnD-%NG2f;E|a=aULUL{d(vyylHCi>egJwXr=?ikAR&H7 zP`s~>ZK~$1jl4^Ks+1vmySM5>XN`=CWZl|*YtvT?iy@8hLMFgUA}#nW|6)M30m?eh zJ^EQXDC8XT-i( zSp4BtL``VR-yD!ovFHerX(4_1DE#!#%YWv6Ur|tyWus1X|MC%ys>1CZWP&OaubJkL zq-E*1TLmNgur1_#%C51URSjNpqi=o+tCYmANI|-O)w}OSlN_2YL!!q~qJ@xg)SiS) z=A)`iC#EssRO-C$?&U(^RpkzpK!zxsIO=JfjS^4r=3eOJGnr|aRs<>2W6>9sNt&7C zCZul@?E4cvN_$m$+{@>z=qLR*Zdb~xlT2Uf+E_;Mr5E(;Xn1VIyqXUq7&TO^;YA)7 z%)1&pG%l^my}+*Zwrp{VIuI zZcA88=x9Md5+l~f6H7q5_OY;&TxckV%2BBoB48r?3uF(6fO~)0(j+*|VH)$3C_Rx# zI!#RfzW>thaUV##ttV*AxCzPkAk&fM1UeccYA0LGg$t zeW9nWrrL;kgF+Q8MDwoes(C9>or$=B$&*hpY+yZ+Cc z_=@A4C6!R-VR_SrVvd6v4&^j%e}`Si*_Of%*PaaZbXRedWts<1Pm_0kd9_{VRxt<` z3!0|=Q7BoV0D98dB_8uT1rs)XVH=d}t(5=Tpq;VVyy5Xr^32}G6po=`YZcs0ua`0X zOYE;ePPz*OlHeb|1palqQ#tJ^4v89$hZdoi_4G%d<1ynSPHS~mx{)d+Nma9(dFD-+ z>Vo8)siwHnL?GcT%7<-D7Pl9CDWzJAj}6!~v^LsM>6|LWB?3v;x0X38AQ#9?(--!@ z34NF7xRlbzjnOP<9WHX)Bx=~9FRmLeb7wc;{vpR{%w78dbAYq{ceqz!o{QP{#f}PR z-*OCt2k3{9^SnbSjW0xwj8+vIxAcFsyWH*x?A|ZF08eqgq+^evl_+*Tm~VMcb$BU2 z?khpzts@P+_e#C|c+$*q>+mJYi7y`ciRAbi(^>D?Avran-=}e@^;5R4y0A=VUxcmK z&AzwZF9MeL{cbLjj2t>D&iLnhmY0WZf4`|U9l{AGN9($7WS@v zY-vK_F}QBDJFH2%R*sUAQ*g#00t9P$FNG{^lQ(r_tHg`d1dg)>U7dOh$zSxYb$!YO@$bc|z`U}#zeYzkZ zy;ta?f#JOKEy6TLei~oU?YiSG^JBP& zzs1?q7*t1CI5rA|tb7i`hhJDi@xJ$UJ}y_9R;+s>Qo;8s!{%#C=o|Cx%B~QNx*$ik z5f}M(16q+Y{44b<#9Gs!8UkZtg6!?+?#DP=E6b#A;cj~Tb=Zn9Wu33saJd)C=rj9 z1bumZvOTU>74Rb!Hks^3bc=S*B&X3Y8g0yLmCu=PFdpBiHGqQPMSimLhD{eoSkQWo zX`JPOyB|{TqIR$Uat)=DtkaZedb@_H|K`6@c`q~v=Rtok?K6CZZMUYIXp|%>8%i73 zqKu{~aKVmCd>s)pBVy-L=OJVHu?*rq*Jmy5$B)(+Rb@rkG+B(&lxuw z^FwyF_}P6-{i{N}23x1lTh|@$^0vnYskxCPTl&dq75W{EZjcs3S{40?LHP@s>r_#Ii2jk9*C9Dgb|a%@czS*s6mcx$V&|(O!0UmGe+shYmolml+wK5 zA5fqla`?-?o-Ow{LXmax7?4K^2$BmT%Mo#j`Sr?^{+qZ4X%D?pzZ&f8RJXv?H&B@$ z&Y)+$Ki2v3*^$Om=#Rq;AllJnKK-#ENOjY-;y1i{-(d+#@sX!pM!qnLkfg60$Hzhl z$kkB57Ltiu*UIuJZroIs=k3Fon%U!5jQozd=ODk+xu;7KwaJfY*l6TUK`4h%mYqOH z+;9&R(ZxtpaSF&O`#V8+bBX^4yyJYHZ{?4|iZ=P`*ndb`Ze_|ro_2Szq5c$KqO-t`A!7Iq? zb9^S7$BEBL*wXzu=?x@Y{2rw6#Gig$gMP?DI!G3#$hjIgb(kXn$D?%-FtmOyUC`A< zyzv)8PzcsVc$br{QlbadUt&B1imN65=Jv4l3VQuuZM4sTwi+cB&fD|zOt9rIK~kCJ z?bvpamVPCEpvlvr7`i+Qos2L-58Ddz6?8FcTd|A3tw+N>#M1xhlZnsir^1htmA&w4 z!3lKERip)GBjj)r6kkYeqsO9kMoF9y4mYI_uw3b{aSyy#Vb_2 zO4e-#y`v`+8<(5Bs_TEy(BqItD44c1*;9D6L3VYvo@&$JI@I8sivGJmiBZB?P>aJV z&0aZ3R+0NrqWh8ZzX6`ldlJpPE97g{jpYNX)vxl1jJU){5YM* zz>eJL%{Ifr*ROiNl^CRwpQ0aR<>ta87{v$vvi0hL#JHJKG7-}pN3ie-94+Q6^7Fwe z$JvlqlaWdYyUp^Et8iI()KsUXS4)ik zPPhJW^}8VRP@d4_91wY>J&fouJ*@R~ZWA|r7ha#ZI*&qcnaDc(DHK%m<$P&Q0YJVk zK=ketY{B{_M2p9d$iI!(Az)z~C@BNfg!ibwoIBM#_JTB*h_Ra5)*UlJJ?L8qC-_F^baNYQ3y>u86xlNnn>XvVo_*<)y$9>xHO|{&>V((c)>~0> zpg++|0W3Wi;BL@Ybws*WwGHDfinoxldp=XV@e*P(wNqM3I*6A(4&JzIb;l&0-bBB1`PA`%cs@#Fc>KPr zRs>wu5ev)N>7S$`4HqoHl~74@Uu`kT`yt6IC;PMVGGfq#)d1O-7E}A4bKr`&;iJcC zMVv#nWYzX_*q7Gxlt+86jZbMIH=08K7L@1$gs6@8AVO7EQU43sf8@-@s!_*luRZae zpIr4KLBqm04SGUH0ScXG2f;Sl7PgAxMGOAgX&iseu)m_rNZK*XoLdtc7SC*71SO`@;iILl%wjN%<1XM*0| zirW)ByREz`%T#!y@h8sR*p$+O{$ms;4cb64{diNx&RK6}h2N@Vl!fzhZtt_oeOurD#}j_NnY=H~}p#+m+D;Zy#$r^1d~w${rVsux^Tikf4f^%)p0fM3n|`VHLkIlIbVo;Ju?Ut3QS?!F4cq+t1fZX zinfp%hN{SE(&J{}4k6@dRKd)=MZ<+X$mSwya}l1zutxeD1*Z!br=mKYm-gcn{2OyZ zh&cPVlUFqRh(j%xt$)f>kjIKlM{lR_v(%VgBhe>43(9 z5l8fYx`syKvc1K_pJZa3G^wM*ao<#b?8Ta~`If7`E9sNNw8x_{_Nv`Jk@M;&2k;I9a4HPK6Lxb7N-ys|o?LQ9-uHZ=ri2;NGokd_h0c3GZfL@BV~3Ab30q z3MC&MB)aka#YPgS%%{`AJ@^+>*wdMP^T1P=^{2f9)-OoZ0M#mWVIJ;qo2427M{2! z7xo|d&Za$4c9@QxEq{1s6+a^cu(IDfF$HkBw-cpcWEqR0BJ%*A2J;_(`I5^F1`a7-hI!oC=W=Re+ zTz^J}VAl&=DsRfy$jiaWR&|DPiU!xmKykvPN5xvd;0myzz&&#%C=hCOdX_yY>FdWtVJBM3RJL*O{)lX(jr+wol z(PNt{vE7wzQGEJP-OJeH@mG2u*O9m=nigM~_y4+7 zLVf9RGuc|@IW9P$;L(PiU4(>yh%Qma7-9HfvRux?FYW+cW zk!kCTUD4D$oBT}WS#CJsnGn4aT0H>H~xO}#t$ zL`lhsbVZOXzBs5v`9P3peGtF}I6wguKmim$0Te(16hHwKKmim$0Te(16hHwKK*3)M zGz#YcjmByai-Z+eG$fXH2(Whp2Pl97D1ZVefC4Ch0w{n2D1ZVefC4Ch0w{n2D1ZVe z_%{lOg_%dEQ5Su>F_v|sYt6cio6`@=-5m&U2*?B|fC4Ch0w{n2D1ZVe_&*ga3Y summary::after { + content: ' ▲'; + } + + details:not([open]) > summary::after { + content: " ▼"; + } + + .qubed-level { + text-overflow: ellipsis; + overflow: hidden; + text-wrap: nowrap; + display: block; + } + + summary::-webkit-details-marker { + display: none; + content: ""; + } + +} \ No newline at end of file diff --git a/stac_server/static/styles.css b/stac_server/static/styles.css new file mode 100644 index 0000000..91cc9c1 --- /dev/null +++ b/stac_server/static/styles.css @@ -0,0 +1,1749 @@ +/* ============================================ + Modern Professional Catalogue Styles + ============================================ */ + +/* CSS Variables for consistent theming */ +:root { + --primary-color: #0073E6; + --primary-dark: #2F3842; + --primary-light: #009DEB; + --secondary-color: #009DEB; + --accent-color: #FF6B9D; + + --bg-primary: #ffffff; + --bg-secondary: #F6F9FC; + --bg-tertiary: #F2F7FD; + --bg-dark: #2F3842; + + --text-primary: #100F0F; + --text-secondary: #B1B5C3; + --text-light: #adb5bd; + --text-inverse: #ffffff; + + --border-color: #dee2e6; + --border-light: #e9ecef; + --shadow-sm: 0 1px 3px rgba(0, 0, 0, 0.08); + --shadow-md: 0 4px 6px rgba(0, 0, 0, 0.1); + --shadow-lg: 0 10px 20px rgba(0, 0, 0, 0.12); + --shadow-hover: 0 8px 16px rgba(0, 0, 0, 0.15); + + --radius-sm: 6px; + --radius-md: 10px; + --radius-lg: 14px; + + --transition-fast: 0.15s ease; + --transition-base: 0.25s ease; + --transition-slow: 0.35s ease; + + --header-height: 70px; + --sidebar-width: 420px; +} + +/* Reset & Base Styles */ +*, +*::before, +*::after { + box-sizing: border-box; +} + +html { + scroll-behavior: smooth; +} + +html, +body { + min-height: 100vh; + height: 100%; + margin: 0; + padding: 0; +} + +body { + font-family: -apple-system, BlinkMacSystemFont, "Segoe UI", Roboto, "Helvetica Neue", Arial, sans-serif; + font-size: 15px; + line-height: 1.6; + color: var(--text-primary); + background-color: var(--bg-secondary); + -webkit-font-smoothing: antialiased; + -moz-osx-font-smoothing: grayscale; +} + +/* ============================================ + Header Styles + ============================================ */ + +.main-header { + background: linear-gradient(135deg, var(--primary-color) 0%, var(--primary-dark) 100%); + color: var(--text-inverse); + box-shadow: var(--shadow-md); + position: sticky; + top: 0; + z-index: 1000; + height: var(--header-height); +} + +.header-content { + max-width: 1800px; + margin: 0 auto; + padding: 0 2rem; + height: 100%; + display: flex; + align-items: center; + justify-content: space-between; +} + +.header-left { + display: flex; + align-items: center; + gap: 1rem; +} + +.logo-icon { + font-size: 2rem; + line-height: 1; +} + +.site-title { + font-size: 1.5rem; + font-weight: 600; + margin: 0; + letter-spacing: -0.02em; +} + +.header-right { + display: flex; + gap: 1rem; +} + +.header-link { + display: flex; + align-items: center; + gap: 0.5rem; + padding: 0.5rem 1rem; + background: rgba(255, 255, 255, 0.1); + border-radius: var(--radius-sm); + color: var(--text-inverse); + text-decoration: none; + font-weight: 500; + transition: background var(--transition-base); +} + +.header-link:hover { + background: rgba(255, 255, 255, 0.2); +} + +/* ============================================ + Layout + ============================================ */ + +#viewer { + display: flex; + flex-direction: row; + min-height: calc(100vh - var(--header-height)); + max-width: 1800px; + margin: 0 auto; +} + +/* ============================================ + Sidebar / Catalog List + ============================================ */ + +#catalog-list { + flex: 0 0 var(--sidebar-width); + background-color: var(--bg-primary); + border-right: 1px solid var(--border-color); + overflow-y: auto; + box-shadow: var(--shadow-sm); + transition: flex-basis var(--transition-base); +} + +#catalog-list.region-active { + flex: 0 0 650px; +} + +.sidebar-sticky { + padding: 2rem 1.5rem; +} + +.sidebar-intro { + margin-bottom: 2rem; + padding-bottom: 1.5rem; + border-bottom: 2px solid var(--border-light); +} + +.instruction-text { + margin: 0 0 0.75rem 0; + color: var(--text-secondary); + font-size: 0.9rem; + line-height: 1.5; +} + +.update-time { + display: flex; + align-items: center; + gap: 0.5rem; + margin: 1rem 0 0 0; + padding: 0.75rem 1rem; + background: var(--bg-secondary); + border-radius: var(--radius-sm); + font-size: 0.85rem; + color: var(--text-secondary); +} + +/* ============================================ + Navigation Controls + ============================================ */ + +.sidebar-nav { + display: flex; + gap: 0.75rem; + margin-bottom: 1.5rem; +} + +.nav-btn { + flex: 1; + display: flex; + align-items: center; + justify-content: center; + gap: 0.5rem; + padding: 0.75rem 1rem; + border: none; + border-radius: var(--radius-md); + font-size: 0.9rem; + font-weight: 600; + cursor: pointer; + transition: all var(--transition-base); + box-shadow: var(--shadow-sm); +} + +.nav-btn.primary { + background: var(--primary-color); + color: var(--text-inverse); +} + +.nav-btn.primary:hover { + background: var(--primary-dark); + box-shadow: var(--shadow-md); + transform: translateY(-1px); +} + +.nav-btn.secondary { + background: var(--bg-tertiary); + color: var(--text-primary); +} + +.nav-btn.secondary:hover { + background: var(--border-color); + box-shadow: var(--shadow-md); + transform: translateY(-1px); +} + +.nav-btn:active { + transform: translateY(0); +} + +/* ============================================ + Catalog Items / Cards + ============================================ */ + +.catalog-items { + display: flex; + flex-direction: column; + gap: 1rem; +} +.catalog-items { + display: flex; + flex-direction: column; + gap: 1rem; +} + +.item { + position: relative; + display: flex; + flex-direction: column; + background: var(--bg-primary); + border: 2px solid var(--border-light); + border-radius: var(--radius-lg); + padding: 1.5rem; + transition: all var(--transition-base); + box-shadow: var(--shadow-sm); +} + +.item:hover { + border-color: var(--primary-light); + box-shadow: var(--shadow-hover); + transform: translateY(-2px); +} + +.item.selected { + background: linear-gradient(135deg, #F2F7FD 0%, #F6F9FC 100%); + border-color: var(--primary-color); + box-shadow: var(--shadow-md); +} + +.item-title { + font-size: 1.15rem; + font-weight: 600; + margin: 0 0 0.5rem 0; + color: var(--text-primary); + letter-spacing: -0.01em; +} + +.item-type { + display: inline-block; + padding: 0.25rem 0.75rem; + background: var(--bg-secondary); + color: var(--text-secondary); + font-size: 0.75rem; + font-weight: 500; + border-radius: var(--radius-sm); + margin-bottom: 0.75rem; + text-transform: uppercase; + letter-spacing: 0.05em; +} + +.item-description { + font-size: 0.9rem; + margin: 0.5rem 0 1rem 0; + color: var(--text-secondary); + line-height: 1.5; +} + +/* Select All Button */ +.item button.all { + position: absolute; + right: 1.25rem; + top: 1.25rem; + width: 2rem; + height: 2rem; + padding: 0; + display: flex; + align-items: center; + justify-content: center; + background: var(--bg-secondary); + color: var(--text-primary); + border: 2px solid var(--border-color); + border-radius: 50%; + font-size: 1.2rem; + font-weight: bold; + cursor: pointer; + transition: all var(--transition-fast); +} + +.item button.all:hover { + background: var(--primary-color); + color: var(--text-inverse); + border-color: var(--primary-color); + transform: scale(1.1); +} + +/* ============================================ + Checkbox Container + ============================================ */ + +.checkbox-container { + display: grid; + grid-template-columns: auto auto 1fr; + grid-auto-rows: auto; + grid-column-gap: 0.75rem; + grid-row-gap: 0.75rem; + max-height: 280px; + overflow-y: auto; + padding: 1rem; + margin-top: 1rem; + background: var(--bg-secondary); + border: 1px solid var(--border-light); + border-radius: var(--radius-md); + scrollbar-width: thin; + scrollbar-color: var(--border-color) transparent; +} + +.checkbox-container::-webkit-scrollbar { + width: 6px; +} + +.checkbox-container::-webkit-scrollbar-track { + background: transparent; +} + +.checkbox-container::-webkit-scrollbar-thumb { + background: var(--border-color); + border-radius: 3px; +} + +.checkbox-container::-webkit-scrollbar-thumb:hover { + background: var(--text-secondary); +} + +.checkbox-container[disabled] { + background-color: #e9ecef; + opacity: 0.7; +} + +.checkbox-row { + display: contents; +} + +.checkbox-row:hover > * { + color: var(--primary-color); +} + +.checkbox-row:hover > input[type='checkbox'] { + box-shadow: 0 0 0 3px rgba(0, 115, 230, 0.15); +} + +.checkbox-row input[type='checkbox'] { + grid-column-start: 1; + width: 1.25rem; + height: 1.25rem; + align-self: center; + cursor: pointer; + accent-color: var(--primary-color); + transition: all var(--transition-fast); +} + +.checkbox-row a.more-info { + cursor: help; + text-decoration: none; + font-size: 0.7rem; + font-weight: 600; + display: inline-flex; + width: 1.2rem; + height: 1.2rem; + padding: 0; + align-items: center; + justify-content: center; + aspect-ratio: 1 / 1; + border-radius: 50%; + border: 2px solid var(--text-secondary); + color: var(--text-secondary); + transition: all var(--transition-fast); +} + +.checkbox-row a.more-info:hover { + background: var(--primary-color); + border-color: var(--primary-color); + color: var(--text-inverse); + transform: scale(1.15); +} + +.checkbox-row label { + grid-column-start: 2; + align-self: center; + font-size: 0.9rem; + color: var(--text-primary); + cursor: pointer; + transition: color var(--transition-fast); +} + +.checkbox-row label.code { + grid-column-start: 3; + text-align: right; + align-self: center; + font-family: 'Monaco', 'Courier New', monospace; + font-size: 0.8rem; + color: var(--text-secondary); +} + +/* ============================================ + Filter Input for Checkbox Lists + ============================================ */ + +.filter-wrapper { + margin-top: 1rem; + margin-bottom: 0.75rem; +} + +.filter-input { + width: 100%; + padding: 0.625rem 0.875rem 0.625rem 2.25rem; + border: 2px solid var(--border-color); + border-radius: var(--radius-md); + font-size: 0.9rem; + background: var(--bg-primary); + color: var(--text-primary); + transition: all var(--transition-base); + background-image: url('data:image/svg+xml,'); + background-repeat: no-repeat; + background-position: 0.75rem center; + background-size: 16px 16px; +} + +.filter-input:focus { + outline: none; + border-color: var(--primary-color); + box-shadow: 0 0 0 3px rgba(0, 115, 230, 0.1); +} + +.filter-input::placeholder { + color: var(--text-light); +} + +/* Sidebar Footer */ +.sidebar-footer { + margin-top: 2rem; + padding-top: 1.5rem; + border-top: 2px solid var(--border-light); +} + +.text-link { + display: flex; + align-items: center; + gap: 0.5rem; + padding: 0.75rem 1rem; + background: var(--bg-secondary); + border-radius: var(--radius-md); + color: var(--primary-color); + text-decoration: none; + font-weight: 500; + font-size: 0.9rem; + transition: all var(--transition-base); +} + +.text-link:hover { + background: var(--primary-color); + color: var(--text-inverse); + box-shadow: var(--shadow-md); +} + +/* ============================================ + Main Content Area + ============================================ */ + +#details { + flex: 1; + padding: 2rem; + overflow-y: auto; + overflow-x: hidden; + background: var(--bg-secondary); + max-width: 100%; +} + +.detail-section { + background: var(--bg-primary); + border-radius: var(--radius-lg); + padding: 2rem; + margin-bottom: 1.5rem; + box-shadow: var(--shadow-sm); + border: 1px solid var(--border-light); +} + +.detail-section.collapsible { + padding: 0; +} + +.detail-section.collapsible summary { + padding: 1.5rem 2rem; + cursor: pointer; + transition: background var(--transition-base); + border-radius: var(--radius-lg); +} + +.detail-section.collapsible summary:hover { + background: var(--bg-secondary); +} + +.detail-section.collapsible[open] summary { + border-bottom: 1px solid var(--border-light); + border-radius: var(--radius-lg) var(--radius-lg) 0 0; +} + +.detail-section.collapsible > *:not(summary) { + padding: 0 2rem 2rem 2rem; +} + +.section-title { + display: flex; + align-items: center; + gap: 0.75rem; + font-size: 1.25rem; + font-weight: 600; + margin: 0 0 1rem 0; + color: var(--text-primary); + letter-spacing: -0.02em; +} + +.section-title svg { + color: var(--primary-color); +} + +.section-description { + margin: 0 0 1.25rem 0; + color: var(--text-secondary); + font-size: 0.95rem; + line-height: 1.6; +} + +.section-description a { + color: var(--primary-color); + text-decoration: none; + font-weight: 500; + transition: color var(--transition-fast); +} + +.section-description a:hover { + color: var(--primary-dark); + text-decoration: underline; +} + +/* ============================================ + Code Blocks + ============================================ */ + +.code-block { + background: var(--bg-dark); + border-radius: var(--radius-md); + overflow: hidden; + box-shadow: inset 0 2px 4px rgba(0, 0, 0, 0.2); +} + +.code-block pre { + margin: 0; + padding: 1.5rem; + overflow-x: auto; + font-family: 'Monaco', 'Menlo', 'Consolas', monospace; + font-size: 0.85rem; + line-height: 1.6; + scrollbar-width: thin; + scrollbar-color: var(--text-secondary) transparent; +} + +.code-block pre::-webkit-scrollbar { + height: 8px; +} + +.code-block pre::-webkit-scrollbar-track { + background: rgba(255, 255, 255, 0.05); +} + +.code-block pre::-webkit-scrollbar-thumb { + background: var(--text-secondary); + border-radius: 4px; +} + +.code-block code { + font-family: inherit; + font-size: inherit; +} + +#final_req, +#qube { + margin: 0; + padding: 1.5rem; + background: var(--bg-dark); + color: #e9ecef; + border-radius: var(--radius-md); + overflow-x: auto; + font-family: 'Monaco', 'Menlo', 'Consolas', monospace; + font-size: 0.85rem; + line-height: 1.6; + box-shadow: inset 0 2px 4px rgba(0, 0, 0, 0.2); +} + +/* Syntax Highlighting Enhancements */ +span.key { + color: #4fc3f7; + font-weight: 600; +} + +span.value { + color: #81c784; +} + +span.key:hover, +span.value:hover { + color: #ffeb3b; + cursor: help; +} + +span.punct { + color: #e0e0e0; + font-weight: 500; +} + +/* ============================================ + Form Elements + ============================================ */ + +input[type="text"] { + width: 100%; + padding: 0.75rem 1rem; + border: 2px solid var(--border-color); + border-radius: var(--radius-md); + font-size: 0.9rem; + font-family: inherit; + transition: all var(--transition-base); + background: var(--bg-primary); +} + +input[type="text"]:focus { + outline: none; + border-color: var(--primary-color); + box-shadow: 0 0 0 3px rgba(0, 115, 230, 0.1); +} + +/* ============================================ + Utility Classes + ============================================ */ + +.has-data { + background-color: rgba(129, 199, 132, 0.2); + border: 2px solid #81c784 !important; +} + +.list-label { + font-weight: 600; + margin-bottom: 0.75rem; + display: block; + color: var(--primary-color); + font-size: 0.9rem; + text-transform: uppercase; + letter-spacing: 0.05em; +} + +/* Date Picker Styles */ +.date-picker-input { + width: 100%; + margin-top: 1rem; + border: none; + background: transparent; +} + +.date-picker-hint { + margin: 0.75rem 0 1rem 0; + padding: 0.75rem 1rem; + background: linear-gradient(135deg, #F2F7FD 0%, #F6F9FC 100%); + border-left: 4px solid var(--primary-color); + border-radius: var(--radius-sm); + font-size: 0.85rem; + line-height: 1.5; + color: var(--text-secondary); + font-weight: 500; + transition: all var(--transition-base); +} + +.date-picker-hint:empty { + display: none; +} + +div.air-datepicker { + width: 100% !important; + background: var(--bg-primary); + border: 2px solid var(--border-light); + border-radius: var(--radius-md); + box-shadow: var(--shadow-sm); + font-family: inherit; +} + +div.air-datepicker .air-datepicker-nav { + background: var(--bg-secondary); + border-bottom: 1px solid var(--border-light); + padding: 0.75rem; +} + +div.air-datepicker .air-datepicker-nav--title { + color: var(--text-primary); + font-weight: 600; +} + +div.air-datepicker .air-datepicker-nav--action { + color: var(--primary-color); +} + +div.air-datepicker .air-datepicker-nav--action:hover { + background: var(--primary-light); +} + +div.air-datepicker .air-datepicker-body--day-name { + color: var(--text-secondary); + font-weight: 600; + font-size: 0.75rem; + text-transform: uppercase; +} + +div.air-datepicker .air-datepicker-cell { + color: var(--text-primary); + border-radius: var(--radius-sm); +} + +div.air-datepicker .air-datepicker-cell.-disabled- { + color: var(--text-light); + opacity: 0.25; + cursor: not-allowed; + background: transparent; + text-decoration: line-through; +} + +div.air-datepicker .air-datepicker-cell:not(.-disabled-):hover { + background: var(--primary-light); + color: var(--text-inverse); + cursor: pointer; + transform: scale(1.05); + transition: all var(--transition-fast); +} + +div.air-datepicker .air-datepicker-cell.-selected- { + background: linear-gradient(135deg, var(--primary-color) 0%, var(--primary-light) 100%) !important; + color: var(--text-inverse) !important; + font-weight: 700; + box-shadow: 0 2px 8px rgba(0, 115, 230, 0.4), inset 0 1px 0 rgba(255, 255, 255, 0.2); + border: none !important; +} + +div.air-datepicker .air-datepicker-cell.-in-range- { + background: linear-gradient(135deg, rgba(0, 115, 230, 0.2) 0%, rgba(0, 115, 230, 0.15) 100%) !important; + color: var(--primary-dark); + font-weight: 600; + border-top: 1px solid rgba(0, 115, 230, 0.3); + border-bottom: 1px solid rgba(0, 115, 230, 0.3); +} + +div.air-datepicker .air-datepicker-cell.-range-from-, +div.air-datepicker .air-datepicker-cell.-range-to- { + background: linear-gradient(135deg, var(--primary-color) 0%, var(--primary-light) 100%) !important; + color: var(--text-inverse) !important; + font-weight: 700; + box-shadow: 0 2px 8px rgba(0, 115, 230, 0.4), inset 0 1px 0 rgba(255, 255, 255, 0.2); + border: none !important; +} + +/* Subtle indicator for dates with available data */ +div.air-datepicker .air-datepicker-cell.has-data { + font-weight: 600; + position: relative; + background: rgba(0, 115, 230, 0.06); + border-bottom: 2px solid rgba(0, 115, 230, 0.4); +} + +div.air-datepicker .air-datepicker-cell.has-data:not(.-disabled-) { + color: var(--primary-dark); +} + +/* When dates are selected, make them darker and more prominent */ +div.air-datepicker .air-datepicker-cell.-selected-.has-data, +div.air-datepicker .air-datepicker-cell.-range-from-.has-data, +div.air-datepicker .air-datepicker-cell.-range-to-.has-data { + background: linear-gradient(135deg, var(--primary-dark) 0%, var(--primary-color) 100%) !important; + color: var(--text-inverse) !important; + border-bottom: 2px solid var(--primary-dark); + font-weight: 700; + box-shadow: 0 3px 10px rgba(47, 56, 66, 0.5), inset 0 1px 0 rgba(255, 255, 255, 0.15); +} + +div.air-datepicker .air-datepicker-cell.-in-range-.has-data { + background: linear-gradient(135deg, rgba(0, 115, 230, 0.25) 0%, rgba(0, 115, 230, 0.2) 100%) !important; + color: var(--primary-dark); + border-bottom: 2px solid rgba(0, 115, 230, 0.5); + font-weight: 600; + border-top: 1px solid rgba(0, 115, 230, 0.4); +} + +/* ============================================ + Responsive Design + ============================================ */ + +@media (max-width: 1200px) { + :root { + --sidebar-width: 360px; + } + + .header-content { + padding: 0 1.5rem; + } + + .site-title { + font-size: 1.25rem; + } +} + +@media (max-width: 968px) { + #viewer { + flex-direction: column; + } + + #catalog-list { + flex: 0 0 auto; + width: 100%; + border-right: none; + border-bottom: 1px solid var(--border-color); + max-height: 60vh; + } + + #details { + width: 100%; + } + + .header-content { + padding: 0 1rem; + } + + .site-title { + font-size: 1.1rem; + } + + .sidebar-nav { + flex-direction: column; + } +} + +@media (max-width: 640px) { + :root { + --header-height: 60px; + } + + .header-content { + padding: 0 1rem; + } + + .site-title { + font-size: 1rem; + } + + .logo-icon { + font-size: 1.5rem; + } + + .sidebar-sticky { + padding: 1.5rem 1rem; + } + + #details { + padding: 1.5rem 1rem; + } + + .detail-section { + padding: 1.5rem; + } + + .detail-section.collapsible summary { + padding: 1rem 1.5rem; + } + + .detail-section.collapsible > *:not(summary) { + padding: 0 1.5rem 1.5rem 1.5rem; + } + + .item { + padding: 1.25rem; + } + + .item button.all { + right: 1rem; + top: 1rem; + width: 1.75rem; + height: 1.75rem; + font-size: 1rem; + } +} + +/* ============================================ + Print Styles + ============================================ */ + +@media print { + .main-header, + .sidebar-nav, + .sidebar-footer, + button { + display: none; + } + + #viewer { + flex-direction: column; + } + + #catalog-list, + #details { + width: 100%; + border: none; + box-shadow: none; + } +} + +/* ============================================ + Geographic Region Selection + ============================================ */ + +.region-selection { + margin-top: 2rem; + padding: 1.5rem; + background: var(--bg-secondary); + border: 2px solid var(--border-light); + border-radius: var(--radius-lg); + box-shadow: var(--shadow-sm); +} + +.region-title { + font-size: 1rem; + font-weight: 600; + margin: 0 0 0.5rem 0; + color: var(--text-primary); + display: flex; + align-items: center; + gap: 0.5rem; +} + +.region-description { + margin: 0 0 1rem 0; + color: var(--text-secondary); + font-size: 0.85rem; + line-height: 1.5; +} + +.region-controls { + display: flex; + gap: 0.75rem; + margin-bottom: 1.5rem; + flex-wrap: wrap; +} + +.region-btn { + flex: 1; + min-width: 120px; + display: flex; + align-items: center; + justify-content: center; + gap: 0.5rem; + padding: 0.75rem 1rem; + border: none; + border-radius: var(--radius-md); + font-size: 0.85rem; + font-weight: 600; + cursor: pointer; + transition: all var(--transition-base); + box-shadow: var(--shadow-sm); +} + +.region-btn.primary { + background: var(--primary-color); + color: var(--text-inverse); +} + +.region-btn.primary:hover { + background: var(--primary-dark); + box-shadow: var(--shadow-md); + transform: translateY(-1px); +} + +.region-btn.secondary { + background: var(--bg-secondary); + color: var(--text-primary); + border: 2px solid var(--border-color); +} + +.region-btn.secondary:hover { + background: var(--bg-tertiary); + border-color: var(--text-secondary); +} + +#map-container { + margin-top: 1.5rem; +} + +.map-instructions { + margin-bottom: 1rem; + padding: 0.75rem 1rem; + background: var(--bg-primary); + border-left: 4px solid var(--primary-color); + border-radius: var(--radius-sm); + font-size: 0.8rem; + color: var(--text-secondary); +} + +.map-instructions p { + margin: 0; + line-height: 1.5; +} + +.map-instructions strong { + color: var(--text-primary); +} + +#map { + border: 2px solid var(--border-light); + box-shadow: var(--shadow-md); +} + +.selected-region { + margin-top: 1.5rem; + padding: 1rem; + background: var(--bg-secondary); + border-radius: var(--radius-md); +} + +.selected-region h4 { + margin: 0 0 1rem 0; + color: var(--text-primary); + font-size: 0.95rem; + font-weight: 600; +} + +.selected-region .code-block { + margin-bottom: 1rem; +} + +.selected-region pre { + margin: 0; + padding: 1rem; + background: var(--bg-dark); + color: #e9ecef; + border-radius: var(--radius-sm); + font-size: 0.85rem; + line-height: 1.6; + overflow-x: auto; +} + +/* ============================================ + Animations + ============================================ */ + +@keyframes fadeIn { + from { + opacity: 0; + transform: translateY(10px); + } + to { + opacity: 1; + transform: translateY(0); + } +} + +.item { + animation: fadeIn var(--transition-base) ease-out; +} + +/* Loading State */ +.item.loading { + background: var(--bg-secondary); + color: var(--text-secondary); + pointer-events: none; + animation: pulse 1.5s ease-in-out infinite; +} + +@keyframes pulse { + 0%, 100% { + opacity: 1; + } + 50% { + opacity: 0.5; + } +} + +/* Focus Visible for Accessibility */ +:focus-visible { + outline: 3px solid var(--primary-color); + outline-offset: 2px; +} + +button:focus-visible, +a:focus-visible { + outline: 3px solid var(--accent-color); +} + +/* Canvas Elements */ +canvas { + width: 100%; + height: 300px; + border: 1px solid var(--border-color); + border-radius: var(--radius-md); + margin-top: 1.5rem; +} + +/* ============================================ + Copy Button for Code Blocks + ============================================ */ + +.code-block-with-copy { + position: relative; +} + +.copy-btn { + position: absolute; + top: 0.75rem; + right: 0.75rem; + display: flex; + align-items: center; + gap: 0.5rem; + padding: 0.5rem 1rem; + background: rgba(255, 255, 255, 0.9); + color: var(--text-primary); + border: 2px solid var(--border-color); + border-radius: var(--radius-sm); + font-size: 0.85rem; + font-weight: 600; + cursor: pointer; + transition: all var(--transition-base); + z-index: 10; + box-shadow: var(--shadow-sm); +} + +.copy-btn:hover { + background: var(--primary-color); + color: var(--text-inverse); + border-color: var(--primary-color); + transform: translateY(-2px); + box-shadow: var(--shadow-md); +} + +.copy-btn.copied { + background: #28a745; + color: white; + border-color: #28a745; +} + +.copy-btn svg { + flex-shrink: 0; +} + +@media (max-width: 640px) { + .copy-btn { + padding: 0.4rem 0.75rem; + font-size: 0.8rem; + } + + .copy-btn-text { + display: none; + } +} + +/* ============================================ + Polytope Query Section + ============================================ */ + +.polytope-section { + margin-top: 2rem; + padding: 1.5rem; + background: linear-gradient(135deg, #F6F9FC 0%, #F2F7FD 100%); + border: 2px solid var(--border-light); + border-radius: var(--radius-lg); + box-shadow: var(--shadow-sm); +} + +.polytope-title { + font-size: 1.1rem; + font-weight: 600; + margin: 0 0 0.75rem 0; + color: var(--text-primary); + display: flex; + align-items: center; + gap: 0.5rem; +} + +.polytope-description { + margin: 0 0 1.25rem 0; + color: var(--text-secondary); + font-size: 0.9rem; + line-height: 1.5; +} + +.polytope-auth-form { + margin-bottom: 1.5rem; + padding: 1.25rem; + background: var(--bg-primary); + border: 1px solid var(--border-light); + border-radius: var(--radius-md); +} + +.form-group { + margin-bottom: 1rem; +} + +.form-group:last-child { + margin-bottom: 0; +} + +.form-label { + display: flex; + align-items: center; + gap: 0.5rem; + margin-bottom: 0.5rem; + color: var(--text-primary); + font-size: 0.9rem; + font-weight: 600; +} + +.form-input { + width: 100%; + padding: 0.75rem; + border: 2px solid var(--border-light); + border-radius: var(--radius-sm); + font-size: 0.9rem; + font-family: inherit; + color: var(--text-primary); + background: var(--bg-primary); + transition: all var(--transition-base); +} + +.form-input:focus { + outline: none; + border-color: var(--primary-color); + box-shadow: 0 0 0 3px rgba(0, 115, 230, 0.1); +} + +.form-input::placeholder { + color: var(--text-light); +} + +.form-hint { + margin: 0.5rem 0 0 0; + font-size: 0.8rem; + color: var(--text-secondary); + line-height: 1.4; +} + +.form-hint a { + color: var(--primary-color); + text-decoration: none; +} + +.form-hint a:hover { + text-decoration: underline; +} + +.polytope-btn { + display: inline-flex; + align-items: center; + gap: 0.5rem; + padding: 0.75rem 1.5rem; + background: linear-gradient(135deg, var(--primary-color) 0%, var(--primary-dark) 100%); + color: var(--text-inverse); + border: none; + border-radius: var(--radius-md); + font-size: 0.95rem; + font-weight: 600; + cursor: pointer; + transition: all var(--transition-base); + box-shadow: var(--shadow-md); +} + +.polytope-btn:hover:not(:disabled) { + transform: translateY(-2px); + box-shadow: var(--shadow-lg); +} + +.polytope-btn:active { + transform: translateY(0); +} + +.polytope-btn:disabled { + opacity: 0.6; + cursor: not-allowed; +} + +.polytope-status { + margin-top: 1.25rem; + padding: 1rem; + background: var(--bg-primary); + border-left: 4px solid var(--primary-color); + border-radius: var(--radius-sm); + font-size: 0.9rem; + color: var(--text-primary); +} + +.polytope-status.loading { + border-left-color: var(--secondary-color); +} + +.polytope-status.success { + border-left-color: #28a745; +} + +.polytope-status.error { + border-left-color: var(--accent-color); + color: #dc3545; +} + +.polytope-results { + margin-top: 1.25rem; +} + +.polytope-result-item { + padding: 1rem; + margin-bottom: 0.75rem; + background: var(--bg-primary); + border: 1px solid var(--border-light); + border-radius: var(--radius-md); +} + +.polytope-result-item.success { + border-left: 4px solid #28a745; +} + +.polytope-result-item.error { + border-left: 4px solid #dc3545; +} + +.polytope-result-header { + font-weight: 600; + margin-bottom: 0.5rem; + color: var(--text-primary); + font-size: 0.9rem; +} + +.polytope-result-detail { + font-size: 0.85rem; + color: var(--text-secondary); + font-family: 'Monaco', 'Courier New', monospace; +} +.download-json-btn { + transition: all 0.2s ease; +} + +.download-json-btn:hover { + background: var(--secondary-color) !important; + transform: translateY(-1px); + box-shadow: 0 4px 12px rgba(0, 115, 230, 0.3); +} + +.download-json-btn:active { + transform: translateY(0); +} +/* ============================================ + JupyterLite Notebook Section + ============================================ */ + +.notebook-section { + background: var(--bg-primary); + padding: 2rem; + border-radius: var(--radius-lg); + border: 1px solid var(--border-light); + margin-bottom: 2rem; + box-shadow: 0 2px 8px rgba(0, 0, 0, 0.1); +} + +.notebook-header { + display: flex; + justify-content: space-between; + align-items: center; + margin-bottom: 1rem; +} + +.notebook-title { + font-size: 1.3rem; + font-weight: 600; + color: var(--text-primary); + display: flex; + align-items: center; + gap: 0.75rem; + margin: 0; +} + +.notebook-title svg { + color: var(--primary-color); +} + +.close-notebook-btn { + background: transparent; + border: 1px solid var(--border-light); + color: var(--text-secondary); + padding: 0.5rem; + border-radius: var(--radius-sm); + cursor: pointer; + display: flex; + align-items: center; + justify-content: center; + transition: all 0.2s ease; +} + +.close-notebook-btn:hover { + background: var(--bg-secondary); + color: var(--text-primary); + border-color: var(--primary-color); +} + +.notebook-description { + color: var(--text-secondary); + margin-bottom: 1.5rem; + line-height: 1.6; +} + +.notebook-description code { + background: var(--bg-secondary); + padding: 0.2rem 0.5rem; + border-radius: 3px; + font-size: 0.9em; + color: var(--primary-color); + font-family: 'Monaco', 'Courier New', monospace; +} + +.notebook-controls { + display: flex; + gap: 0.75rem; + margin-bottom: 1rem; +} + +.run-code-btn, +.reset-code-btn { + padding: 0.6rem 1.2rem; + border: none; + border-radius: var(--radius-md); + cursor: pointer; + font-size: 0.9rem; + font-weight: 500; + display: inline-flex; + align-items: center; + gap: 0.5rem; + transition: all 0.2s ease; +} + +.run-code-btn { + background: linear-gradient(135deg, var(--primary-color), var(--secondary-color)); + color: white; +} + +.run-code-btn:hover { + transform: translateY(-2px); + box-shadow: 0 4px 16px rgba(0, 115, 230, 0.4); +} + +.run-code-btn:disabled { + opacity: 0.6; + cursor: not-allowed; + transform: none; +} + +.reset-code-btn { + background: var(--bg-secondary); + color: var(--text-primary); + border: 1px solid var(--border-light); +} + +.reset-code-btn:hover { + background: var(--bg-tertiary); + border-color: var(--primary-color); +} + +.package-installer { + background: var(--bg-secondary); + border: 1px solid var(--border-light); + border-radius: var(--radius-md); + padding: 1rem; + margin-bottom: 1rem; +} + +.package-installer-title { + font-size: 0.95rem; + font-weight: 600; + color: var(--text-primary); + margin: 0 0 0.5rem 0; + display: flex; + align-items: center; + gap: 0.5rem; +} + +.package-installer-title svg { + color: var(--primary-color); +} + +.package-installer-hint { + font-size: 0.85rem; + color: var(--text-secondary); + margin: 0 0 0.75rem 0; + line-height: 1.4; +} + +.package-installer-controls { + display: flex; + gap: 0.5rem; + align-items: stretch; +} + +.package-input { + flex: 1; + padding: 0.6rem; + border: 1px solid var(--border-light); + border-radius: var(--radius-md); + background: var(--bg-primary); + color: var(--text-primary); + font-size: 0.9rem; + font-family: 'Monaco', 'Courier New', monospace; + transition: border-color 0.2s ease; +} + +.package-input:focus { + outline: none; + border-color: var(--primary-color); + box-shadow: 0 0 0 3px rgba(0, 115, 230, 0.1); +} + +.package-input::placeholder { + color: var(--text-secondary); + opacity: 0.6; +} + +.install-package-btn { + padding: 0.6rem 1.2rem; + background: linear-gradient(135deg, var(--primary-color), var(--secondary-color)); + color: white; + border: none; + border-radius: var(--radius-md); + cursor: pointer; + font-size: 0.9rem; + font-weight: 500; + display: inline-flex; + align-items: center; + gap: 0.5rem; + transition: all 0.2s ease; + white-space: nowrap; +} + +.install-package-btn:hover { + transform: translateY(-2px); + box-shadow: 0 4px 16px rgba(0, 115, 230, 0.4); +} + +.install-package-btn:disabled { + opacity: 0.6; + cursor: not-allowed; + transform: none; +} + +.package-install-status { + margin-top: 0.75rem; + padding: 0.75rem; + border-radius: var(--radius-sm); + font-size: 0.85rem; + font-family: 'Monaco', 'Courier New', monospace; + line-height: 1.5; +} + +.package-install-status.loading { + background: rgba(0, 115, 230, 0.1); + border: 1px solid rgba(0, 115, 230, 0.2); + color: var(--primary-color); +} + +.package-install-status.success { + background: rgba(40, 167, 69, 0.1); + border: 1px solid rgba(40, 167, 69, 0.2); + color: #28a745; +} + +.package-install-status.error { + background: rgba(220, 53, 69, 0.1); + border: 1px solid rgba(220, 53, 69, 0.2); + color: #dc3545; +} + +.code-editor { + border: 1px solid var(--border-light); + border-radius: var(--radius-md); + overflow: hidden; + margin-bottom: 1rem; +} + +.CodeMirror { + height: 400px; + font-size: 14px; + font-family: 'Monaco', 'Courier New', monospace; +} + +.notebook-output { + background: var(--bg-secondary); + border: 1px solid var(--border-light); + border-radius: var(--radius-md); + padding: 1rem; + margin-top: 1rem; +} + +.output-title { + font-size: 0.9rem; + font-weight: 600; + color: var(--text-primary); + margin: 0 0 0.75rem 0; +} + +.output-content { + margin: 0; + padding: 0.75rem; + background: #1e1e1e; + color: #d4d4d4; + border-radius: var(--radius-sm); + font-family: 'Monaco', 'Courier New', monospace; + font-size: 0.85rem; + line-height: 1.5; + overflow-x: auto; + white-space: pre-wrap; + word-wrap: break-word; +} + +.output-images { + display: flex; + flex-direction: column; + gap: 1rem; + margin-top: 1rem; +} + +.output-image { + max-width: 100%; + height: auto; + border-radius: var(--radius-md); + box-shadow: 0 4px 6px rgba(0, 0, 0, 0.1); + background: white; + display: block; +} + +.notebook-loading-exec { + display: flex; + align-items: center; + gap: 0.75rem; + padding: 1rem; + background: var(--bg-secondary); + border-radius: var(--radius-md); + color: var(--text-secondary); + margin-top: 1rem; +} + +.loading-spinner-small { + width: 20px; + height: 20px; + border: 3px solid var(--border-light); + border-top: 3px solid var(--primary-color); + border-radius: 50%; + animation: spin 1s linear infinite; +} + +.loading-spinner { + width: 40px; + height: 40px; + border: 4px solid var(--border-light); + border-top: 4px solid var(--primary-color); + border-radius: 50%; + animation: spin 1s linear infinite; + margin-bottom: 1rem; +} + +@keyframes spin { + 0% { transform: rotate(0deg); } + 100% { transform: rotate(360deg); } +} + +.open-notebook-btn { + margin-top: 0.5rem; + padding: 0.5rem 1rem; + background: linear-gradient(135deg, var(--primary-color), var(--secondary-color)); + color: white; + border: none; + border-radius: var(--radius-md); + cursor: pointer; + font-size: 0.9rem; + font-weight: 500; + display: inline-flex; + align-items: center; + gap: 0.5rem; + transition: all 0.2s ease; +} + +.open-notebook-btn:hover { + transform: translateY(-2px); + box-shadow: 0 4px 16px rgba(0, 115, 230, 0.4); +} + +.open-notebook-btn:active { + transform: translateY(0); +} + +.open-notebook-btn svg { + width: 16px; + height: 16px; +} \ No newline at end of file diff --git a/stac_server/templates/index.html b/stac_server/templates/index.html new file mode 100644 index 0000000..45b52e4 --- /dev/null +++ b/stac_server/templates/index.html @@ -0,0 +1,355 @@ + + + + + + + {{title}} + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +

+ +
+ +
+ + + + +
+
+

+ + + + Current Selection +

+

+ This is a MARS Selection object in JSON format. Hover over keys or values for more information. +

+
+
{
+}
+
+
+
+ + + +
+

+ + + + Currently Selected Tree +

+

+ This shows the data qube that matches the current query. The leaves are the next set of available selections you can make. +

+
+

+                
+
+ +
+ +

+ + + + Example Qubed Code +

+
+

+ See the Qubed documentation for more details. +

+
+
# pip install qubed requests
+import requests
+from qubed import Qube
+qube = Qube.from_json(requests.get("{{ api_url }}select/?{{request.url.query}}").json())
+qube.print()
+
+
+ +
+ +

+ + + + Raw STAC Response +

+
+

+ See the STAC Extension Proposal for more details on the format. +

+
+
+
+
+ +
+ +

+ + + + Debug Info +

+
+
+
+
+
+
+
+ + + + + \ No newline at end of file diff --git a/stac_server/templates/landing.html b/stac_server/templates/landing.html new file mode 100644 index 0000000..4cafd05 --- /dev/null +++ b/stac_server/templates/landing.html @@ -0,0 +1,526 @@ + + + + + + + {{title}} - Welcome + + + + + + +
+
+
+ Qubed Logo +

{{title}}

+
+

Your gateway to climate and weather data

+
+ +
+ +
+
+
1
+

Select a Dataset

+

Choose the dataset you want to explore

+
+ +
+
+
🌍
+

Climate DT

+

Digital Twin for Climate Change Adaptation - Long-term climate projections and historical climate data

+
+ +
+
+

Extremes DT

+

Digital Twin for Weather-Induced Extremes - High-resolution extreme weather events and forecasts

+
+
+ +
+ +
+ + +
+ + + +
+
+ + + + + \ No newline at end of file diff --git a/stac_server/test_api.py b/stac_server/test_api.py new file mode 100644 index 0000000..3ab3a14 --- /dev/null +++ b/stac_server/test_api.py @@ -0,0 +1,66 @@ +import os +from pathlib import Path +from fastapi.testclient import TestClient + +os.environ["API_KEY"] = "testkey" + + +from . import main + +app_client = TestClient(main.app) + + +def test_root_page_renders_html(): + resp = app_client.get("/") + assert resp.status_code == 200 + # Fast check that we served HTML from the Jinja template + assert resp.headers.get("content-type", "").startswith("text/html") + + +def test_get_returns_qube_json_object(): + resp = app_client.get("/api/v2/get/") + assert resp.status_code == 200 + data = resp.json() + assert isinstance(data, dict) + # Should not be empty given example qubes are loaded via config/config.yaml + assert len(data) > 0 + # Should be the same as the example extremes_dt qube + + +def test_query_returns_axes_list(): + resp = app_client.get("/api/v2/query") + assert resp.status_code == 200 + axes = resp.json() + assert isinstance(axes, list) + # With example data, we expect at least one axis + assert len(axes) >= 1 + # Each axis item should include required keys + if axes: + assert {"key", "values", "dtype", "on_frontier"}.issubset(axes[0].keys()) + + +def test_basicstac_root_catalog(): + resp = app_client.get("/api/v2/basicstac/") + assert resp.status_code == 200 + payload = resp.json() + assert payload.get("type") == "Catalog" + assert isinstance(payload.get("links"), list) + + +def test_union_requires_bearer_token(): + # Missing Authorization header should be rejected by HTTPBearer + resp = app_client.post("/api/v2/union/", json={}) + assert resp.status_code in (401, 403) + + +def test_union_with_valid_bearer_token_works(): + # Merge the current qube with itself; this should be a no-op but exercises the path + base = app_client.get("/api/v2/get/").json() + resp = app_client.post( + "/api/v2/union/", + headers={"Authorization": "Bearer testkey"}, + json=base, + ) + assert resp.status_code == 200 + merged = resp.json() + assert merged == base \ No newline at end of file From 7ea0373887029acfdc1b5fc0a0e68b9668e11311 Mon Sep 17 00:00:00 2001 From: mathleur Date: Mon, 9 Mar 2026 14:40:16 +0100 Subject: [PATCH 10/26] add version to json --- qubed/src/serde/json.rs | 31 +++++++++++++++++-- .../qube_examples/large_climate_eg.json | 5 ++- .../qube_examples/large_extremes_eg.json | 5 ++- .../qube_examples/medium_climate_eg.json | 5 ++- .../qube_examples/medium_extremes_eg.json | 5 ++- qubed_meteo/qube_examples/oper_fdb.json | 5 ++- .../qube_examples/small_climate_eg.json | 5 ++- .../qube_examples/small_extremes_eg.json | 5 ++- 8 files changed, 56 insertions(+), 10 deletions(-) diff --git a/qubed/src/serde/json.rs b/qubed/src/serde/json.rs index 9019494..2cb1832 100644 --- a/qubed/src/serde/json.rs +++ b/qubed/src/serde/json.rs @@ -166,16 +166,41 @@ impl Qube { nodes_json.push(Value::Object(map)); } - Value::Array(nodes_json) + // Wrap the arena array with a versioned envelope so format changes + // can be detected by consumers. + let mut root_map = Map::new(); + root_map.insert("version".to_string(), Value::String("1".to_string())); + root_map.insert("qube".to_string(), Value::Array(nodes_json)); + Value::Object(root_map) } /// Reconstruct a Qube from an arena JSON layout created by `to_arena_json`. pub fn from_arena_json(value: Value) -> Result { use std::collections::HashMap; + // Expect a versioned envelope with structure { "version": "1", "qube": [ ... ] } let arr = match value { - Value::Array(a) => a, - _ => return Err("Expected JSON array for arena layout".to_string()), + Value::Object(map) => { + // check version + let version_val = map + .get("version") + .ok_or_else(|| "Arena JSON missing 'version' field".to_string())?; + let ok = match version_val { + Value::String(s) => s == "1", + Value::Number(n) => n.as_u64().map(|v| v == 1).unwrap_or(false), + _ => false, + }; + if !ok { + return Err(format!("Unsupported arena JSON version: {:?}", version_val)); + } + + // extract qube array + match map.get("qube") { + Some(Value::Array(a)) => a.clone(), + _ => return Err("Arena JSON missing 'qube' array".to_string()), + } + } + _ => return Err("Expected JSON object envelope for arena layout".to_string()), }; // We will create nodes in the same order. Start with a fresh Qube which diff --git a/qubed_meteo/qube_examples/large_climate_eg.json b/qubed_meteo/qube_examples/large_climate_eg.json index 15ba801..f7b62c2 100644 --- a/qubed_meteo/qube_examples/large_climate_eg.json +++ b/qubed_meteo/qube_examples/large_climate_eg.json @@ -1 +1,4 @@ -[{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2],"coords":{"strings":["highresmip"]},"dim":"activity","parent":0},{"children":[3],"coords":{"strings":["d1"]},"dim":"class","parent":1},{"children":[4],"coords":{"strings":["climate-dt"]},"dim":"dataset","parent":2},{"children":[5],"coords":{"strings":["cont"]},"dim":"experiment","parent":3},{"children":[6],"coords":{"strings":["0001"]},"dim":"expver","parent":4},{"children":[7],"coords":{"ints":[1]},"dim":"generation","parent":5},{"children":[8],"coords":{"strings":["ifs-nemo"]},"dim":"model","parent":6},{"children":[9],"coords":{"ints":[1]},"dim":"realization","parent":7},{"children":[10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27],"coords":{"strings":["clte"]},"dim":"stream","parent":8},{"children":[28],"coords":{"ints":[1990]},"dim":"year","parent":9},{"children":[29],"coords":{"ints":[1991]},"dim":"year","parent":9},{"children":[30],"coords":{"ints":[1992]},"dim":"year","parent":9},{"children":[31],"coords":{"ints":[1993]},"dim":"year","parent":9},{"children":[32],"coords":{"ints":[1994]},"dim":"year","parent":9},{"children":[33],"coords":{"ints":[1995]},"dim":"year","parent":9},{"children":[34],"coords":{"ints":[1996]},"dim":"year","parent":9},{"children":[35],"coords":{"ints":[1997]},"dim":"year","parent":9},{"children":[36],"coords":{"ints":[1998]},"dim":"year","parent":9},{"children":[37],"coords":{"ints":[1999]},"dim":"year","parent":9},{"children":[38],"coords":{"ints":[2000]},"dim":"year","parent":9},{"children":[39],"coords":{"ints":[2001]},"dim":"year","parent":9},{"children":[40],"coords":{"ints":[2002]},"dim":"year","parent":9},{"children":[41],"coords":{"ints":[2003]},"dim":"year","parent":9},{"children":[42],"coords":{"ints":[2004]},"dim":"year","parent":9},{"children":[43],"coords":{"ints":[2005]},"dim":"year","parent":9},{"children":[44],"coords":{"ints":[2006]},"dim":"year","parent":9},{"children":[45],"coords":{"ints":[2007]},"dim":"year","parent":9},{"children":[46,47,48,49,50,51,52,53,54,55,56,57],"coords":{"strings":["sfc"]},"dim":"levtype","parent":10},{"children":[58,59,60,61,62,63,64,65,66,67,68,69],"coords":{"strings":["sfc"]},"dim":"levtype","parent":11},{"children":[70,71,72,73,74,75,76,77,78,79,80,81],"coords":{"strings":["sfc"]},"dim":"levtype","parent":12},{"children":[82,83,84,85,86,87,88,89,90,91,92,93],"coords":{"strings":["sfc"]},"dim":"levtype","parent":13},{"children":[94,95,96,97,98,99,100,101,102,103,104,105],"coords":{"strings":["sfc"]},"dim":"levtype","parent":14},{"children":[106,107,108,109,110,111,112,113,114,115,116,117],"coords":{"strings":["sfc"]},"dim":"levtype","parent":15},{"children":[118,119,120,121,122,123,124,125,126,127,128,129],"coords":{"strings":["sfc"]},"dim":"levtype","parent":16},{"children":[130,131,132,133,134,135,136,137,138,139,140,141],"coords":{"strings":["sfc"]},"dim":"levtype","parent":17},{"children":[142,143,144,145,146,147,148,149,150,151,152,153],"coords":{"strings":["sfc"]},"dim":"levtype","parent":18},{"children":[154,155,156,157,158,159,160,161,162,163,164,165],"coords":{"strings":["sfc"]},"dim":"levtype","parent":19},{"children":[166,167,168,169,170,171,172,173,174,175,176,177],"coords":{"strings":["sfc"]},"dim":"levtype","parent":20},{"children":[178,179,180,181,182,183,184,185,186,187,188,189],"coords":{"strings":["sfc"]},"dim":"levtype","parent":21},{"children":[190,191,192,193,194,195,196,197,198,199,200,201],"coords":{"strings":["sfc"]},"dim":"levtype","parent":22},{"children":[202,203,204,205,206,207,208,209,210,211,212,213],"coords":{"strings":["sfc"]},"dim":"levtype","parent":23},{"children":[214,215,216,217,218,219,220,221,222,223,224,225],"coords":{"strings":["sfc"]},"dim":"levtype","parent":24},{"children":[226,227,228,229,230,231,232,233,234,235,236,237],"coords":{"strings":["sfc"]},"dim":"levtype","parent":25},{"children":[238,239,240,241,242,243,244,245,246,247,248,249],"coords":{"strings":["sfc"]},"dim":"levtype","parent":26},{"children":[250,251,252,253],"coords":{"strings":["sfc"]},"dim":"levtype","parent":27},{"children":[254],"coords":{"ints":[9]},"dim":"month","parent":28},{"children":[255],"coords":{"ints":[8]},"dim":"month","parent":28},{"children":[256],"coords":{"ints":[7]},"dim":"month","parent":28},{"children":[257],"coords":{"ints":[6]},"dim":"month","parent":28},{"children":[258],"coords":{"ints":[5]},"dim":"month","parent":28},{"children":[259],"coords":{"ints":[4]},"dim":"month","parent":28},{"children":[260],"coords":{"ints":[3]},"dim":"month","parent":28},{"children":[261],"coords":{"ints":[2]},"dim":"month","parent":28},{"children":[262],"coords":{"ints":[12]},"dim":"month","parent":28},{"children":[263],"coords":{"ints":[11]},"dim":"month","parent":28},{"children":[264],"coords":{"ints":[10]},"dim":"month","parent":28},{"children":[265],"coords":{"ints":[1]},"dim":"month","parent":28},{"children":[266],"coords":{"ints":[9]},"dim":"month","parent":29},{"children":[267],"coords":{"ints":[8]},"dim":"month","parent":29},{"children":[268],"coords":{"ints":[7]},"dim":"month","parent":29},{"children":[269],"coords":{"ints":[6]},"dim":"month","parent":29},{"children":[270],"coords":{"ints":[5]},"dim":"month","parent":29},{"children":[271],"coords":{"ints":[4]},"dim":"month","parent":29},{"children":[272],"coords":{"ints":[3]},"dim":"month","parent":29},{"children":[273],"coords":{"ints":[2]},"dim":"month","parent":29},{"children":[274],"coords":{"ints":[12]},"dim":"month","parent":29},{"children":[275],"coords":{"ints":[11]},"dim":"month","parent":29},{"children":[276],"coords":{"ints":[10]},"dim":"month","parent":29},{"children":[277],"coords":{"ints":[1]},"dim":"month","parent":29},{"children":[278],"coords":{"ints":[9]},"dim":"month","parent":30},{"children":[279],"coords":{"ints":[8]},"dim":"month","parent":30},{"children":[280],"coords":{"ints":[7]},"dim":"month","parent":30},{"children":[281],"coords":{"ints":[6]},"dim":"month","parent":30},{"children":[282],"coords":{"ints":[5]},"dim":"month","parent":30},{"children":[283],"coords":{"ints":[4]},"dim":"month","parent":30},{"children":[284],"coords":{"ints":[3]},"dim":"month","parent":30},{"children":[285],"coords":{"ints":[2]},"dim":"month","parent":30},{"children":[286],"coords":{"ints":[12]},"dim":"month","parent":30},{"children":[287],"coords":{"ints":[11]},"dim":"month","parent":30},{"children":[288],"coords":{"ints":[10]},"dim":"month","parent":30},{"children":[289],"coords":{"ints":[1]},"dim":"month","parent":30},{"children":[290],"coords":{"ints":[9]},"dim":"month","parent":31},{"children":[291],"coords":{"ints":[8]},"dim":"month","parent":31},{"children":[292],"coords":{"ints":[7]},"dim":"month","parent":31},{"children":[293],"coords":{"ints":[6]},"dim":"month","parent":31},{"children":[294],"coords":{"ints":[5]},"dim":"month","parent":31},{"children":[295],"coords":{"ints":[4]},"dim":"month","parent":31},{"children":[296],"coords":{"ints":[3]},"dim":"month","parent":31},{"children":[297],"coords":{"ints":[2]},"dim":"month","parent":31},{"children":[298],"coords":{"ints":[12]},"dim":"month","parent":31},{"children":[299],"coords":{"ints":[11]},"dim":"month","parent":31},{"children":[300],"coords":{"ints":[10]},"dim":"month","parent":31},{"children":[301],"coords":{"ints":[1]},"dim":"month","parent":31},{"children":[302],"coords":{"ints":[9]},"dim":"month","parent":32},{"children":[303],"coords":{"ints":[8]},"dim":"month","parent":32},{"children":[304],"coords":{"ints":[7]},"dim":"month","parent":32},{"children":[305],"coords":{"ints":[6]},"dim":"month","parent":32},{"children":[306],"coords":{"ints":[5]},"dim":"month","parent":32},{"children":[307],"coords":{"ints":[4]},"dim":"month","parent":32},{"children":[308],"coords":{"ints":[3]},"dim":"month","parent":32},{"children":[309],"coords":{"ints":[2]},"dim":"month","parent":32},{"children":[310],"coords":{"ints":[12]},"dim":"month","parent":32},{"children":[311],"coords":{"ints":[11]},"dim":"month","parent":32},{"children":[312],"coords":{"ints":[10]},"dim":"month","parent":32},{"children":[313],"coords":{"ints":[1]},"dim":"month","parent":32},{"children":[314],"coords":{"ints":[9]},"dim":"month","parent":33},{"children":[315],"coords":{"ints":[8]},"dim":"month","parent":33},{"children":[316],"coords":{"ints":[7]},"dim":"month","parent":33},{"children":[317],"coords":{"ints":[6]},"dim":"month","parent":33},{"children":[318],"coords":{"ints":[5]},"dim":"month","parent":33},{"children":[319],"coords":{"ints":[4]},"dim":"month","parent":33},{"children":[320],"coords":{"ints":[3]},"dim":"month","parent":33},{"children":[321],"coords":{"ints":[2]},"dim":"month","parent":33},{"children":[322],"coords":{"ints":[12]},"dim":"month","parent":33},{"children":[323],"coords":{"ints":[11]},"dim":"month","parent":33},{"children":[324],"coords":{"ints":[10]},"dim":"month","parent":33},{"children":[325],"coords":{"ints":[1]},"dim":"month","parent":33},{"children":[326],"coords":{"ints":[9]},"dim":"month","parent":34},{"children":[327],"coords":{"ints":[8]},"dim":"month","parent":34},{"children":[328],"coords":{"ints":[7]},"dim":"month","parent":34},{"children":[329],"coords":{"ints":[6]},"dim":"month","parent":34},{"children":[330],"coords":{"ints":[5]},"dim":"month","parent":34},{"children":[331],"coords":{"ints":[4]},"dim":"month","parent":34},{"children":[332],"coords":{"ints":[3]},"dim":"month","parent":34},{"children":[333],"coords":{"ints":[2]},"dim":"month","parent":34},{"children":[334],"coords":{"ints":[12]},"dim":"month","parent":34},{"children":[335],"coords":{"ints":[11]},"dim":"month","parent":34},{"children":[336],"coords":{"ints":[10]},"dim":"month","parent":34},{"children":[337],"coords":{"ints":[1]},"dim":"month","parent":34},{"children":[338],"coords":{"ints":[9]},"dim":"month","parent":35},{"children":[339],"coords":{"ints":[8]},"dim":"month","parent":35},{"children":[340],"coords":{"ints":[7]},"dim":"month","parent":35},{"children":[341],"coords":{"ints":[6]},"dim":"month","parent":35},{"children":[342],"coords":{"ints":[5]},"dim":"month","parent":35},{"children":[343],"coords":{"ints":[4]},"dim":"month","parent":35},{"children":[344],"coords":{"ints":[3]},"dim":"month","parent":35},{"children":[345],"coords":{"ints":[2]},"dim":"month","parent":35},{"children":[346],"coords":{"ints":[12]},"dim":"month","parent":35},{"children":[347],"coords":{"ints":[11]},"dim":"month","parent":35},{"children":[348],"coords":{"ints":[10]},"dim":"month","parent":35},{"children":[349],"coords":{"ints":[1]},"dim":"month","parent":35},{"children":[350],"coords":{"ints":[9]},"dim":"month","parent":36},{"children":[351],"coords":{"ints":[8]},"dim":"month","parent":36},{"children":[352],"coords":{"ints":[7]},"dim":"month","parent":36},{"children":[353],"coords":{"ints":[6]},"dim":"month","parent":36},{"children":[354],"coords":{"ints":[5]},"dim":"month","parent":36},{"children":[355],"coords":{"ints":[4]},"dim":"month","parent":36},{"children":[356],"coords":{"ints":[3]},"dim":"month","parent":36},{"children":[357],"coords":{"ints":[2]},"dim":"month","parent":36},{"children":[358],"coords":{"ints":[12]},"dim":"month","parent":36},{"children":[359],"coords":{"ints":[11]},"dim":"month","parent":36},{"children":[360],"coords":{"ints":[10]},"dim":"month","parent":36},{"children":[361],"coords":{"ints":[1]},"dim":"month","parent":36},{"children":[362],"coords":{"ints":[9]},"dim":"month","parent":37},{"children":[363],"coords":{"ints":[8]},"dim":"month","parent":37},{"children":[364],"coords":{"ints":[7]},"dim":"month","parent":37},{"children":[365],"coords":{"ints":[6]},"dim":"month","parent":37},{"children":[366],"coords":{"ints":[5]},"dim":"month","parent":37},{"children":[367],"coords":{"ints":[4]},"dim":"month","parent":37},{"children":[368],"coords":{"ints":[3]},"dim":"month","parent":37},{"children":[369],"coords":{"ints":[2]},"dim":"month","parent":37},{"children":[370],"coords":{"ints":[12]},"dim":"month","parent":37},{"children":[371],"coords":{"ints":[11]},"dim":"month","parent":37},{"children":[372],"coords":{"ints":[10]},"dim":"month","parent":37},{"children":[373],"coords":{"ints":[1]},"dim":"month","parent":37},{"children":[374],"coords":{"ints":[9]},"dim":"month","parent":38},{"children":[375],"coords":{"ints":[8]},"dim":"month","parent":38},{"children":[376],"coords":{"ints":[7]},"dim":"month","parent":38},{"children":[377],"coords":{"ints":[6]},"dim":"month","parent":38},{"children":[378],"coords":{"ints":[5]},"dim":"month","parent":38},{"children":[379],"coords":{"ints":[4]},"dim":"month","parent":38},{"children":[380],"coords":{"ints":[3]},"dim":"month","parent":38},{"children":[381],"coords":{"ints":[2]},"dim":"month","parent":38},{"children":[382],"coords":{"ints":[12]},"dim":"month","parent":38},{"children":[383],"coords":{"ints":[11]},"dim":"month","parent":38},{"children":[384],"coords":{"ints":[10]},"dim":"month","parent":38},{"children":[385],"coords":{"ints":[1]},"dim":"month","parent":38},{"children":[386],"coords":{"ints":[9]},"dim":"month","parent":39},{"children":[387],"coords":{"ints":[8]},"dim":"month","parent":39},{"children":[388],"coords":{"ints":[7]},"dim":"month","parent":39},{"children":[389],"coords":{"ints":[6]},"dim":"month","parent":39},{"children":[390],"coords":{"ints":[5]},"dim":"month","parent":39},{"children":[391],"coords":{"ints":[4]},"dim":"month","parent":39},{"children":[392],"coords":{"ints":[3]},"dim":"month","parent":39},{"children":[393],"coords":{"ints":[2]},"dim":"month","parent":39},{"children":[394],"coords":{"ints":[12]},"dim":"month","parent":39},{"children":[395],"coords":{"ints":[11]},"dim":"month","parent":39},{"children":[396],"coords":{"ints":[10]},"dim":"month","parent":39},{"children":[397],"coords":{"ints":[1]},"dim":"month","parent":39},{"children":[398],"coords":{"ints":[9]},"dim":"month","parent":40},{"children":[399],"coords":{"ints":[8]},"dim":"month","parent":40},{"children":[400],"coords":{"ints":[7]},"dim":"month","parent":40},{"children":[401],"coords":{"ints":[6]},"dim":"month","parent":40},{"children":[402],"coords":{"ints":[5]},"dim":"month","parent":40},{"children":[403],"coords":{"ints":[4]},"dim":"month","parent":40},{"children":[404],"coords":{"ints":[3]},"dim":"month","parent":40},{"children":[405],"coords":{"ints":[2]},"dim":"month","parent":40},{"children":[406],"coords":{"ints":[12]},"dim":"month","parent":40},{"children":[407],"coords":{"ints":[11]},"dim":"month","parent":40},{"children":[408],"coords":{"ints":[10]},"dim":"month","parent":40},{"children":[409],"coords":{"ints":[1]},"dim":"month","parent":40},{"children":[410],"coords":{"ints":[9]},"dim":"month","parent":41},{"children":[411],"coords":{"ints":[8]},"dim":"month","parent":41},{"children":[412],"coords":{"ints":[7]},"dim":"month","parent":41},{"children":[413],"coords":{"ints":[6]},"dim":"month","parent":41},{"children":[414],"coords":{"ints":[5]},"dim":"month","parent":41},{"children":[415],"coords":{"ints":[4]},"dim":"month","parent":41},{"children":[416],"coords":{"ints":[3]},"dim":"month","parent":41},{"children":[417],"coords":{"ints":[2]},"dim":"month","parent":41},{"children":[418],"coords":{"ints":[12]},"dim":"month","parent":41},{"children":[419],"coords":{"ints":[11]},"dim":"month","parent":41},{"children":[420],"coords":{"ints":[10]},"dim":"month","parent":41},{"children":[421],"coords":{"ints":[1]},"dim":"month","parent":41},{"children":[422],"coords":{"ints":[9]},"dim":"month","parent":42},{"children":[423],"coords":{"ints":[8]},"dim":"month","parent":42},{"children":[424],"coords":{"ints":[7]},"dim":"month","parent":42},{"children":[425],"coords":{"ints":[6]},"dim":"month","parent":42},{"children":[426],"coords":{"ints":[5]},"dim":"month","parent":42},{"children":[427],"coords":{"ints":[4]},"dim":"month","parent":42},{"children":[428],"coords":{"ints":[3]},"dim":"month","parent":42},{"children":[429],"coords":{"ints":[2]},"dim":"month","parent":42},{"children":[430],"coords":{"ints":[12]},"dim":"month","parent":42},{"children":[431],"coords":{"ints":[11]},"dim":"month","parent":42},{"children":[432],"coords":{"ints":[10]},"dim":"month","parent":42},{"children":[433],"coords":{"ints":[1]},"dim":"month","parent":42},{"children":[434],"coords":{"ints":[9]},"dim":"month","parent":43},{"children":[435],"coords":{"ints":[8]},"dim":"month","parent":43},{"children":[436],"coords":{"ints":[7]},"dim":"month","parent":43},{"children":[437],"coords":{"ints":[6]},"dim":"month","parent":43},{"children":[438],"coords":{"ints":[5]},"dim":"month","parent":43},{"children":[439],"coords":{"ints":[4]},"dim":"month","parent":43},{"children":[440],"coords":{"ints":[3]},"dim":"month","parent":43},{"children":[441],"coords":{"ints":[2]},"dim":"month","parent":43},{"children":[442],"coords":{"ints":[12]},"dim":"month","parent":43},{"children":[443],"coords":{"ints":[11]},"dim":"month","parent":43},{"children":[444],"coords":{"ints":[10]},"dim":"month","parent":43},{"children":[445],"coords":{"ints":[1]},"dim":"month","parent":43},{"children":[446],"coords":{"ints":[9]},"dim":"month","parent":44},{"children":[447],"coords":{"ints":[8]},"dim":"month","parent":44},{"children":[448],"coords":{"ints":[7]},"dim":"month","parent":44},{"children":[449],"coords":{"ints":[6]},"dim":"month","parent":44},{"children":[450],"coords":{"ints":[5]},"dim":"month","parent":44},{"children":[451],"coords":{"ints":[4]},"dim":"month","parent":44},{"children":[452],"coords":{"ints":[3]},"dim":"month","parent":44},{"children":[453],"coords":{"ints":[2]},"dim":"month","parent":44},{"children":[454],"coords":{"ints":[12]},"dim":"month","parent":44},{"children":[455],"coords":{"ints":[11]},"dim":"month","parent":44},{"children":[456],"coords":{"ints":[10]},"dim":"month","parent":44},{"children":[457],"coords":{"ints":[1]},"dim":"month","parent":44},{"children":[458],"coords":{"ints":[4]},"dim":"month","parent":45},{"children":[459],"coords":{"ints":[3]},"dim":"month","parent":45},{"children":[460],"coords":{"ints":[2]},"dim":"month","parent":45},{"children":[461],"coords":{"ints":[1]},"dim":"month","parent":45},{"children":[462],"coords":{"strings":["high"]},"dim":"resolution","parent":46},{"children":[463],"coords":{"strings":["high"]},"dim":"resolution","parent":47},{"children":[464],"coords":{"strings":["high"]},"dim":"resolution","parent":48},{"children":[465],"coords":{"strings":["high"]},"dim":"resolution","parent":49},{"children":[466],"coords":{"strings":["high"]},"dim":"resolution","parent":50},{"children":[467],"coords":{"strings":["high"]},"dim":"resolution","parent":51},{"children":[468],"coords":{"strings":["high"]},"dim":"resolution","parent":52},{"children":[469],"coords":{"strings":["high"]},"dim":"resolution","parent":53},{"children":[470],"coords":{"strings":["high"]},"dim":"resolution","parent":54},{"children":[471],"coords":{"strings":["high"]},"dim":"resolution","parent":55},{"children":[472],"coords":{"strings":["high"]},"dim":"resolution","parent":56},{"children":[473],"coords":{"strings":["high"]},"dim":"resolution","parent":57},{"children":[474],"coords":{"strings":["high"]},"dim":"resolution","parent":58},{"children":[475],"coords":{"strings":["high"]},"dim":"resolution","parent":59},{"children":[476],"coords":{"strings":["high"]},"dim":"resolution","parent":60},{"children":[477],"coords":{"strings":["high"]},"dim":"resolution","parent":61},{"children":[478],"coords":{"strings":["high"]},"dim":"resolution","parent":62},{"children":[479],"coords":{"strings":["high"]},"dim":"resolution","parent":63},{"children":[480],"coords":{"strings":["high"]},"dim":"resolution","parent":64},{"children":[481],"coords":{"strings":["high"]},"dim":"resolution","parent":65},{"children":[482],"coords":{"strings":["high"]},"dim":"resolution","parent":66},{"children":[483],"coords":{"strings":["high"]},"dim":"resolution","parent":67},{"children":[484],"coords":{"strings":["high"]},"dim":"resolution","parent":68},{"children":[485],"coords":{"strings":["high"]},"dim":"resolution","parent":69},{"children":[486],"coords":{"strings":["high"]},"dim":"resolution","parent":70},{"children":[487],"coords":{"strings":["high"]},"dim":"resolution","parent":71},{"children":[488],"coords":{"strings":["high"]},"dim":"resolution","parent":72},{"children":[489],"coords":{"strings":["high"]},"dim":"resolution","parent":73},{"children":[490],"coords":{"strings":["high"]},"dim":"resolution","parent":74},{"children":[491],"coords":{"strings":["high"]},"dim":"resolution","parent":75},{"children":[492],"coords":{"strings":["high"]},"dim":"resolution","parent":76},{"children":[493],"coords":{"strings":["high"]},"dim":"resolution","parent":77},{"children":[494],"coords":{"strings":["high"]},"dim":"resolution","parent":78},{"children":[495],"coords":{"strings":["high"]},"dim":"resolution","parent":79},{"children":[496],"coords":{"strings":["high"]},"dim":"resolution","parent":80},{"children":[497],"coords":{"strings":["high"]},"dim":"resolution","parent":81},{"children":[498],"coords":{"strings":["high"]},"dim":"resolution","parent":82},{"children":[499],"coords":{"strings":["high"]},"dim":"resolution","parent":83},{"children":[500],"coords":{"strings":["high"]},"dim":"resolution","parent":84},{"children":[501],"coords":{"strings":["high"]},"dim":"resolution","parent":85},{"children":[502],"coords":{"strings":["high"]},"dim":"resolution","parent":86},{"children":[503],"coords":{"strings":["high"]},"dim":"resolution","parent":87},{"children":[504],"coords":{"strings":["high"]},"dim":"resolution","parent":88},{"children":[505],"coords":{"strings":["high"]},"dim":"resolution","parent":89},{"children":[506],"coords":{"strings":["high"]},"dim":"resolution","parent":90},{"children":[507],"coords":{"strings":["high"]},"dim":"resolution","parent":91},{"children":[508],"coords":{"strings":["high"]},"dim":"resolution","parent":92},{"children":[509],"coords":{"strings":["high"]},"dim":"resolution","parent":93},{"children":[510],"coords":{"strings":["high"]},"dim":"resolution","parent":94},{"children":[511],"coords":{"strings":["high"]},"dim":"resolution","parent":95},{"children":[512],"coords":{"strings":["high"]},"dim":"resolution","parent":96},{"children":[513],"coords":{"strings":["high"]},"dim":"resolution","parent":97},{"children":[514],"coords":{"strings":["high"]},"dim":"resolution","parent":98},{"children":[515],"coords":{"strings":["high"]},"dim":"resolution","parent":99},{"children":[516],"coords":{"strings":["high"]},"dim":"resolution","parent":100},{"children":[517],"coords":{"strings":["high"]},"dim":"resolution","parent":101},{"children":[518],"coords":{"strings":["high"]},"dim":"resolution","parent":102},{"children":[519],"coords":{"strings":["high"]},"dim":"resolution","parent":103},{"children":[520],"coords":{"strings":["high"]},"dim":"resolution","parent":104},{"children":[521],"coords":{"strings":["high"]},"dim":"resolution","parent":105},{"children":[522],"coords":{"strings":["high"]},"dim":"resolution","parent":106},{"children":[523],"coords":{"strings":["high"]},"dim":"resolution","parent":107},{"children":[524],"coords":{"strings":["high"]},"dim":"resolution","parent":108},{"children":[525],"coords":{"strings":["high"]},"dim":"resolution","parent":109},{"children":[526],"coords":{"strings":["high"]},"dim":"resolution","parent":110},{"children":[527],"coords":{"strings":["high"]},"dim":"resolution","parent":111},{"children":[528],"coords":{"strings":["high"]},"dim":"resolution","parent":112},{"children":[529],"coords":{"strings":["high"]},"dim":"resolution","parent":113},{"children":[530],"coords":{"strings":["high"]},"dim":"resolution","parent":114},{"children":[531],"coords":{"strings":["high"]},"dim":"resolution","parent":115},{"children":[532],"coords":{"strings":["high"]},"dim":"resolution","parent":116},{"children":[533],"coords":{"strings":["high"]},"dim":"resolution","parent":117},{"children":[534],"coords":{"strings":["high"]},"dim":"resolution","parent":118},{"children":[535],"coords":{"strings":["high"]},"dim":"resolution","parent":119},{"children":[536],"coords":{"strings":["high"]},"dim":"resolution","parent":120},{"children":[537],"coords":{"strings":["high"]},"dim":"resolution","parent":121},{"children":[538],"coords":{"strings":["high"]},"dim":"resolution","parent":122},{"children":[539],"coords":{"strings":["high"]},"dim":"resolution","parent":123},{"children":[540],"coords":{"strings":["high"]},"dim":"resolution","parent":124},{"children":[541],"coords":{"strings":["high"]},"dim":"resolution","parent":125},{"children":[542],"coords":{"strings":["high"]},"dim":"resolution","parent":126},{"children":[543],"coords":{"strings":["high"]},"dim":"resolution","parent":127},{"children":[544],"coords":{"strings":["high"]},"dim":"resolution","parent":128},{"children":[545],"coords":{"strings":["high"]},"dim":"resolution","parent":129},{"children":[546],"coords":{"strings":["high"]},"dim":"resolution","parent":130},{"children":[547],"coords":{"strings":["high"]},"dim":"resolution","parent":131},{"children":[548],"coords":{"strings":["high"]},"dim":"resolution","parent":132},{"children":[549],"coords":{"strings":["high"]},"dim":"resolution","parent":133},{"children":[550],"coords":{"strings":["high"]},"dim":"resolution","parent":134},{"children":[551],"coords":{"strings":["high"]},"dim":"resolution","parent":135},{"children":[552],"coords":{"strings":["high"]},"dim":"resolution","parent":136},{"children":[553],"coords":{"strings":["high"]},"dim":"resolution","parent":137},{"children":[554],"coords":{"strings":["high"]},"dim":"resolution","parent":138},{"children":[555],"coords":{"strings":["high"]},"dim":"resolution","parent":139},{"children":[556],"coords":{"strings":["high"]},"dim":"resolution","parent":140},{"children":[557],"coords":{"strings":["high"]},"dim":"resolution","parent":141},{"children":[558],"coords":{"strings":["high"]},"dim":"resolution","parent":142},{"children":[559],"coords":{"strings":["high"]},"dim":"resolution","parent":143},{"children":[560],"coords":{"strings":["high"]},"dim":"resolution","parent":144},{"children":[561],"coords":{"strings":["high"]},"dim":"resolution","parent":145},{"children":[562],"coords":{"strings":["high"]},"dim":"resolution","parent":146},{"children":[563],"coords":{"strings":["high"]},"dim":"resolution","parent":147},{"children":[564],"coords":{"strings":["high"]},"dim":"resolution","parent":148},{"children":[565],"coords":{"strings":["high"]},"dim":"resolution","parent":149},{"children":[566],"coords":{"strings":["high"]},"dim":"resolution","parent":150},{"children":[567],"coords":{"strings":["high"]},"dim":"resolution","parent":151},{"children":[568],"coords":{"strings":["high"]},"dim":"resolution","parent":152},{"children":[569],"coords":{"strings":["high"]},"dim":"resolution","parent":153},{"children":[570],"coords":{"strings":["high"]},"dim":"resolution","parent":154},{"children":[571],"coords":{"strings":["high"]},"dim":"resolution","parent":155},{"children":[572],"coords":{"strings":["high"]},"dim":"resolution","parent":156},{"children":[573],"coords":{"strings":["high"]},"dim":"resolution","parent":157},{"children":[574],"coords":{"strings":["high"]},"dim":"resolution","parent":158},{"children":[575],"coords":{"strings":["high"]},"dim":"resolution","parent":159},{"children":[576],"coords":{"strings":["high"]},"dim":"resolution","parent":160},{"children":[577],"coords":{"strings":["high"]},"dim":"resolution","parent":161},{"children":[578],"coords":{"strings":["high"]},"dim":"resolution","parent":162},{"children":[579],"coords":{"strings":["high"]},"dim":"resolution","parent":163},{"children":[580],"coords":{"strings":["high"]},"dim":"resolution","parent":164},{"children":[581],"coords":{"strings":["high"]},"dim":"resolution","parent":165},{"children":[582],"coords":{"strings":["high"]},"dim":"resolution","parent":166},{"children":[583],"coords":{"strings":["high"]},"dim":"resolution","parent":167},{"children":[584],"coords":{"strings":["high"]},"dim":"resolution","parent":168},{"children":[585],"coords":{"strings":["high"]},"dim":"resolution","parent":169},{"children":[586],"coords":{"strings":["high"]},"dim":"resolution","parent":170},{"children":[587],"coords":{"strings":["high"]},"dim":"resolution","parent":171},{"children":[588],"coords":{"strings":["high"]},"dim":"resolution","parent":172},{"children":[589],"coords":{"strings":["high"]},"dim":"resolution","parent":173},{"children":[590],"coords":{"strings":["high"]},"dim":"resolution","parent":174},{"children":[591],"coords":{"strings":["high"]},"dim":"resolution","parent":175},{"children":[592],"coords":{"strings":["high"]},"dim":"resolution","parent":176},{"children":[593],"coords":{"strings":["high"]},"dim":"resolution","parent":177},{"children":[594],"coords":{"strings":["high"]},"dim":"resolution","parent":178},{"children":[595],"coords":{"strings":["high"]},"dim":"resolution","parent":179},{"children":[596],"coords":{"strings":["high"]},"dim":"resolution","parent":180},{"children":[597],"coords":{"strings":["high"]},"dim":"resolution","parent":181},{"children":[598],"coords":{"strings":["high"]},"dim":"resolution","parent":182},{"children":[599],"coords":{"strings":["high"]},"dim":"resolution","parent":183},{"children":[600],"coords":{"strings":["high"]},"dim":"resolution","parent":184},{"children":[601],"coords":{"strings":["high"]},"dim":"resolution","parent":185},{"children":[602],"coords":{"strings":["high"]},"dim":"resolution","parent":186},{"children":[603],"coords":{"strings":["high"]},"dim":"resolution","parent":187},{"children":[604],"coords":{"strings":["high"]},"dim":"resolution","parent":188},{"children":[605],"coords":{"strings":["high"]},"dim":"resolution","parent":189},{"children":[606],"coords":{"strings":["high"]},"dim":"resolution","parent":190},{"children":[607],"coords":{"strings":["high"]},"dim":"resolution","parent":191},{"children":[608],"coords":{"strings":["high"]},"dim":"resolution","parent":192},{"children":[609],"coords":{"strings":["high"]},"dim":"resolution","parent":193},{"children":[610],"coords":{"strings":["high"]},"dim":"resolution","parent":194},{"children":[611],"coords":{"strings":["high"]},"dim":"resolution","parent":195},{"children":[612],"coords":{"strings":["high"]},"dim":"resolution","parent":196},{"children":[613],"coords":{"strings":["high"]},"dim":"resolution","parent":197},{"children":[614],"coords":{"strings":["high"]},"dim":"resolution","parent":198},{"children":[615],"coords":{"strings":["high"]},"dim":"resolution","parent":199},{"children":[616],"coords":{"strings":["high"]},"dim":"resolution","parent":200},{"children":[617],"coords":{"strings":["high"]},"dim":"resolution","parent":201},{"children":[618],"coords":{"strings":["high"]},"dim":"resolution","parent":202},{"children":[619],"coords":{"strings":["high"]},"dim":"resolution","parent":203},{"children":[620],"coords":{"strings":["high"]},"dim":"resolution","parent":204},{"children":[621],"coords":{"strings":["high"]},"dim":"resolution","parent":205},{"children":[622],"coords":{"strings":["high"]},"dim":"resolution","parent":206},{"children":[623],"coords":{"strings":["high"]},"dim":"resolution","parent":207},{"children":[624],"coords":{"strings":["high"]},"dim":"resolution","parent":208},{"children":[625],"coords":{"strings":["high"]},"dim":"resolution","parent":209},{"children":[626],"coords":{"strings":["high"]},"dim":"resolution","parent":210},{"children":[627],"coords":{"strings":["high"]},"dim":"resolution","parent":211},{"children":[628],"coords":{"strings":["high"]},"dim":"resolution","parent":212},{"children":[629],"coords":{"strings":["high"]},"dim":"resolution","parent":213},{"children":[630],"coords":{"strings":["high"]},"dim":"resolution","parent":214},{"children":[631],"coords":{"strings":["high"]},"dim":"resolution","parent":215},{"children":[632],"coords":{"strings":["high"]},"dim":"resolution","parent":216},{"children":[633],"coords":{"strings":["high"]},"dim":"resolution","parent":217},{"children":[634],"coords":{"strings":["high"]},"dim":"resolution","parent":218},{"children":[635],"coords":{"strings":["high"]},"dim":"resolution","parent":219},{"children":[636],"coords":{"strings":["high"]},"dim":"resolution","parent":220},{"children":[637],"coords":{"strings":["high"]},"dim":"resolution","parent":221},{"children":[638],"coords":{"strings":["high"]},"dim":"resolution","parent":222},{"children":[639],"coords":{"strings":["high"]},"dim":"resolution","parent":223},{"children":[640],"coords":{"strings":["high"]},"dim":"resolution","parent":224},{"children":[641],"coords":{"strings":["high"]},"dim":"resolution","parent":225},{"children":[642],"coords":{"strings":["high"]},"dim":"resolution","parent":226},{"children":[643],"coords":{"strings":["high"]},"dim":"resolution","parent":227},{"children":[644],"coords":{"strings":["high"]},"dim":"resolution","parent":228},{"children":[645],"coords":{"strings":["high"]},"dim":"resolution","parent":229},{"children":[646],"coords":{"strings":["high"]},"dim":"resolution","parent":230},{"children":[647],"coords":{"strings":["high"]},"dim":"resolution","parent":231},{"children":[648],"coords":{"strings":["high"]},"dim":"resolution","parent":232},{"children":[649],"coords":{"strings":["high"]},"dim":"resolution","parent":233},{"children":[650],"coords":{"strings":["high"]},"dim":"resolution","parent":234},{"children":[651],"coords":{"strings":["high"]},"dim":"resolution","parent":235},{"children":[652],"coords":{"strings":["high"]},"dim":"resolution","parent":236},{"children":[653],"coords":{"strings":["high"]},"dim":"resolution","parent":237},{"children":[654],"coords":{"strings":["high"]},"dim":"resolution","parent":238},{"children":[655],"coords":{"strings":["high"]},"dim":"resolution","parent":239},{"children":[656],"coords":{"strings":["high"]},"dim":"resolution","parent":240},{"children":[657],"coords":{"strings":["high"]},"dim":"resolution","parent":241},{"children":[658],"coords":{"strings":["high"]},"dim":"resolution","parent":242},{"children":[659],"coords":{"strings":["high"]},"dim":"resolution","parent":243},{"children":[660],"coords":{"strings":["high"]},"dim":"resolution","parent":244},{"children":[661],"coords":{"strings":["high"]},"dim":"resolution","parent":245},{"children":[662],"coords":{"strings":["high"]},"dim":"resolution","parent":246},{"children":[663],"coords":{"strings":["high"]},"dim":"resolution","parent":247},{"children":[664],"coords":{"strings":["high"]},"dim":"resolution","parent":248},{"children":[665],"coords":{"strings":["high"]},"dim":"resolution","parent":249},{"children":[666],"coords":{"strings":["high"]},"dim":"resolution","parent":250},{"children":[667],"coords":{"strings":["high"]},"dim":"resolution","parent":251},{"children":[668],"coords":{"strings":["high"]},"dim":"resolution","parent":252},{"children":[669],"coords":{"strings":["high"]},"dim":"resolution","parent":253},{"children":[670],"coords":{"strings":["fc"]},"dim":"type","parent":254},{"children":[671],"coords":{"strings":["fc"]},"dim":"type","parent":255},{"children":[672],"coords":{"strings":["fc"]},"dim":"type","parent":256},{"children":[673],"coords":{"strings":["fc"]},"dim":"type","parent":257},{"children":[674],"coords":{"strings":["fc"]},"dim":"type","parent":258},{"children":[675],"coords":{"strings":["fc"]},"dim":"type","parent":259},{"children":[676],"coords":{"strings":["fc"]},"dim":"type","parent":260},{"children":[677],"coords":{"strings":["fc"]},"dim":"type","parent":261},{"children":[678],"coords":{"strings":["fc"]},"dim":"type","parent":262},{"children":[679],"coords":{"strings":["fc"]},"dim":"type","parent":263},{"children":[680],"coords":{"strings":["fc"]},"dim":"type","parent":264},{"children":[681,682],"coords":{"strings":["fc"]},"dim":"type","parent":265},{"children":[683],"coords":{"strings":["fc"]},"dim":"type","parent":266},{"children":[684],"coords":{"strings":["fc"]},"dim":"type","parent":267},{"children":[685],"coords":{"strings":["fc"]},"dim":"type","parent":268},{"children":[686],"coords":{"strings":["fc"]},"dim":"type","parent":269},{"children":[687],"coords":{"strings":["fc"]},"dim":"type","parent":270},{"children":[688],"coords":{"strings":["fc"]},"dim":"type","parent":271},{"children":[689],"coords":{"strings":["fc"]},"dim":"type","parent":272},{"children":[690],"coords":{"strings":["fc"]},"dim":"type","parent":273},{"children":[691],"coords":{"strings":["fc"]},"dim":"type","parent":274},{"children":[692],"coords":{"strings":["fc"]},"dim":"type","parent":275},{"children":[693],"coords":{"strings":["fc"]},"dim":"type","parent":276},{"children":[694],"coords":{"strings":["fc"]},"dim":"type","parent":277},{"children":[695],"coords":{"strings":["fc"]},"dim":"type","parent":278},{"children":[696],"coords":{"strings":["fc"]},"dim":"type","parent":279},{"children":[697],"coords":{"strings":["fc"]},"dim":"type","parent":280},{"children":[698],"coords":{"strings":["fc"]},"dim":"type","parent":281},{"children":[699],"coords":{"strings":["fc"]},"dim":"type","parent":282},{"children":[700],"coords":{"strings":["fc"]},"dim":"type","parent":283},{"children":[701],"coords":{"strings":["fc"]},"dim":"type","parent":284},{"children":[702],"coords":{"strings":["fc"]},"dim":"type","parent":285},{"children":[703],"coords":{"strings":["fc"]},"dim":"type","parent":286},{"children":[704],"coords":{"strings":["fc"]},"dim":"type","parent":287},{"children":[705],"coords":{"strings":["fc"]},"dim":"type","parent":288},{"children":[706],"coords":{"strings":["fc"]},"dim":"type","parent":289},{"children":[707],"coords":{"strings":["fc"]},"dim":"type","parent":290},{"children":[708],"coords":{"strings":["fc"]},"dim":"type","parent":291},{"children":[709],"coords":{"strings":["fc"]},"dim":"type","parent":292},{"children":[710],"coords":{"strings":["fc"]},"dim":"type","parent":293},{"children":[711],"coords":{"strings":["fc"]},"dim":"type","parent":294},{"children":[712],"coords":{"strings":["fc"]},"dim":"type","parent":295},{"children":[713],"coords":{"strings":["fc"]},"dim":"type","parent":296},{"children":[714],"coords":{"strings":["fc"]},"dim":"type","parent":297},{"children":[715],"coords":{"strings":["fc"]},"dim":"type","parent":298},{"children":[716],"coords":{"strings":["fc"]},"dim":"type","parent":299},{"children":[717],"coords":{"strings":["fc"]},"dim":"type","parent":300},{"children":[718],"coords":{"strings":["fc"]},"dim":"type","parent":301},{"children":[719],"coords":{"strings":["fc"]},"dim":"type","parent":302},{"children":[720],"coords":{"strings":["fc"]},"dim":"type","parent":303},{"children":[721],"coords":{"strings":["fc"]},"dim":"type","parent":304},{"children":[722],"coords":{"strings":["fc"]},"dim":"type","parent":305},{"children":[723],"coords":{"strings":["fc"]},"dim":"type","parent":306},{"children":[724],"coords":{"strings":["fc"]},"dim":"type","parent":307},{"children":[725],"coords":{"strings":["fc"]},"dim":"type","parent":308},{"children":[726],"coords":{"strings":["fc"]},"dim":"type","parent":309},{"children":[727],"coords":{"strings":["fc"]},"dim":"type","parent":310},{"children":[728],"coords":{"strings":["fc"]},"dim":"type","parent":311},{"children":[729],"coords":{"strings":["fc"]},"dim":"type","parent":312},{"children":[730],"coords":{"strings":["fc"]},"dim":"type","parent":313},{"children":[731],"coords":{"strings":["fc"]},"dim":"type","parent":314},{"children":[732],"coords":{"strings":["fc"]},"dim":"type","parent":315},{"children":[733],"coords":{"strings":["fc"]},"dim":"type","parent":316},{"children":[734],"coords":{"strings":["fc"]},"dim":"type","parent":317},{"children":[735],"coords":{"strings":["fc"]},"dim":"type","parent":318},{"children":[736],"coords":{"strings":["fc"]},"dim":"type","parent":319},{"children":[737],"coords":{"strings":["fc"]},"dim":"type","parent":320},{"children":[738],"coords":{"strings":["fc"]},"dim":"type","parent":321},{"children":[739],"coords":{"strings":["fc"]},"dim":"type","parent":322},{"children":[740],"coords":{"strings":["fc"]},"dim":"type","parent":323},{"children":[741],"coords":{"strings":["fc"]},"dim":"type","parent":324},{"children":[742],"coords":{"strings":["fc"]},"dim":"type","parent":325},{"children":[743],"coords":{"strings":["fc"]},"dim":"type","parent":326},{"children":[744],"coords":{"strings":["fc"]},"dim":"type","parent":327},{"children":[745],"coords":{"strings":["fc"]},"dim":"type","parent":328},{"children":[746],"coords":{"strings":["fc"]},"dim":"type","parent":329},{"children":[747],"coords":{"strings":["fc"]},"dim":"type","parent":330},{"children":[748],"coords":{"strings":["fc"]},"dim":"type","parent":331},{"children":[749],"coords":{"strings":["fc"]},"dim":"type","parent":332},{"children":[750],"coords":{"strings":["fc"]},"dim":"type","parent":333},{"children":[751],"coords":{"strings":["fc"]},"dim":"type","parent":334},{"children":[752],"coords":{"strings":["fc"]},"dim":"type","parent":335},{"children":[753],"coords":{"strings":["fc"]},"dim":"type","parent":336},{"children":[754],"coords":{"strings":["fc"]},"dim":"type","parent":337},{"children":[755],"coords":{"strings":["fc"]},"dim":"type","parent":338},{"children":[756],"coords":{"strings":["fc"]},"dim":"type","parent":339},{"children":[757],"coords":{"strings":["fc"]},"dim":"type","parent":340},{"children":[758],"coords":{"strings":["fc"]},"dim":"type","parent":341},{"children":[759],"coords":{"strings":["fc"]},"dim":"type","parent":342},{"children":[760],"coords":{"strings":["fc"]},"dim":"type","parent":343},{"children":[761],"coords":{"strings":["fc"]},"dim":"type","parent":344},{"children":[762],"coords":{"strings":["fc"]},"dim":"type","parent":345},{"children":[763],"coords":{"strings":["fc"]},"dim":"type","parent":346},{"children":[764],"coords":{"strings":["fc"]},"dim":"type","parent":347},{"children":[765],"coords":{"strings":["fc"]},"dim":"type","parent":348},{"children":[766],"coords":{"strings":["fc"]},"dim":"type","parent":349},{"children":[767],"coords":{"strings":["fc"]},"dim":"type","parent":350},{"children":[768],"coords":{"strings":["fc"]},"dim":"type","parent":351},{"children":[769],"coords":{"strings":["fc"]},"dim":"type","parent":352},{"children":[770],"coords":{"strings":["fc"]},"dim":"type","parent":353},{"children":[771],"coords":{"strings":["fc"]},"dim":"type","parent":354},{"children":[772],"coords":{"strings":["fc"]},"dim":"type","parent":355},{"children":[773],"coords":{"strings":["fc"]},"dim":"type","parent":356},{"children":[774],"coords":{"strings":["fc"]},"dim":"type","parent":357},{"children":[775],"coords":{"strings":["fc"]},"dim":"type","parent":358},{"children":[776],"coords":{"strings":["fc"]},"dim":"type","parent":359},{"children":[777],"coords":{"strings":["fc"]},"dim":"type","parent":360},{"children":[778],"coords":{"strings":["fc"]},"dim":"type","parent":361},{"children":[779],"coords":{"strings":["fc"]},"dim":"type","parent":362},{"children":[780],"coords":{"strings":["fc"]},"dim":"type","parent":363},{"children":[781],"coords":{"strings":["fc"]},"dim":"type","parent":364},{"children":[782],"coords":{"strings":["fc"]},"dim":"type","parent":365},{"children":[783],"coords":{"strings":["fc"]},"dim":"type","parent":366},{"children":[784],"coords":{"strings":["fc"]},"dim":"type","parent":367},{"children":[785],"coords":{"strings":["fc"]},"dim":"type","parent":368},{"children":[786],"coords":{"strings":["fc"]},"dim":"type","parent":369},{"children":[787],"coords":{"strings":["fc"]},"dim":"type","parent":370},{"children":[788],"coords":{"strings":["fc"]},"dim":"type","parent":371},{"children":[789],"coords":{"strings":["fc"]},"dim":"type","parent":372},{"children":[790],"coords":{"strings":["fc"]},"dim":"type","parent":373},{"children":[791],"coords":{"strings":["fc"]},"dim":"type","parent":374},{"children":[792],"coords":{"strings":["fc"]},"dim":"type","parent":375},{"children":[793],"coords":{"strings":["fc"]},"dim":"type","parent":376},{"children":[794],"coords":{"strings":["fc"]},"dim":"type","parent":377},{"children":[795],"coords":{"strings":["fc"]},"dim":"type","parent":378},{"children":[796],"coords":{"strings":["fc"]},"dim":"type","parent":379},{"children":[797],"coords":{"strings":["fc"]},"dim":"type","parent":380},{"children":[798],"coords":{"strings":["fc"]},"dim":"type","parent":381},{"children":[799],"coords":{"strings":["fc"]},"dim":"type","parent":382},{"children":[800],"coords":{"strings":["fc"]},"dim":"type","parent":383},{"children":[801],"coords":{"strings":["fc"]},"dim":"type","parent":384},{"children":[802],"coords":{"strings":["fc"]},"dim":"type","parent":385},{"children":[803],"coords":{"strings":["fc"]},"dim":"type","parent":386},{"children":[804],"coords":{"strings":["fc"]},"dim":"type","parent":387},{"children":[805],"coords":{"strings":["fc"]},"dim":"type","parent":388},{"children":[806],"coords":{"strings":["fc"]},"dim":"type","parent":389},{"children":[807],"coords":{"strings":["fc"]},"dim":"type","parent":390},{"children":[808],"coords":{"strings":["fc"]},"dim":"type","parent":391},{"children":[809],"coords":{"strings":["fc"]},"dim":"type","parent":392},{"children":[810],"coords":{"strings":["fc"]},"dim":"type","parent":393},{"children":[811],"coords":{"strings":["fc"]},"dim":"type","parent":394},{"children":[812],"coords":{"strings":["fc"]},"dim":"type","parent":395},{"children":[813],"coords":{"strings":["fc"]},"dim":"type","parent":396},{"children":[814],"coords":{"strings":["fc"]},"dim":"type","parent":397},{"children":[815],"coords":{"strings":["fc"]},"dim":"type","parent":398},{"children":[816],"coords":{"strings":["fc"]},"dim":"type","parent":399},{"children":[817],"coords":{"strings":["fc"]},"dim":"type","parent":400},{"children":[818],"coords":{"strings":["fc"]},"dim":"type","parent":401},{"children":[819],"coords":{"strings":["fc"]},"dim":"type","parent":402},{"children":[820],"coords":{"strings":["fc"]},"dim":"type","parent":403},{"children":[821],"coords":{"strings":["fc"]},"dim":"type","parent":404},{"children":[822],"coords":{"strings":["fc"]},"dim":"type","parent":405},{"children":[823],"coords":{"strings":["fc"]},"dim":"type","parent":406},{"children":[824],"coords":{"strings":["fc"]},"dim":"type","parent":407},{"children":[825],"coords":{"strings":["fc"]},"dim":"type","parent":408},{"children":[826],"coords":{"strings":["fc"]},"dim":"type","parent":409},{"children":[827],"coords":{"strings":["fc"]},"dim":"type","parent":410},{"children":[828],"coords":{"strings":["fc"]},"dim":"type","parent":411},{"children":[829],"coords":{"strings":["fc"]},"dim":"type","parent":412},{"children":[830],"coords":{"strings":["fc"]},"dim":"type","parent":413},{"children":[831],"coords":{"strings":["fc"]},"dim":"type","parent":414},{"children":[832],"coords":{"strings":["fc"]},"dim":"type","parent":415},{"children":[833],"coords":{"strings":["fc"]},"dim":"type","parent":416},{"children":[834],"coords":{"strings":["fc"]},"dim":"type","parent":417},{"children":[835],"coords":{"strings":["fc"]},"dim":"type","parent":418},{"children":[836],"coords":{"strings":["fc"]},"dim":"type","parent":419},{"children":[837],"coords":{"strings":["fc"]},"dim":"type","parent":420},{"children":[838],"coords":{"strings":["fc"]},"dim":"type","parent":421},{"children":[839],"coords":{"strings":["fc"]},"dim":"type","parent":422},{"children":[840],"coords":{"strings":["fc"]},"dim":"type","parent":423},{"children":[841],"coords":{"strings":["fc"]},"dim":"type","parent":424},{"children":[842],"coords":{"strings":["fc"]},"dim":"type","parent":425},{"children":[843],"coords":{"strings":["fc"]},"dim":"type","parent":426},{"children":[844],"coords":{"strings":["fc"]},"dim":"type","parent":427},{"children":[845],"coords":{"strings":["fc"]},"dim":"type","parent":428},{"children":[846],"coords":{"strings":["fc"]},"dim":"type","parent":429},{"children":[847],"coords":{"strings":["fc"]},"dim":"type","parent":430},{"children":[848],"coords":{"strings":["fc"]},"dim":"type","parent":431},{"children":[849],"coords":{"strings":["fc"]},"dim":"type","parent":432},{"children":[850],"coords":{"strings":["fc"]},"dim":"type","parent":433},{"children":[851],"coords":{"strings":["fc"]},"dim":"type","parent":434},{"children":[852],"coords":{"strings":["fc"]},"dim":"type","parent":435},{"children":[853],"coords":{"strings":["fc"]},"dim":"type","parent":436},{"children":[854],"coords":{"strings":["fc"]},"dim":"type","parent":437},{"children":[855],"coords":{"strings":["fc"]},"dim":"type","parent":438},{"children":[856],"coords":{"strings":["fc"]},"dim":"type","parent":439},{"children":[857],"coords":{"strings":["fc"]},"dim":"type","parent":440},{"children":[858],"coords":{"strings":["fc"]},"dim":"type","parent":441},{"children":[859],"coords":{"strings":["fc"]},"dim":"type","parent":442},{"children":[860],"coords":{"strings":["fc"]},"dim":"type","parent":443},{"children":[861],"coords":{"strings":["fc"]},"dim":"type","parent":444},{"children":[862],"coords":{"strings":["fc"]},"dim":"type","parent":445},{"children":[863],"coords":{"strings":["fc"]},"dim":"type","parent":446},{"children":[864],"coords":{"strings":["fc"]},"dim":"type","parent":447},{"children":[865],"coords":{"strings":["fc"]},"dim":"type","parent":448},{"children":[866],"coords":{"strings":["fc"]},"dim":"type","parent":449},{"children":[867],"coords":{"strings":["fc"]},"dim":"type","parent":450},{"children":[868],"coords":{"strings":["fc"]},"dim":"type","parent":451},{"children":[869],"coords":{"strings":["fc"]},"dim":"type","parent":452},{"children":[870],"coords":{"strings":["fc"]},"dim":"type","parent":453},{"children":[871],"coords":{"strings":["fc"]},"dim":"type","parent":454},{"children":[872],"coords":{"strings":["fc"]},"dim":"type","parent":455},{"children":[873],"coords":{"strings":["fc"]},"dim":"type","parent":456},{"children":[874],"coords":{"strings":["fc"]},"dim":"type","parent":457},{"children":[875],"coords":{"strings":["fc"]},"dim":"type","parent":458},{"children":[876],"coords":{"strings":["fc"]},"dim":"type","parent":459},{"children":[877],"coords":{"strings":["fc"]},"dim":"type","parent":460},{"children":[878],"coords":{"strings":["fc"]},"dim":"type","parent":461},{"children":[879,880],"coords":{"ints":[19900901,19900902,19900903,19900904,19900905,19900906,19900907,19900908,19900909,19900910,19900911,19900912,19900913,19900914,19900915,19900916,19900917,19900918,19900919,19900920,19900921,19900922,19900923,19900924,19900925,19900926,19900927,19900928,19900929,19900930]},"dim":"date","parent":462},{"children":[881,882],"coords":{"ints":[19900801,19900802,19900803,19900804,19900805,19900806,19900807,19900808,19900809,19900810,19900811,19900812,19900813,19900814,19900815,19900816,19900817,19900818,19900819,19900820,19900821,19900822,19900823,19900824,19900825,19900826,19900827,19900828,19900829,19900830,19900831]},"dim":"date","parent":463},{"children":[883,884],"coords":{"ints":[19900701,19900702,19900703,19900704,19900705,19900706,19900707,19900708,19900709,19900710,19900711,19900712,19900713,19900714,19900715,19900716,19900717,19900718,19900719,19900720,19900721,19900722,19900723,19900724,19900725,19900726,19900727,19900728,19900729,19900730,19900731]},"dim":"date","parent":464},{"children":[885,886],"coords":{"ints":[19900601,19900602,19900603,19900604,19900605,19900606,19900607,19900608,19900609,19900610,19900611,19900612,19900613,19900614,19900615,19900616,19900617,19900618,19900619,19900620,19900621,19900622,19900623,19900624,19900625,19900626,19900627,19900628,19900629,19900630]},"dim":"date","parent":465},{"children":[887,888],"coords":{"ints":[19900501,19900502,19900503,19900504,19900505,19900506,19900507,19900508,19900509,19900510,19900511,19900512,19900513,19900514,19900515,19900516,19900517,19900518,19900519,19900520,19900521,19900522,19900523,19900524,19900525,19900526,19900527,19900528,19900529,19900530,19900531]},"dim":"date","parent":466},{"children":[889,890],"coords":{"ints":[19900401,19900402,19900403,19900404,19900405,19900406,19900407,19900408,19900409,19900410,19900411,19900412,19900413,19900414,19900415,19900416,19900417,19900418,19900419,19900420,19900421,19900422,19900423,19900424,19900425,19900426,19900427,19900428,19900429,19900430]},"dim":"date","parent":467},{"children":[891,892],"coords":{"ints":[19900301,19900302,19900303,19900304,19900305,19900306,19900307,19900308,19900309,19900310,19900311,19900312,19900313,19900314,19900315,19900316,19900317,19900318,19900319,19900320,19900321,19900322,19900323,19900324,19900325,19900326,19900327,19900328,19900329,19900330,19900331]},"dim":"date","parent":468},{"children":[893,894],"coords":{"ints":[19900201,19900202,19900203,19900204,19900205,19900206,19900207,19900208,19900209,19900210,19900211,19900212,19900213,19900214,19900215,19900216,19900217,19900218,19900219,19900220,19900221,19900222,19900223,19900224,19900225,19900226,19900227,19900228]},"dim":"date","parent":469},{"children":[895,896],"coords":{"ints":[19901201,19901202,19901203,19901204,19901205,19901206,19901207,19901208,19901209,19901210,19901211,19901212,19901213,19901214,19901215,19901216,19901217,19901218,19901219,19901220,19901221,19901222,19901223,19901224,19901225,19901226,19901227,19901228,19901229,19901230,19901231]},"dim":"date","parent":470},{"children":[897,898],"coords":{"ints":[19901101,19901102,19901103,19901104,19901105,19901106,19901107,19901108,19901109,19901110,19901111,19901112,19901113,19901114,19901115,19901116,19901117,19901118,19901119,19901120,19901121,19901122,19901123,19901124,19901125,19901126,19901127,19901128,19901129,19901130]},"dim":"date","parent":471},{"children":[899,900],"coords":{"ints":[19901001,19901002,19901003,19901004,19901005,19901006,19901007,19901008,19901009,19901010,19901011,19901012,19901013,19901014,19901015,19901016,19901017,19901018,19901019,19901020,19901021,19901022,19901023,19901024,19901025,19901026,19901027,19901028,19901029,19901030,19901031]},"dim":"date","parent":472},{"children":[901],"coords":{"ints":[19900101]},"dim":"date","parent":473},{"children":[902,903],"coords":{"ints":[19900102,19900103,19900104,19900105,19900106,19900107,19900108,19900109,19900110,19900111,19900112,19900113,19900114,19900115,19900116,19900117,19900118,19900119,19900120,19900121,19900122,19900123,19900124,19900125,19900126,19900127,19900128,19900129,19900130,19900131]},"dim":"date","parent":473},{"children":[904,905],"coords":{"ints":[19910901,19910902,19910903,19910904,19910905,19910906,19910907,19910908,19910909,19910910,19910911,19910912,19910913,19910914,19910915,19910916,19910917,19910918,19910919,19910920,19910921,19910922,19910923,19910924,19910925,19910926,19910927,19910928,19910929,19910930]},"dim":"date","parent":474},{"children":[906,907],"coords":{"ints":[19910801,19910802,19910803,19910804,19910805,19910806,19910807,19910808,19910809,19910810,19910811,19910812,19910813,19910814,19910815,19910816,19910817,19910818,19910819,19910820,19910821,19910822,19910823,19910824,19910825,19910826,19910827,19910828,19910829,19910830,19910831]},"dim":"date","parent":475},{"children":[908,909],"coords":{"ints":[19910701,19910702,19910703,19910704,19910705,19910706,19910707,19910708,19910709,19910710,19910711,19910712,19910713,19910714,19910715,19910716,19910717,19910718,19910719,19910720,19910721,19910722,19910723,19910724,19910725,19910726,19910727,19910728,19910729,19910730,19910731]},"dim":"date","parent":476},{"children":[910,911],"coords":{"ints":[19910601,19910602,19910603,19910604,19910605,19910606,19910607,19910608,19910609,19910610,19910611,19910612,19910613,19910614,19910615,19910616,19910617,19910618,19910619,19910620,19910621,19910622,19910623,19910624,19910625,19910626,19910627,19910628,19910629,19910630]},"dim":"date","parent":477},{"children":[912,913],"coords":{"ints":[19910501,19910502,19910503,19910504,19910505,19910506,19910507,19910508,19910509,19910510,19910511,19910512,19910513,19910514,19910515,19910516,19910517,19910518,19910519,19910520,19910521,19910522,19910523,19910524,19910525,19910526,19910527,19910528,19910529,19910530,19910531]},"dim":"date","parent":478},{"children":[914,915],"coords":{"ints":[19910401,19910402,19910403,19910404,19910405,19910406,19910407,19910408,19910409,19910410,19910411,19910412,19910413,19910414,19910415,19910416,19910417,19910418,19910419,19910420,19910421,19910422,19910423,19910424,19910425,19910426,19910427,19910428,19910429,19910430]},"dim":"date","parent":479},{"children":[916,917],"coords":{"ints":[19910301,19910302,19910303,19910304,19910305,19910306,19910307,19910308,19910309,19910310,19910311,19910312,19910313,19910314,19910315,19910316,19910317,19910318,19910319,19910320,19910321,19910322,19910323,19910324,19910325,19910326,19910327,19910328,19910329,19910330,19910331]},"dim":"date","parent":480},{"children":[918,919],"coords":{"ints":[19910201,19910202,19910203,19910204,19910205,19910206,19910207,19910208,19910209,19910210,19910211,19910212,19910213,19910214,19910215,19910216,19910217,19910218,19910219,19910220,19910221,19910222,19910223,19910224,19910225,19910226,19910227,19910228]},"dim":"date","parent":481},{"children":[920,921],"coords":{"ints":[19911201,19911202,19911203,19911204,19911205,19911206,19911207,19911208,19911209,19911210,19911211,19911212,19911213,19911214,19911215,19911216,19911217,19911218,19911219,19911220,19911221,19911222,19911223,19911224,19911225,19911226,19911227,19911228,19911229,19911230,19911231]},"dim":"date","parent":482},{"children":[922,923],"coords":{"ints":[19911101,19911102,19911103,19911104,19911105,19911106,19911107,19911108,19911109,19911110,19911111,19911112,19911113,19911114,19911115,19911116,19911117,19911118,19911119,19911120,19911121,19911122,19911123,19911124,19911125,19911126,19911127,19911128,19911129,19911130]},"dim":"date","parent":483},{"children":[924,925],"coords":{"ints":[19911001,19911002,19911003,19911004,19911005,19911006,19911007,19911008,19911009,19911010,19911011,19911012,19911013,19911014,19911015,19911016,19911017,19911018,19911019,19911020,19911021,19911022,19911023,19911024,19911025,19911026,19911027,19911028,19911029,19911030,19911031]},"dim":"date","parent":484},{"children":[926,927],"coords":{"ints":[19910101,19910102,19910103,19910104,19910105,19910106,19910107,19910108,19910109,19910110,19910111,19910112,19910113,19910114,19910115,19910116,19910117,19910118,19910119,19910120,19910121,19910122,19910123,19910124,19910125,19910126,19910127,19910128,19910129,19910130,19910131]},"dim":"date","parent":485},{"children":[928,929],"coords":{"ints":[19920901,19920902,19920903,19920904,19920905,19920906,19920907,19920908,19920909,19920910,19920911,19920912,19920913,19920914,19920915,19920916,19920917,19920918,19920919,19920920,19920921,19920922,19920923,19920924,19920925,19920926,19920927,19920928,19920929,19920930]},"dim":"date","parent":486},{"children":[930,931],"coords":{"ints":[19920801,19920802,19920803,19920804,19920805,19920806,19920807,19920808,19920809,19920810,19920811,19920812,19920813,19920814,19920815,19920816,19920817,19920818,19920819,19920820,19920821,19920822,19920823,19920824,19920825,19920826,19920827,19920828,19920829,19920830,19920831]},"dim":"date","parent":487},{"children":[932,933],"coords":{"ints":[19920701,19920702,19920703,19920704,19920705,19920706,19920707,19920708,19920709,19920710,19920711,19920712,19920713,19920714,19920715,19920716,19920717,19920718,19920719,19920720,19920721,19920722,19920723,19920724,19920725,19920726,19920727,19920728,19920729,19920730,19920731]},"dim":"date","parent":488},{"children":[934,935],"coords":{"ints":[19920601,19920602,19920603,19920604,19920605,19920606,19920607,19920608,19920609,19920610,19920611,19920612,19920613,19920614,19920615,19920616,19920617,19920618,19920619,19920620,19920621,19920622,19920623,19920624,19920625,19920626,19920627,19920628,19920629,19920630]},"dim":"date","parent":489},{"children":[936,937],"coords":{"ints":[19920501,19920502,19920503,19920504,19920505,19920506,19920507,19920508,19920509,19920510,19920511,19920512,19920513,19920514,19920515,19920516,19920517,19920518,19920519,19920520,19920521,19920522,19920523,19920524,19920525,19920526,19920527,19920528,19920529,19920530,19920531]},"dim":"date","parent":490},{"children":[938,939],"coords":{"ints":[19920401,19920402,19920403,19920404,19920405,19920406,19920407,19920408,19920409,19920410,19920411,19920412,19920413,19920414,19920415,19920416,19920417,19920418,19920419,19920420,19920421,19920422,19920423,19920424,19920425,19920426,19920427,19920428,19920429,19920430]},"dim":"date","parent":491},{"children":[940,941],"coords":{"ints":[19920301,19920302,19920303,19920304,19920305,19920306,19920307,19920308,19920309,19920310,19920311,19920312,19920313,19920314,19920315,19920316,19920317,19920318,19920319,19920320,19920321,19920322,19920323,19920324,19920325,19920326,19920327,19920328,19920329,19920330,19920331]},"dim":"date","parent":492},{"children":[942,943],"coords":{"ints":[19920201,19920202,19920203,19920204,19920205,19920206,19920207,19920208,19920209,19920210,19920211,19920212,19920213,19920214,19920215,19920216,19920217,19920218,19920219,19920220,19920221,19920222,19920223,19920224,19920225,19920226,19920227,19920228,19920229]},"dim":"date","parent":493},{"children":[944,945],"coords":{"ints":[19921201,19921202,19921203,19921204,19921205,19921206,19921207,19921208,19921209,19921210,19921211,19921212,19921213,19921214,19921215,19921216,19921217,19921218,19921219,19921220,19921221,19921222,19921223,19921224,19921225,19921226,19921227,19921228,19921229,19921230,19921231]},"dim":"date","parent":494},{"children":[946,947],"coords":{"ints":[19921101,19921102,19921103,19921104,19921105,19921106,19921107,19921108,19921109,19921110,19921111,19921112,19921113,19921114,19921115,19921116,19921117,19921118,19921119,19921120,19921121,19921122,19921123,19921124,19921125,19921126,19921127,19921128,19921129,19921130]},"dim":"date","parent":495},{"children":[948,949],"coords":{"ints":[19921001,19921002,19921003,19921004,19921005,19921006,19921007,19921008,19921009,19921010,19921011,19921012,19921013,19921014,19921015,19921016,19921017,19921018,19921019,19921020,19921021,19921022,19921023,19921024,19921025,19921026,19921027,19921028,19921029,19921030,19921031]},"dim":"date","parent":496},{"children":[950,951],"coords":{"ints":[19920101,19920102,19920103,19920104,19920105,19920106,19920107,19920108,19920109,19920110,19920111,19920112,19920113,19920114,19920115,19920116,19920117,19920118,19920119,19920120,19920121,19920122,19920123,19920124,19920125,19920126,19920127,19920128,19920129,19920130,19920131]},"dim":"date","parent":497},{"children":[952,953],"coords":{"ints":[19930901,19930902,19930903,19930904,19930905,19930906,19930907,19930908,19930909,19930910,19930911,19930912,19930913,19930914,19930915,19930916,19930917,19930918,19930919,19930920,19930921,19930922,19930923,19930924,19930925,19930926,19930927,19930928,19930929,19930930]},"dim":"date","parent":498},{"children":[954,955],"coords":{"ints":[19930801,19930802,19930803,19930804,19930805,19930806,19930807,19930808,19930809,19930810,19930811,19930812,19930813,19930814,19930815,19930816,19930817,19930818,19930819,19930820,19930821,19930822,19930823,19930824,19930825,19930826,19930827,19930828,19930829,19930830,19930831]},"dim":"date","parent":499},{"children":[956,957],"coords":{"ints":[19930701,19930702,19930703,19930704,19930705,19930706,19930707,19930708,19930709,19930710,19930711,19930712,19930713,19930714,19930715,19930716,19930717,19930718,19930719,19930720,19930721,19930722,19930723,19930724,19930725,19930726,19930727,19930728,19930729,19930730,19930731]},"dim":"date","parent":500},{"children":[958,959],"coords":{"ints":[19930601,19930602,19930603,19930604,19930605,19930606,19930607,19930608,19930609,19930610,19930611,19930612,19930613,19930614,19930615,19930616,19930617,19930618,19930619,19930620,19930621,19930622,19930623,19930624,19930625,19930626,19930627,19930628,19930629,19930630]},"dim":"date","parent":501},{"children":[960,961],"coords":{"ints":[19930501,19930502,19930503,19930504,19930505,19930506,19930507,19930508,19930509,19930510,19930511,19930512,19930513,19930514,19930515,19930516,19930517,19930518,19930519,19930520,19930521,19930522,19930523,19930524,19930525,19930526,19930527,19930528,19930529,19930530,19930531]},"dim":"date","parent":502},{"children":[962,963],"coords":{"ints":[19930401,19930402,19930403,19930404,19930405,19930406,19930407,19930408,19930409,19930410,19930411,19930412,19930413,19930414,19930415,19930416,19930417,19930418,19930419,19930420,19930421,19930422,19930423,19930424,19930425,19930426,19930427,19930428,19930429,19930430]},"dim":"date","parent":503},{"children":[964,965],"coords":{"ints":[19930301,19930302,19930303,19930304,19930305,19930306,19930307,19930308,19930309,19930310,19930311,19930312,19930313,19930314,19930315,19930316,19930317,19930318,19930319,19930320,19930321,19930322,19930323,19930324,19930325,19930326,19930327,19930328,19930329,19930330,19930331]},"dim":"date","parent":504},{"children":[966,967],"coords":{"ints":[19930201,19930202,19930203,19930204,19930205,19930206,19930207,19930208,19930209,19930210,19930211,19930212,19930213,19930214,19930215,19930216,19930217,19930218,19930219,19930220,19930221,19930222,19930223,19930224,19930225,19930226,19930227,19930228]},"dim":"date","parent":505},{"children":[968,969],"coords":{"ints":[19931201,19931202,19931203,19931204,19931205,19931206,19931207,19931208,19931209,19931210,19931211,19931212,19931213,19931214,19931215,19931216,19931217,19931218,19931219,19931220,19931221,19931222,19931223,19931224,19931225,19931226,19931227,19931228,19931229,19931230,19931231]},"dim":"date","parent":506},{"children":[970,971],"coords":{"ints":[19931101,19931102,19931103,19931104,19931105,19931106,19931107,19931108,19931109,19931110,19931111,19931112,19931113,19931114,19931115,19931116,19931117,19931118,19931119,19931120,19931121,19931122,19931123,19931124,19931125,19931126,19931127,19931128,19931129,19931130]},"dim":"date","parent":507},{"children":[972,973],"coords":{"ints":[19931001,19931002,19931003,19931004,19931005,19931006,19931007,19931008,19931009,19931010,19931011,19931012,19931013,19931014,19931015,19931016,19931017,19931018,19931019,19931020,19931021,19931022,19931023,19931024,19931025,19931026,19931027,19931028,19931029,19931030,19931031]},"dim":"date","parent":508},{"children":[974,975],"coords":{"ints":[19930101,19930102,19930103,19930104,19930105,19930106,19930107,19930108,19930109,19930110,19930111,19930112,19930113,19930114,19930115,19930116,19930117,19930118,19930119,19930120,19930121,19930122,19930123,19930124,19930125,19930126,19930127,19930128,19930129,19930130,19930131]},"dim":"date","parent":509},{"children":[976,977],"coords":{"ints":[19940901,19940902,19940903,19940904,19940905,19940906,19940907,19940908,19940909,19940910,19940911,19940912,19940913,19940914,19940915,19940916,19940917,19940918,19940919,19940920,19940921,19940922,19940923,19940924,19940925,19940926,19940927,19940928,19940929,19940930]},"dim":"date","parent":510},{"children":[978,979],"coords":{"ints":[19940801,19940802,19940803,19940804,19940805,19940806,19940807,19940808,19940809,19940810,19940811,19940812,19940813,19940814,19940815,19940816,19940817,19940818,19940819,19940820,19940821,19940822,19940823,19940824,19940825,19940826,19940827,19940828,19940829,19940830,19940831]},"dim":"date","parent":511},{"children":[980,981],"coords":{"ints":[19940701,19940702,19940703,19940704,19940705,19940706,19940707,19940708,19940709,19940710,19940711,19940712,19940713,19940714,19940715,19940716,19940717,19940718,19940719,19940720,19940721,19940722,19940723,19940724,19940725,19940726,19940727,19940728,19940729,19940730,19940731]},"dim":"date","parent":512},{"children":[982,983],"coords":{"ints":[19940601,19940602,19940603,19940604,19940605,19940606,19940607,19940608,19940609,19940610,19940611,19940612,19940613,19940614,19940615,19940616,19940617,19940618,19940619,19940620,19940621,19940622,19940623,19940624,19940625,19940626,19940627,19940628,19940629,19940630]},"dim":"date","parent":513},{"children":[984,985],"coords":{"ints":[19940501,19940502,19940503,19940504,19940505,19940506,19940507,19940508,19940509,19940510,19940511,19940512,19940513,19940514,19940515,19940516,19940517,19940518,19940519,19940520,19940521,19940522,19940523,19940524,19940525,19940526,19940527,19940528,19940529,19940530,19940531]},"dim":"date","parent":514},{"children":[986,987],"coords":{"ints":[19940401,19940402,19940403,19940404,19940405,19940406,19940407,19940408,19940409,19940410,19940411,19940412,19940413,19940414,19940415,19940416,19940417,19940418,19940419,19940420,19940421,19940422,19940423,19940424,19940425,19940426,19940427,19940428,19940429,19940430]},"dim":"date","parent":515},{"children":[988,989],"coords":{"ints":[19940301,19940302,19940303,19940304,19940305,19940306,19940307,19940308,19940309,19940310,19940311,19940312,19940313,19940314,19940315,19940316,19940317,19940318,19940319,19940320,19940321,19940322,19940323,19940324,19940325,19940326,19940327,19940328,19940329,19940330,19940331]},"dim":"date","parent":516},{"children":[990,991],"coords":{"ints":[19940201,19940202,19940203,19940204,19940205,19940206,19940207,19940208,19940209,19940210,19940211,19940212,19940213,19940214,19940215,19940216,19940217,19940218,19940219,19940220,19940221,19940222,19940223,19940224,19940225,19940226,19940227,19940228]},"dim":"date","parent":517},{"children":[992,993],"coords":{"ints":[19941201,19941202,19941203,19941204,19941205,19941206,19941207,19941208,19941209,19941210,19941211,19941212,19941213,19941214,19941215,19941216,19941217,19941218,19941219,19941220,19941221,19941222,19941223,19941224,19941225,19941226,19941227,19941228,19941229,19941230,19941231]},"dim":"date","parent":518},{"children":[994,995],"coords":{"ints":[19941101,19941102,19941103,19941104,19941105,19941106,19941107,19941108,19941109,19941110,19941111,19941112,19941113,19941114,19941115,19941116,19941117,19941118,19941119,19941120,19941121,19941122,19941123,19941124,19941125,19941126,19941127,19941128,19941129,19941130]},"dim":"date","parent":519},{"children":[996,997],"coords":{"ints":[19941001,19941002,19941003,19941004,19941005,19941006,19941007,19941008,19941009,19941010,19941011,19941012,19941013,19941014,19941015,19941016,19941017,19941018,19941019,19941020,19941021,19941022,19941023,19941024,19941025,19941026,19941027,19941028,19941029,19941030,19941031]},"dim":"date","parent":520},{"children":[998,999],"coords":{"ints":[19940101,19940102,19940103,19940104,19940105,19940106,19940107,19940108,19940109,19940110,19940111,19940112,19940113,19940114,19940115,19940116,19940117,19940118,19940119,19940120,19940121,19940122,19940123,19940124,19940125,19940126,19940127,19940128,19940129,19940130,19940131]},"dim":"date","parent":521},{"children":[1000,1001],"coords":{"ints":[19950901,19950902,19950903,19950904,19950905,19950906,19950907,19950908,19950909,19950910,19950911,19950912,19950913,19950914,19950915,19950916,19950917,19950918,19950919,19950920,19950921,19950922,19950923,19950924,19950925,19950926,19950927,19950928,19950929,19950930]},"dim":"date","parent":522},{"children":[1002,1003],"coords":{"ints":[19950801,19950802,19950803,19950804,19950805,19950806,19950807,19950808,19950809,19950810,19950811,19950812,19950813,19950814,19950815,19950816,19950817,19950818,19950819,19950820,19950821,19950822,19950823,19950824,19950825,19950826,19950827,19950828,19950829,19950830,19950831]},"dim":"date","parent":523},{"children":[1004,1005],"coords":{"ints":[19950701,19950702,19950703,19950704,19950705,19950706,19950707,19950708,19950709,19950710,19950711,19950712,19950713,19950714,19950715,19950716,19950717,19950718,19950719,19950720,19950721,19950722,19950723,19950724,19950725,19950726,19950727,19950728,19950729,19950730,19950731]},"dim":"date","parent":524},{"children":[1006,1007],"coords":{"ints":[19950601,19950602,19950603,19950604,19950605,19950606,19950607,19950608,19950609,19950610,19950611,19950612,19950613,19950614,19950615,19950616,19950617,19950618,19950619,19950620,19950621,19950622,19950623,19950624,19950625,19950626,19950627,19950628,19950629,19950630]},"dim":"date","parent":525},{"children":[1008,1009],"coords":{"ints":[19950501,19950502,19950503,19950504,19950505,19950506,19950507,19950508,19950509,19950510,19950511,19950512,19950513,19950514,19950515,19950516,19950517,19950518,19950519,19950520,19950521,19950522,19950523,19950524,19950525,19950526,19950527,19950528,19950529,19950530,19950531]},"dim":"date","parent":526},{"children":[1010,1011],"coords":{"ints":[19950401,19950402,19950403,19950404,19950405,19950406,19950407,19950408,19950409,19950410,19950411,19950412,19950413,19950414,19950415,19950416,19950417,19950418,19950419,19950420,19950421,19950422,19950423,19950424,19950425,19950426,19950427,19950428,19950429,19950430]},"dim":"date","parent":527},{"children":[1012,1013],"coords":{"ints":[19950301,19950302,19950303,19950304,19950305,19950306,19950307,19950308,19950309,19950310,19950311,19950312,19950313,19950314,19950315,19950316,19950317,19950318,19950319,19950320,19950321,19950322,19950323,19950324,19950325,19950326,19950327,19950328,19950329,19950330,19950331]},"dim":"date","parent":528},{"children":[1014,1015],"coords":{"ints":[19950201,19950202,19950203,19950204,19950205,19950206,19950207,19950208,19950209,19950210,19950211,19950212,19950213,19950214,19950215,19950216,19950217,19950218,19950219,19950220,19950221,19950222,19950223,19950224,19950225,19950226,19950227,19950228]},"dim":"date","parent":529},{"children":[1016,1017],"coords":{"ints":[19951201,19951202,19951203,19951204,19951205,19951206,19951207,19951208,19951209,19951210,19951211,19951212,19951213,19951214,19951215,19951216,19951217,19951218,19951219,19951220,19951221,19951222,19951223,19951224,19951225,19951226,19951227,19951228,19951229,19951230,19951231]},"dim":"date","parent":530},{"children":[1018,1019],"coords":{"ints":[19951101,19951102,19951103,19951104,19951105,19951106,19951107,19951108,19951109,19951110,19951111,19951112,19951113,19951114,19951115,19951116,19951117,19951118,19951119,19951120,19951121,19951122,19951123,19951124,19951125,19951126,19951127,19951128,19951129,19951130]},"dim":"date","parent":531},{"children":[1020,1021],"coords":{"ints":[19951001,19951002,19951003,19951004,19951005,19951006,19951007,19951008,19951009,19951010,19951011,19951012,19951013,19951014,19951015,19951016,19951017,19951018,19951019,19951020,19951021,19951022,19951023,19951024,19951025,19951026,19951027,19951028,19951029,19951030,19951031]},"dim":"date","parent":532},{"children":[1022,1023],"coords":{"ints":[19950101,19950102,19950103,19950104,19950105,19950106,19950107,19950108,19950109,19950110,19950111,19950112,19950113,19950114,19950115,19950116,19950117,19950118,19950119,19950120,19950121,19950122,19950123,19950124,19950125,19950126,19950127,19950128,19950129,19950130,19950131]},"dim":"date","parent":533},{"children":[1024,1025],"coords":{"ints":[19960901,19960902,19960903,19960904,19960905,19960906,19960907,19960908,19960909,19960910,19960911,19960912,19960913,19960914,19960915,19960916,19960917,19960918,19960919,19960920,19960921,19960922,19960923,19960924,19960925,19960926,19960927,19960928,19960929,19960930]},"dim":"date","parent":534},{"children":[1026,1027],"coords":{"ints":[19960801,19960802,19960803,19960804,19960805,19960806,19960807,19960808,19960809,19960810,19960811,19960812,19960813,19960814,19960815,19960816,19960817,19960818,19960819,19960820,19960821,19960822,19960823,19960824,19960825,19960826,19960827,19960828,19960829,19960830,19960831]},"dim":"date","parent":535},{"children":[1028,1029],"coords":{"ints":[19960701,19960702,19960703,19960704,19960705,19960706,19960707,19960708,19960709,19960710,19960711,19960712,19960713,19960714,19960715,19960716,19960717,19960718,19960719,19960720,19960721,19960722,19960723,19960724,19960725,19960726,19960727,19960728,19960729,19960730,19960731]},"dim":"date","parent":536},{"children":[1030,1031],"coords":{"ints":[19960601,19960602,19960603,19960604,19960605,19960606,19960607,19960608,19960609,19960610,19960611,19960612,19960613,19960614,19960615,19960616,19960617,19960618,19960619,19960620,19960621,19960622,19960623,19960624,19960625,19960626,19960627,19960628,19960629,19960630]},"dim":"date","parent":537},{"children":[1032,1033],"coords":{"ints":[19960501,19960502,19960503,19960504,19960505,19960506,19960507,19960508,19960509,19960510,19960511,19960512,19960513,19960514,19960515,19960516,19960517,19960518,19960519,19960520,19960521,19960522,19960523,19960524,19960525,19960526,19960527,19960528,19960529,19960530,19960531]},"dim":"date","parent":538},{"children":[1034,1035],"coords":{"ints":[19960401,19960402,19960403,19960404,19960405,19960406,19960407,19960408,19960409,19960410,19960411,19960412,19960413,19960414,19960415,19960416,19960417,19960418,19960419,19960420,19960421,19960422,19960423,19960424,19960425,19960426,19960427,19960428,19960429,19960430]},"dim":"date","parent":539},{"children":[1036,1037],"coords":{"ints":[19960301,19960302,19960303,19960304,19960305,19960306,19960307,19960308,19960309,19960310,19960311,19960312,19960313,19960314,19960315,19960316,19960317,19960318,19960319,19960320,19960321,19960322,19960323,19960324,19960325,19960326,19960327,19960328,19960329,19960330,19960331]},"dim":"date","parent":540},{"children":[1038,1039],"coords":{"ints":[19960201,19960202,19960203,19960204,19960205,19960206,19960207,19960208,19960209,19960210,19960211,19960212,19960213,19960214,19960215,19960216,19960217,19960218,19960219,19960220,19960221,19960222,19960223,19960224,19960225,19960226,19960227,19960228,19960229]},"dim":"date","parent":541},{"children":[1040,1041],"coords":{"ints":[19961201,19961202,19961203,19961204,19961205,19961206,19961207,19961208,19961209,19961210,19961211,19961212,19961213,19961214,19961215,19961216,19961217,19961218,19961219,19961220,19961221,19961222,19961223,19961224,19961225,19961226,19961227,19961228,19961229,19961230,19961231]},"dim":"date","parent":542},{"children":[1042,1043],"coords":{"ints":[19961101,19961102,19961103,19961104,19961105,19961106,19961107,19961108,19961109,19961110,19961111,19961112,19961113,19961114,19961115,19961116,19961117,19961118,19961119,19961120,19961121,19961122,19961123,19961124,19961125,19961126,19961127,19961128,19961129,19961130]},"dim":"date","parent":543},{"children":[1044,1045],"coords":{"ints":[19961001,19961002,19961003,19961004,19961005,19961006,19961007,19961008,19961009,19961010,19961011,19961012,19961013,19961014,19961015,19961016,19961017,19961018,19961019,19961020,19961021,19961022,19961023,19961024,19961025,19961026,19961027,19961028,19961029,19961030,19961031]},"dim":"date","parent":544},{"children":[1046,1047],"coords":{"ints":[19960101,19960102,19960103,19960104,19960105,19960106,19960107,19960108,19960109,19960110,19960111,19960112,19960113,19960114,19960115,19960116,19960117,19960118,19960119,19960120,19960121,19960122,19960123,19960124,19960125,19960126,19960127,19960128,19960129,19960130,19960131]},"dim":"date","parent":545},{"children":[1048,1049],"coords":{"ints":[19970901,19970902,19970903,19970904,19970905,19970906,19970907,19970908,19970909,19970910,19970911,19970912,19970913,19970914,19970915,19970916,19970917,19970918,19970919,19970920,19970921,19970922,19970923,19970924,19970925,19970926,19970927,19970928,19970929,19970930]},"dim":"date","parent":546},{"children":[1050,1051],"coords":{"ints":[19970801,19970802,19970803,19970804,19970805,19970806,19970807,19970808,19970809,19970810,19970811,19970812,19970813,19970814,19970815,19970816,19970817,19970818,19970819,19970820,19970821,19970822,19970823,19970824,19970825,19970826,19970827,19970828,19970829,19970830,19970831]},"dim":"date","parent":547},{"children":[1052,1053],"coords":{"ints":[19970701,19970702,19970703,19970704,19970705,19970706,19970707,19970708,19970709,19970710,19970711,19970712,19970713,19970714,19970715,19970716,19970717,19970718,19970719,19970720,19970721,19970722,19970723,19970724,19970725,19970726,19970727,19970728,19970729,19970730,19970731]},"dim":"date","parent":548},{"children":[1054,1055],"coords":{"ints":[19970601,19970602,19970603,19970604,19970605,19970606,19970607,19970608,19970609,19970610,19970611,19970612,19970613,19970614,19970615,19970616,19970617,19970618,19970619,19970620,19970621,19970622,19970623,19970624,19970625,19970626,19970627,19970628,19970629,19970630]},"dim":"date","parent":549},{"children":[1056,1057],"coords":{"ints":[19970501,19970502,19970503,19970504,19970505,19970506,19970507,19970508,19970509,19970510,19970511,19970512,19970513,19970514,19970515,19970516,19970517,19970518,19970519,19970520,19970521,19970522,19970523,19970524,19970525,19970526,19970527,19970528,19970529,19970530,19970531]},"dim":"date","parent":550},{"children":[1058,1059],"coords":{"ints":[19970401,19970402,19970403,19970404,19970405,19970406,19970407,19970408,19970409,19970410,19970411,19970412,19970413,19970414,19970415,19970416,19970417,19970418,19970419,19970420,19970421,19970422,19970423,19970424,19970425,19970426,19970427,19970428,19970429,19970430]},"dim":"date","parent":551},{"children":[1060,1061],"coords":{"ints":[19970301,19970302,19970303,19970304,19970305,19970306,19970307,19970308,19970309,19970310,19970311,19970312,19970313,19970314,19970315,19970316,19970317,19970318,19970319,19970320,19970321,19970322,19970323,19970324,19970325,19970326,19970327,19970328,19970329,19970330,19970331]},"dim":"date","parent":552},{"children":[1062,1063],"coords":{"ints":[19970201,19970202,19970203,19970204,19970205,19970206,19970207,19970208,19970209,19970210,19970211,19970212,19970213,19970214,19970215,19970216,19970217,19970218,19970219,19970220,19970221,19970222,19970223,19970224,19970225,19970226,19970227,19970228]},"dim":"date","parent":553},{"children":[1064,1065],"coords":{"ints":[19971201,19971202,19971203,19971204,19971205,19971206,19971207,19971208,19971209,19971210,19971211,19971212,19971213,19971214,19971215,19971216,19971217,19971218,19971219,19971220,19971221,19971222,19971223,19971224,19971225,19971226,19971227,19971228,19971229,19971230,19971231]},"dim":"date","parent":554},{"children":[1066,1067],"coords":{"ints":[19971101,19971102,19971103,19971104,19971105,19971106,19971107,19971108,19971109,19971110,19971111,19971112,19971113,19971114,19971115,19971116,19971117,19971118,19971119,19971120,19971121,19971122,19971123,19971124,19971125,19971126,19971127,19971128,19971129,19971130]},"dim":"date","parent":555},{"children":[1068,1069],"coords":{"ints":[19971001,19971002,19971003,19971004,19971005,19971006,19971007,19971008,19971009,19971010,19971011,19971012,19971013,19971014,19971015,19971016,19971017,19971018,19971019,19971020,19971021,19971022,19971023,19971024,19971025,19971026,19971027,19971028,19971029,19971030,19971031]},"dim":"date","parent":556},{"children":[1070,1071],"coords":{"ints":[19970101,19970102,19970103,19970104,19970105,19970106,19970107,19970108,19970109,19970110,19970111,19970112,19970113,19970114,19970115,19970116,19970117,19970118,19970119,19970120,19970121,19970122,19970123,19970124,19970125,19970126,19970127,19970128,19970129,19970130,19970131]},"dim":"date","parent":557},{"children":[1072,1073],"coords":{"ints":[19980901,19980902,19980903,19980904,19980905,19980906,19980907,19980908,19980909,19980910,19980911,19980912,19980913,19980914,19980915,19980916,19980917,19980918,19980919,19980920,19980921,19980922,19980923,19980924,19980925,19980926,19980927,19980928,19980929,19980930]},"dim":"date","parent":558},{"children":[1074,1075],"coords":{"ints":[19980801,19980802,19980803,19980804,19980805,19980806,19980807,19980808,19980809,19980810,19980811,19980812,19980813,19980814,19980815,19980816,19980817,19980818,19980819,19980820,19980821,19980822,19980823,19980824,19980825,19980826,19980827,19980828,19980829,19980830,19980831]},"dim":"date","parent":559},{"children":[1076,1077],"coords":{"ints":[19980701,19980702,19980703,19980704,19980705,19980706,19980707,19980708,19980709,19980710,19980711,19980712,19980713,19980714,19980715,19980716,19980717,19980718,19980719,19980720,19980721,19980722,19980723,19980724,19980725,19980726,19980727,19980728,19980729,19980730,19980731]},"dim":"date","parent":560},{"children":[1078,1079],"coords":{"ints":[19980601,19980602,19980603,19980604,19980605,19980606,19980607,19980608,19980609,19980610,19980611,19980612,19980613,19980614,19980615,19980616,19980617,19980618,19980619,19980620,19980621,19980622,19980623,19980624,19980625,19980626,19980627,19980628,19980629,19980630]},"dim":"date","parent":561},{"children":[1080,1081],"coords":{"ints":[19980501,19980502,19980503,19980504,19980505,19980506,19980507,19980508,19980509,19980510,19980511,19980512,19980513,19980514,19980515,19980516,19980517,19980518,19980519,19980520,19980521,19980522,19980523,19980524,19980525,19980526,19980527,19980528,19980529,19980530,19980531]},"dim":"date","parent":562},{"children":[1082,1083],"coords":{"ints":[19980401,19980402,19980403,19980404,19980405,19980406,19980407,19980408,19980409,19980410,19980411,19980412,19980413,19980414,19980415,19980416,19980417,19980418,19980419,19980420,19980421,19980422,19980423,19980424,19980425,19980426,19980427,19980428,19980429,19980430]},"dim":"date","parent":563},{"children":[1084,1085],"coords":{"ints":[19980301,19980302,19980303,19980304,19980305,19980306,19980307,19980308,19980309,19980310,19980311,19980312,19980313,19980314,19980315,19980316,19980317,19980318,19980319,19980320,19980321,19980322,19980323,19980324,19980325,19980326,19980327,19980328,19980329,19980330,19980331]},"dim":"date","parent":564},{"children":[1086,1087],"coords":{"ints":[19980201,19980202,19980203,19980204,19980205,19980206,19980207,19980208,19980209,19980210,19980211,19980212,19980213,19980214,19980215,19980216,19980217,19980218,19980219,19980220,19980221,19980222,19980223,19980224,19980225,19980226,19980227,19980228]},"dim":"date","parent":565},{"children":[1088,1089],"coords":{"ints":[19981201,19981202,19981203,19981204,19981205,19981206,19981207,19981208,19981209,19981210,19981211,19981212,19981213,19981214,19981215,19981216,19981217,19981218,19981219,19981220,19981221,19981222,19981223,19981224,19981225,19981226,19981227,19981228,19981229,19981230,19981231]},"dim":"date","parent":566},{"children":[1090,1091],"coords":{"ints":[19981101,19981102,19981103,19981104,19981105,19981106,19981107,19981108,19981109,19981110,19981111,19981112,19981113,19981114,19981115,19981116,19981117,19981118,19981119,19981120,19981121,19981122,19981123,19981124,19981125,19981126,19981127,19981128,19981129,19981130]},"dim":"date","parent":567},{"children":[1092,1093],"coords":{"ints":[19981001,19981002,19981003,19981004,19981005,19981006,19981007,19981008,19981009,19981010,19981011,19981012,19981013,19981014,19981015,19981016,19981017,19981018,19981019,19981020,19981021,19981022,19981023,19981024,19981025,19981026,19981027,19981028,19981029,19981030,19981031]},"dim":"date","parent":568},{"children":[1094,1095],"coords":{"ints":[19980101,19980102,19980103,19980104,19980105,19980106,19980107,19980108,19980109,19980110,19980111,19980112,19980113,19980114,19980115,19980116,19980117,19980118,19980119,19980120,19980121,19980122,19980123,19980124,19980125,19980126,19980127,19980128,19980129,19980130,19980131]},"dim":"date","parent":569},{"children":[1096,1097],"coords":{"ints":[19990901,19990902,19990903,19990904,19990905,19990906,19990907,19990908,19990909,19990910,19990911,19990912,19990913,19990914,19990915,19990916,19990917,19990918,19990919,19990920,19990921,19990922,19990923,19990924,19990925,19990926,19990927,19990928,19990929,19990930]},"dim":"date","parent":570},{"children":[1098,1099],"coords":{"ints":[19990801,19990802,19990803,19990804,19990805,19990806,19990807,19990808,19990809,19990810,19990811,19990812,19990813,19990814,19990815,19990816,19990817,19990818,19990819,19990820,19990821,19990822,19990823,19990824,19990825,19990826,19990827,19990828,19990829,19990830,19990831]},"dim":"date","parent":571},{"children":[1100,1101],"coords":{"ints":[19990701,19990702,19990703,19990704,19990705,19990706,19990707,19990708,19990709,19990710,19990711,19990712,19990713,19990714,19990715,19990716,19990717,19990718,19990719,19990720,19990721,19990722,19990723,19990724,19990725,19990726,19990727,19990728,19990729,19990730,19990731]},"dim":"date","parent":572},{"children":[1102,1103],"coords":{"ints":[19990601,19990602,19990603,19990604,19990605,19990606,19990607,19990608,19990609,19990610,19990611,19990612,19990613,19990614,19990615,19990616,19990617,19990618,19990619,19990620,19990621,19990622,19990623,19990624,19990625,19990626,19990627,19990628,19990629,19990630]},"dim":"date","parent":573},{"children":[1104,1105],"coords":{"ints":[19990501,19990502,19990503,19990504,19990505,19990506,19990507,19990508,19990509,19990510,19990511,19990512,19990513,19990514,19990515,19990516,19990517,19990518,19990519,19990520,19990521,19990522,19990523,19990524,19990525,19990526,19990527,19990528,19990529,19990530,19990531]},"dim":"date","parent":574},{"children":[1106,1107],"coords":{"ints":[19990401,19990402,19990403,19990404,19990405,19990406,19990407,19990408,19990409,19990410,19990411,19990412,19990413,19990414,19990415,19990416,19990417,19990418,19990419,19990420,19990421,19990422,19990423,19990424,19990425,19990426,19990427,19990428,19990429,19990430]},"dim":"date","parent":575},{"children":[1108,1109],"coords":{"ints":[19990301,19990302,19990303,19990304,19990305,19990306,19990307,19990308,19990309,19990310,19990311,19990312,19990313,19990314,19990315,19990316,19990317,19990318,19990319,19990320,19990321,19990322,19990323,19990324,19990325,19990326,19990327,19990328,19990329,19990330,19990331]},"dim":"date","parent":576},{"children":[1110,1111],"coords":{"ints":[19990201,19990202,19990203,19990204,19990205,19990206,19990207,19990208,19990209,19990210,19990211,19990212,19990213,19990214,19990215,19990216,19990217,19990218,19990219,19990220,19990221,19990222,19990223,19990224,19990225,19990226,19990227,19990228]},"dim":"date","parent":577},{"children":[1112,1113],"coords":{"ints":[19991201,19991202,19991203,19991204,19991205,19991206,19991207,19991208,19991209,19991210,19991211,19991212,19991213,19991214,19991215,19991216,19991217,19991218,19991219,19991220,19991221,19991222,19991223,19991224,19991225,19991226,19991227,19991228,19991229,19991230,19991231]},"dim":"date","parent":578},{"children":[1114,1115],"coords":{"ints":[19991101,19991102,19991103,19991104,19991105,19991106,19991107,19991108,19991109,19991110,19991111,19991112,19991113,19991114,19991115,19991116,19991117,19991118,19991119,19991120,19991121,19991122,19991123,19991124,19991125,19991126,19991127,19991128,19991129,19991130]},"dim":"date","parent":579},{"children":[1116,1117],"coords":{"ints":[19991001,19991002,19991003,19991004,19991005,19991006,19991007,19991008,19991009,19991010,19991011,19991012,19991013,19991014,19991015,19991016,19991017,19991018,19991019,19991020,19991021,19991022,19991023,19991024,19991025,19991026,19991027,19991028,19991029,19991030,19991031]},"dim":"date","parent":580},{"children":[1118,1119],"coords":{"ints":[19990101,19990102,19990103,19990104,19990105,19990106,19990107,19990108,19990109,19990110,19990111,19990112,19990113,19990114,19990115,19990116,19990117,19990118,19990119,19990120,19990121,19990122,19990123,19990124,19990125,19990126,19990127,19990128,19990129,19990130,19990131]},"dim":"date","parent":581},{"children":[1120,1121],"coords":{"ints":[20000901,20000902,20000903,20000904,20000905,20000906,20000907,20000908,20000909,20000910,20000911,20000912,20000913,20000914,20000915,20000916,20000917,20000918,20000919,20000920,20000921,20000922,20000923,20000924,20000925,20000926,20000927,20000928,20000929,20000930]},"dim":"date","parent":582},{"children":[1122,1123],"coords":{"ints":[20000801,20000802,20000803,20000804,20000805,20000806,20000807,20000808,20000809,20000810,20000811,20000812,20000813,20000814,20000815,20000816,20000817,20000818,20000819,20000820,20000821,20000822,20000823,20000824,20000825,20000826,20000827,20000828,20000829,20000830,20000831]},"dim":"date","parent":583},{"children":[1124,1125],"coords":{"ints":[20000701,20000702,20000703,20000704,20000705,20000706,20000707,20000708,20000709,20000710,20000711,20000712,20000713,20000714,20000715,20000716,20000717,20000718,20000719,20000720,20000721,20000722,20000723,20000724,20000725,20000726,20000727,20000728,20000729,20000730,20000731]},"dim":"date","parent":584},{"children":[1126,1127],"coords":{"ints":[20000601,20000602,20000603,20000604,20000605,20000606,20000607,20000608,20000609,20000610,20000611,20000612,20000613,20000614,20000615,20000616,20000617,20000618,20000619,20000620,20000621,20000622,20000623,20000624,20000625,20000626,20000627,20000628,20000629,20000630]},"dim":"date","parent":585},{"children":[1128,1129],"coords":{"ints":[20000501,20000502,20000503,20000504,20000505,20000506,20000507,20000508,20000509,20000510,20000511,20000512,20000513,20000514,20000515,20000516,20000517,20000518,20000519,20000520,20000521,20000522,20000523,20000524,20000525,20000526,20000527,20000528,20000529,20000530,20000531]},"dim":"date","parent":586},{"children":[1130,1131],"coords":{"ints":[20000401,20000402,20000403,20000404,20000405,20000406,20000407,20000408,20000409,20000410,20000411,20000412,20000413,20000414,20000415,20000416,20000417,20000418,20000419,20000420,20000421,20000422,20000423,20000424,20000425,20000426,20000427,20000428,20000429,20000430]},"dim":"date","parent":587},{"children":[1132,1133],"coords":{"ints":[20000301,20000302,20000303,20000304,20000305,20000306,20000307,20000308,20000309,20000310,20000311,20000312,20000313,20000314,20000315,20000316,20000317,20000318,20000319,20000320,20000321,20000322,20000323,20000324,20000325,20000326,20000327,20000328,20000329,20000330,20000331]},"dim":"date","parent":588},{"children":[1134,1135],"coords":{"ints":[20000201,20000202,20000203,20000204,20000205,20000206,20000207,20000208,20000209,20000210,20000211,20000212,20000213,20000214,20000215,20000216,20000217,20000218,20000219,20000220,20000221,20000222,20000223,20000224,20000225,20000226,20000227,20000228,20000229]},"dim":"date","parent":589},{"children":[1136,1137],"coords":{"ints":[20001201,20001202,20001203,20001204,20001205,20001206,20001207,20001208,20001209,20001210,20001211,20001212,20001213,20001214,20001215,20001216,20001217,20001218,20001219,20001220,20001221,20001222,20001223,20001224,20001225,20001226,20001227,20001228,20001229,20001230,20001231]},"dim":"date","parent":590},{"children":[1138,1139],"coords":{"ints":[20001101,20001102,20001103,20001104,20001105,20001106,20001107,20001108,20001109,20001110,20001111,20001112,20001113,20001114,20001115,20001116,20001117,20001118,20001119,20001120,20001121,20001122,20001123,20001124,20001125,20001126,20001127,20001128,20001129,20001130]},"dim":"date","parent":591},{"children":[1140,1141],"coords":{"ints":[20001001,20001002,20001003,20001004,20001005,20001006,20001007,20001008,20001009,20001010,20001011,20001012,20001013,20001014,20001015,20001016,20001017,20001018,20001019,20001020,20001021,20001022,20001023,20001024,20001025,20001026,20001027,20001028,20001029,20001030,20001031]},"dim":"date","parent":592},{"children":[1142,1143],"coords":{"ints":[20000101,20000102,20000103,20000104,20000105,20000106,20000107,20000108,20000109,20000110,20000111,20000112,20000113,20000114,20000115,20000116,20000117,20000118,20000119,20000120,20000121,20000122,20000123,20000124,20000125,20000126,20000127,20000128,20000129,20000130,20000131]},"dim":"date","parent":593},{"children":[1144,1145],"coords":{"ints":[20010901,20010902,20010903,20010904,20010905,20010906,20010907,20010908,20010909,20010910,20010911,20010912,20010913,20010914,20010915,20010916,20010917,20010918,20010919,20010920,20010921,20010922,20010923,20010924,20010925,20010926,20010927,20010928,20010929,20010930]},"dim":"date","parent":594},{"children":[1146,1147],"coords":{"ints":[20010801,20010802,20010803,20010804,20010805,20010806,20010807,20010808,20010809,20010810,20010811,20010812,20010813,20010814,20010815,20010816,20010817,20010818,20010819,20010820,20010821,20010822,20010823,20010824,20010825,20010826,20010827,20010828,20010829,20010830,20010831]},"dim":"date","parent":595},{"children":[1148,1149],"coords":{"ints":[20010701,20010702,20010703,20010704,20010705,20010706,20010707,20010708,20010709,20010710,20010711,20010712,20010713,20010714,20010715,20010716,20010717,20010718,20010719,20010720,20010721,20010722,20010723,20010724,20010725,20010726,20010727,20010728,20010729,20010730,20010731]},"dim":"date","parent":596},{"children":[1150,1151],"coords":{"ints":[20010601,20010602,20010603,20010604,20010605,20010606,20010607,20010608,20010609,20010610,20010611,20010612,20010613,20010614,20010615,20010616,20010617,20010618,20010619,20010620,20010621,20010622,20010623,20010624,20010625,20010626,20010627,20010628,20010629,20010630]},"dim":"date","parent":597},{"children":[1152,1153],"coords":{"ints":[20010501,20010502,20010503,20010504,20010505,20010506,20010507,20010508,20010509,20010510,20010511,20010512,20010513,20010514,20010515,20010516,20010517,20010518,20010519,20010520,20010521,20010522,20010523,20010524,20010525,20010526,20010527,20010528,20010529,20010530,20010531]},"dim":"date","parent":598},{"children":[1154,1155],"coords":{"ints":[20010401,20010402,20010403,20010404,20010405,20010406,20010407,20010408,20010409,20010410,20010411,20010412,20010413,20010414,20010415,20010416,20010417,20010418,20010419,20010420,20010421,20010422,20010423,20010424,20010425,20010426,20010427,20010428,20010429,20010430]},"dim":"date","parent":599},{"children":[1156,1157],"coords":{"ints":[20010301,20010302,20010303,20010304,20010305,20010306,20010307,20010308,20010309,20010310,20010311,20010312,20010313,20010314,20010315,20010316,20010317,20010318,20010319,20010320,20010321,20010322,20010323,20010324,20010325,20010326,20010327,20010328,20010329,20010330,20010331]},"dim":"date","parent":600},{"children":[1158,1159],"coords":{"ints":[20010201,20010202,20010203,20010204,20010205,20010206,20010207,20010208,20010209,20010210,20010211,20010212,20010213,20010214,20010215,20010216,20010217,20010218,20010219,20010220,20010221,20010222,20010223,20010224,20010225,20010226,20010227,20010228]},"dim":"date","parent":601},{"children":[1160,1161],"coords":{"ints":[20011201,20011202,20011203,20011204,20011205,20011206,20011207,20011208,20011209,20011210,20011211,20011212,20011213,20011214,20011215,20011216,20011217,20011218,20011219,20011220,20011221,20011222,20011223,20011224,20011225,20011226,20011227,20011228,20011229,20011230,20011231]},"dim":"date","parent":602},{"children":[1162,1163],"coords":{"ints":[20011101,20011102,20011103,20011104,20011105,20011106,20011107,20011108,20011109,20011110,20011111,20011112,20011113,20011114,20011115,20011116,20011117,20011118,20011119,20011120,20011121,20011122,20011123,20011124,20011125,20011126,20011127,20011128,20011129,20011130]},"dim":"date","parent":603},{"children":[1164,1165],"coords":{"ints":[20011001,20011002,20011003,20011004,20011005,20011006,20011007,20011008,20011009,20011010,20011011,20011012,20011013,20011014,20011015,20011016,20011017,20011018,20011019,20011020,20011021,20011022,20011023,20011024,20011025,20011026,20011027,20011028,20011029,20011030,20011031]},"dim":"date","parent":604},{"children":[1166,1167],"coords":{"ints":[20010101,20010102,20010103,20010104,20010105,20010106,20010107,20010108,20010109,20010110,20010111,20010112,20010113,20010114,20010115,20010116,20010117,20010118,20010119,20010120,20010121,20010122,20010123,20010124,20010125,20010126,20010127,20010128,20010129,20010130,20010131]},"dim":"date","parent":605},{"children":[1168,1169],"coords":{"ints":[20020901,20020902,20020903,20020904,20020905,20020906,20020907,20020908,20020909,20020910,20020911,20020912,20020913,20020914,20020915,20020916,20020917,20020918,20020919,20020920,20020921,20020922,20020923,20020924,20020925,20020926,20020927,20020928,20020929,20020930]},"dim":"date","parent":606},{"children":[1170,1171],"coords":{"ints":[20020801,20020802,20020803,20020804,20020805,20020806,20020807,20020808,20020809,20020810,20020811,20020812,20020813,20020814,20020815,20020816,20020817,20020818,20020819,20020820,20020821,20020822,20020823,20020824,20020825,20020826,20020827,20020828,20020829,20020830,20020831]},"dim":"date","parent":607},{"children":[1172,1173],"coords":{"ints":[20020701,20020702,20020703,20020704,20020705,20020706,20020707,20020708,20020709,20020710,20020711,20020712,20020713,20020714,20020715,20020716,20020717,20020718,20020719,20020720,20020721,20020722,20020723,20020724,20020725,20020726,20020727,20020728,20020729,20020730,20020731]},"dim":"date","parent":608},{"children":[1174,1175],"coords":{"ints":[20020601,20020602,20020603,20020604,20020605,20020606,20020607,20020608,20020609,20020610,20020611,20020612,20020613,20020614,20020615,20020616,20020617,20020618,20020619,20020620,20020621,20020622,20020623,20020624,20020625,20020626,20020627,20020628,20020629,20020630]},"dim":"date","parent":609},{"children":[1176,1177],"coords":{"ints":[20020501,20020502,20020503,20020504,20020505,20020506,20020507,20020508,20020509,20020510,20020511,20020512,20020513,20020514,20020515,20020516,20020517,20020518,20020519,20020520,20020521,20020522,20020523,20020524,20020525,20020526,20020527,20020528,20020529,20020530,20020531]},"dim":"date","parent":610},{"children":[1178,1179],"coords":{"ints":[20020401,20020402,20020403,20020404,20020405,20020406,20020407,20020408,20020409,20020410,20020411,20020412,20020413,20020414,20020415,20020416,20020417,20020418,20020419,20020420,20020421,20020422,20020423,20020424,20020425,20020426,20020427,20020428,20020429,20020430]},"dim":"date","parent":611},{"children":[1180,1181],"coords":{"ints":[20020301,20020302,20020303,20020304,20020305,20020306,20020307,20020308,20020309,20020310,20020311,20020312,20020313,20020314,20020315,20020316,20020317,20020318,20020319,20020320,20020321,20020322,20020323,20020324,20020325,20020326,20020327,20020328,20020329,20020330,20020331]},"dim":"date","parent":612},{"children":[1182,1183],"coords":{"ints":[20020201,20020202,20020203,20020204,20020205,20020206,20020207,20020208,20020209,20020210,20020211,20020212,20020213,20020214,20020215,20020216,20020217,20020218,20020219,20020220,20020221,20020222,20020223,20020224,20020225,20020226,20020227,20020228]},"dim":"date","parent":613},{"children":[1184,1185],"coords":{"ints":[20021201,20021202,20021203,20021204,20021205,20021206,20021207,20021208,20021209,20021210,20021211,20021212,20021213,20021214,20021215,20021216,20021217,20021218,20021219,20021220,20021221,20021222,20021223,20021224,20021225,20021226,20021227,20021228,20021229,20021230,20021231]},"dim":"date","parent":614},{"children":[1186,1187],"coords":{"ints":[20021101,20021102,20021103,20021104,20021105,20021106,20021107,20021108,20021109,20021110,20021111,20021112,20021113,20021114,20021115,20021116,20021117,20021118,20021119,20021120,20021121,20021122,20021123,20021124,20021125,20021126,20021127,20021128,20021129,20021130]},"dim":"date","parent":615},{"children":[1188,1189],"coords":{"ints":[20021001,20021002,20021003,20021004,20021005,20021006,20021007,20021008,20021009,20021010,20021011,20021012,20021013,20021014,20021015,20021016,20021017,20021018,20021019,20021020,20021021,20021022,20021023,20021024,20021025,20021026,20021027,20021028,20021029,20021030,20021031]},"dim":"date","parent":616},{"children":[1190,1191],"coords":{"ints":[20020101,20020102,20020103,20020104,20020105,20020106,20020107,20020108,20020109,20020110,20020111,20020112,20020113,20020114,20020115,20020116,20020117,20020118,20020119,20020120,20020121,20020122,20020123,20020124,20020125,20020126,20020127,20020128,20020129,20020130,20020131]},"dim":"date","parent":617},{"children":[1192,1193],"coords":{"ints":[20030901,20030902,20030903,20030904,20030905,20030906,20030907,20030908,20030909,20030910,20030911,20030912,20030913,20030914,20030915,20030916,20030917,20030918,20030919,20030920,20030921,20030922,20030923,20030924,20030925,20030926,20030927,20030928,20030929,20030930]},"dim":"date","parent":618},{"children":[1194,1195],"coords":{"ints":[20030801,20030802,20030803,20030804,20030805,20030806,20030807,20030808,20030809,20030810,20030811,20030812,20030813,20030814,20030815,20030816,20030817,20030818,20030819,20030820,20030821,20030822,20030823,20030824,20030825,20030826,20030827,20030828,20030829,20030830,20030831]},"dim":"date","parent":619},{"children":[1196,1197],"coords":{"ints":[20030701,20030702,20030703,20030704,20030705,20030706,20030707,20030708,20030709,20030710,20030711,20030712,20030713,20030714,20030715,20030716,20030717,20030718,20030719,20030720,20030721,20030722,20030723,20030724,20030725,20030726,20030727,20030728,20030729,20030730,20030731]},"dim":"date","parent":620},{"children":[1198,1199],"coords":{"ints":[20030601,20030602,20030603,20030604,20030605,20030606,20030607,20030608,20030609,20030610,20030611,20030612,20030613,20030614,20030615,20030616,20030617,20030618,20030619,20030620,20030621,20030622,20030623,20030624,20030625,20030626,20030627,20030628,20030629,20030630]},"dim":"date","parent":621},{"children":[1200,1201],"coords":{"ints":[20030501,20030502,20030503,20030504,20030505,20030506,20030507,20030508,20030509,20030510,20030511,20030512,20030513,20030514,20030515,20030516,20030517,20030518,20030519,20030520,20030521,20030522,20030523,20030524,20030525,20030526,20030527,20030528,20030529,20030530,20030531]},"dim":"date","parent":622},{"children":[1202,1203],"coords":{"ints":[20030401,20030402,20030403,20030404,20030405,20030406,20030407,20030408,20030409,20030410,20030411,20030412,20030413,20030414,20030415,20030416,20030417,20030418,20030419,20030420,20030421,20030422,20030423,20030424,20030425,20030426,20030427,20030428,20030429,20030430]},"dim":"date","parent":623},{"children":[1204,1205],"coords":{"ints":[20030301,20030302,20030303,20030304,20030305,20030306,20030307,20030308,20030309,20030310,20030311,20030312,20030313,20030314,20030315,20030316,20030317,20030318,20030319,20030320,20030321,20030322,20030323,20030324,20030325,20030326,20030327,20030328,20030329,20030330,20030331]},"dim":"date","parent":624},{"children":[1206,1207],"coords":{"ints":[20030201,20030202,20030203,20030204,20030205,20030206,20030207,20030208,20030209,20030210,20030211,20030212,20030213,20030214,20030215,20030216,20030217,20030218,20030219,20030220,20030221,20030222,20030223,20030224,20030225,20030226,20030227,20030228]},"dim":"date","parent":625},{"children":[1208,1209],"coords":{"ints":[20031201,20031202,20031203,20031204,20031205,20031206,20031207,20031208,20031209,20031210,20031211,20031212,20031213,20031214,20031215,20031216,20031217,20031218,20031219,20031220,20031221,20031222,20031223,20031224,20031225,20031226,20031227,20031228,20031229,20031230,20031231]},"dim":"date","parent":626},{"children":[1210,1211],"coords":{"ints":[20031101,20031102,20031103,20031104,20031105,20031106,20031107,20031108,20031109,20031110,20031111,20031112,20031113,20031114,20031115,20031116,20031117,20031118,20031119,20031120,20031121,20031122,20031123,20031124,20031125,20031126,20031127,20031128,20031129,20031130]},"dim":"date","parent":627},{"children":[1212,1213],"coords":{"ints":[20031001,20031002,20031003,20031004,20031005,20031006,20031007,20031008,20031009,20031010,20031011,20031012,20031013,20031014,20031015,20031016,20031017,20031018,20031019,20031020,20031021,20031022,20031023,20031024,20031025,20031026,20031027,20031028,20031029,20031030,20031031]},"dim":"date","parent":628},{"children":[1214,1215],"coords":{"ints":[20030101,20030102,20030103,20030104,20030105,20030106,20030107,20030108,20030109,20030110,20030111,20030112,20030113,20030114,20030115,20030116,20030117,20030118,20030119,20030120,20030121,20030122,20030123,20030124,20030125,20030126,20030127,20030128,20030129,20030130,20030131]},"dim":"date","parent":629},{"children":[1216,1217],"coords":{"ints":[20040901,20040902,20040903,20040904,20040905,20040906,20040907,20040908,20040909,20040910,20040911,20040912,20040913,20040914,20040915,20040916,20040917,20040918,20040919,20040920,20040921,20040922,20040923,20040924,20040925,20040926,20040927,20040928,20040929,20040930]},"dim":"date","parent":630},{"children":[1218,1219],"coords":{"ints":[20040801,20040802,20040803,20040804,20040805,20040806,20040807,20040808,20040809,20040810,20040811,20040812,20040813,20040814,20040815,20040816,20040817,20040818,20040819,20040820,20040821,20040822,20040823,20040824,20040825,20040826,20040827,20040828,20040829,20040830,20040831]},"dim":"date","parent":631},{"children":[1220,1221],"coords":{"ints":[20040701,20040702,20040703,20040704,20040705,20040706,20040707,20040708,20040709,20040710,20040711,20040712,20040713,20040714,20040715,20040716,20040717,20040718,20040719,20040720,20040721,20040722,20040723,20040724,20040725,20040726,20040727,20040728,20040729,20040730,20040731]},"dim":"date","parent":632},{"children":[1222,1223],"coords":{"ints":[20040601,20040602,20040603,20040604,20040605,20040606,20040607,20040608,20040609,20040610,20040611,20040612,20040613,20040614,20040615,20040616,20040617,20040618,20040619,20040620,20040621,20040622,20040623,20040624,20040625,20040626,20040627,20040628,20040629,20040630]},"dim":"date","parent":633},{"children":[1224,1225],"coords":{"ints":[20040501,20040502,20040503,20040504,20040505,20040506,20040507,20040508,20040509,20040510,20040511,20040512,20040513,20040514,20040515,20040516,20040517,20040518,20040519,20040520,20040521,20040522,20040523,20040524,20040525,20040526,20040527,20040528,20040529,20040530,20040531]},"dim":"date","parent":634},{"children":[1226,1227],"coords":{"ints":[20040401,20040402,20040403,20040404,20040405,20040406,20040407,20040408,20040409,20040410,20040411,20040412,20040413,20040414,20040415,20040416,20040417,20040418,20040419,20040420,20040421,20040422,20040423,20040424,20040425,20040426,20040427,20040428,20040429,20040430]},"dim":"date","parent":635},{"children":[1228,1229],"coords":{"ints":[20040301,20040302,20040303,20040304,20040305,20040306,20040307,20040308,20040309,20040310,20040311,20040312,20040313,20040314,20040315,20040316,20040317,20040318,20040319,20040320,20040321,20040322,20040323,20040324,20040325,20040326,20040327,20040328,20040329,20040330,20040331]},"dim":"date","parent":636},{"children":[1230,1231],"coords":{"ints":[20040201,20040202,20040203,20040204,20040205,20040206,20040207,20040208,20040209,20040210,20040211,20040212,20040213,20040214,20040215,20040216,20040217,20040218,20040219,20040220,20040221,20040222,20040223,20040224,20040225,20040226,20040227,20040228,20040229]},"dim":"date","parent":637},{"children":[1232,1233],"coords":{"ints":[20041201,20041202,20041203,20041204,20041205,20041206,20041207,20041208,20041209,20041210,20041211,20041212,20041213,20041214,20041215,20041216,20041217,20041218,20041219,20041220,20041221,20041222,20041223,20041224,20041225,20041226,20041227,20041228,20041229,20041230,20041231]},"dim":"date","parent":638},{"children":[1234,1235],"coords":{"ints":[20041101,20041102,20041103,20041104,20041105,20041106,20041107,20041108,20041109,20041110,20041111,20041112,20041113,20041114,20041115,20041116,20041117,20041118,20041119,20041120,20041121,20041122,20041123,20041124,20041125,20041126,20041127,20041128,20041129,20041130]},"dim":"date","parent":639},{"children":[1236,1237],"coords":{"ints":[20041001,20041002,20041003,20041004,20041005,20041006,20041007,20041008,20041009,20041010,20041011,20041012,20041013,20041014,20041015,20041016,20041017,20041018,20041019,20041020,20041021,20041022,20041023,20041024,20041025,20041026,20041027,20041028,20041029,20041030,20041031]},"dim":"date","parent":640},{"children":[1238,1239],"coords":{"ints":[20040101,20040102,20040103,20040104,20040105,20040106,20040107,20040108,20040109,20040110,20040111,20040112,20040113,20040114,20040115,20040116,20040117,20040118,20040119,20040120,20040121,20040122,20040123,20040124,20040125,20040126,20040127,20040128,20040129,20040130,20040131]},"dim":"date","parent":641},{"children":[1240,1241],"coords":{"ints":[20050901,20050902,20050903,20050904,20050905,20050906,20050907,20050908,20050909,20050910,20050911,20050912,20050913,20050914,20050915,20050916,20050917,20050918,20050919,20050920,20050921,20050922,20050923,20050924,20050925,20050926,20050927,20050928,20050929,20050930]},"dim":"date","parent":642},{"children":[1242,1243],"coords":{"ints":[20050801,20050802,20050803,20050804,20050805,20050806,20050807,20050808,20050809,20050810,20050811,20050812,20050813,20050814,20050815,20050816,20050817,20050818,20050819,20050820,20050821,20050822,20050823,20050824,20050825,20050826,20050827,20050828,20050829,20050830,20050831]},"dim":"date","parent":643},{"children":[1244,1245],"coords":{"ints":[20050701,20050702,20050703,20050704,20050705,20050706,20050707,20050708,20050709,20050710,20050711,20050712,20050713,20050714,20050715,20050716,20050717,20050718,20050719,20050720,20050721,20050722,20050723,20050724,20050725,20050726,20050727,20050728,20050729,20050730,20050731]},"dim":"date","parent":644},{"children":[1246,1247],"coords":{"ints":[20050601,20050602,20050603,20050604,20050605,20050606,20050607,20050608,20050609,20050610,20050611,20050612,20050613,20050614,20050615,20050616,20050617,20050618,20050619,20050620,20050621,20050622,20050623,20050624,20050625,20050626,20050627,20050628,20050629,20050630]},"dim":"date","parent":645},{"children":[1248,1249],"coords":{"ints":[20050501,20050502,20050503,20050504,20050505,20050506,20050507,20050508,20050509,20050510,20050511,20050512,20050513,20050514,20050515,20050516,20050517,20050518,20050519,20050520,20050521,20050522,20050523,20050524,20050525,20050526,20050527,20050528,20050529,20050530,20050531]},"dim":"date","parent":646},{"children":[1250,1251],"coords":{"ints":[20050401,20050402,20050403,20050404,20050405,20050406,20050407,20050408,20050409,20050410,20050411,20050412,20050413,20050414,20050415,20050416,20050417,20050418,20050419,20050420,20050421,20050422,20050423,20050424,20050425,20050426,20050427,20050428,20050429,20050430]},"dim":"date","parent":647},{"children":[1252,1253],"coords":{"ints":[20050301,20050302,20050303,20050304,20050305,20050306,20050307,20050308,20050309,20050310,20050311,20050312,20050313,20050314,20050315,20050316,20050317,20050318,20050319,20050320,20050321,20050322,20050323,20050324,20050325,20050326,20050327,20050328,20050329,20050330,20050331]},"dim":"date","parent":648},{"children":[1254,1255],"coords":{"ints":[20050201,20050202,20050203,20050204,20050205,20050206,20050207,20050208,20050209,20050210,20050211,20050212,20050213,20050214,20050215,20050216,20050217,20050218,20050219,20050220,20050221,20050222,20050223,20050224,20050225,20050226,20050227,20050228]},"dim":"date","parent":649},{"children":[1256,1257],"coords":{"ints":[20051201,20051202,20051203,20051204,20051205,20051206,20051207,20051208,20051209,20051210,20051211,20051212,20051213,20051214,20051215,20051216,20051217,20051218,20051219,20051220,20051221,20051222,20051223,20051224,20051225,20051226,20051227,20051228,20051229,20051230,20051231]},"dim":"date","parent":650},{"children":[1258,1259],"coords":{"ints":[20051101,20051102,20051103,20051104,20051105,20051106,20051107,20051108,20051109,20051110,20051111,20051112,20051113,20051114,20051115,20051116,20051117,20051118,20051119,20051120,20051121,20051122,20051123,20051124,20051125,20051126,20051127,20051128,20051129,20051130]},"dim":"date","parent":651},{"children":[1260,1261],"coords":{"ints":[20051001,20051002,20051003,20051004,20051005,20051006,20051007,20051008,20051009,20051010,20051011,20051012,20051013,20051014,20051015,20051016,20051017,20051018,20051019,20051020,20051021,20051022,20051023,20051024,20051025,20051026,20051027,20051028,20051029,20051030,20051031]},"dim":"date","parent":652},{"children":[1262,1263],"coords":{"ints":[20050101,20050102,20050103,20050104,20050105,20050106,20050107,20050108,20050109,20050110,20050111,20050112,20050113,20050114,20050115,20050116,20050117,20050118,20050119,20050120,20050121,20050122,20050123,20050124,20050125,20050126,20050127,20050128,20050129,20050130,20050131]},"dim":"date","parent":653},{"children":[1264,1265],"coords":{"ints":[20060901,20060902,20060903,20060904,20060905,20060906,20060907,20060908,20060909,20060910,20060911,20060912,20060913,20060914,20060915,20060916,20060917,20060918,20060919,20060920,20060921,20060922,20060923,20060924,20060925,20060926,20060927,20060928,20060929,20060930]},"dim":"date","parent":654},{"children":[1266,1267],"coords":{"ints":[20060801,20060802,20060803,20060804,20060805,20060806,20060807,20060808,20060809,20060810,20060811,20060812,20060813,20060814,20060815,20060816,20060817,20060818,20060819,20060820,20060821,20060822,20060823,20060824,20060825,20060826,20060827,20060828,20060829,20060830,20060831]},"dim":"date","parent":655},{"children":[1268,1269],"coords":{"ints":[20060701,20060702,20060703,20060704,20060705,20060706,20060707,20060708,20060709,20060710,20060711,20060712,20060713,20060714,20060715,20060716,20060717,20060718,20060719,20060720,20060721,20060722,20060723,20060724,20060725,20060726,20060727,20060728,20060729,20060730,20060731]},"dim":"date","parent":656},{"children":[1270,1271],"coords":{"ints":[20060601,20060602,20060603,20060604,20060605,20060606,20060607,20060608,20060609,20060610,20060611,20060612,20060613,20060614,20060615,20060616,20060617,20060618,20060619,20060620,20060621,20060622,20060623,20060624,20060625,20060626,20060627,20060628,20060629,20060630]},"dim":"date","parent":657},{"children":[1272,1273],"coords":{"ints":[20060501,20060502,20060503,20060504,20060505,20060506,20060507,20060508,20060509,20060510,20060511,20060512,20060513,20060514,20060515,20060516,20060517,20060518,20060519,20060520,20060521,20060522,20060523,20060524,20060525,20060526,20060527,20060528,20060529,20060530,20060531]},"dim":"date","parent":658},{"children":[1274,1275],"coords":{"ints":[20060401,20060402,20060403,20060404,20060405,20060406,20060407,20060408,20060409,20060410,20060411,20060412,20060413,20060414,20060415,20060416,20060417,20060418,20060419,20060420,20060421,20060422,20060423,20060424,20060425,20060426,20060427,20060428,20060429,20060430]},"dim":"date","parent":659},{"children":[1276,1277],"coords":{"ints":[20060301,20060302,20060303,20060304,20060305,20060306,20060307,20060308,20060309,20060310,20060311,20060312,20060313,20060314,20060315,20060316,20060317,20060318,20060319,20060320,20060321,20060322,20060323,20060324,20060325,20060326,20060327,20060328,20060329,20060330,20060331]},"dim":"date","parent":660},{"children":[1278,1279],"coords":{"ints":[20060201,20060202,20060203,20060204,20060205,20060206,20060207,20060208,20060209,20060210,20060211,20060212,20060213,20060214,20060215,20060216,20060217,20060218,20060219,20060220,20060221,20060222,20060223,20060224,20060225,20060226,20060227,20060228]},"dim":"date","parent":661},{"children":[1280,1281],"coords":{"ints":[20061201,20061202,20061203,20061204,20061205,20061206,20061207,20061208,20061209,20061210,20061211,20061212,20061213,20061214,20061215,20061216,20061217,20061218,20061219,20061220,20061221,20061222,20061223,20061224,20061225,20061226,20061227,20061228,20061229,20061230,20061231]},"dim":"date","parent":662},{"children":[1282,1283],"coords":{"ints":[20061101,20061102,20061103,20061104,20061105,20061106,20061107,20061108,20061109,20061110,20061111,20061112,20061113,20061114,20061115,20061116,20061117,20061118,20061119,20061120,20061121,20061122,20061123,20061124,20061125,20061126,20061127,20061128,20061129,20061130]},"dim":"date","parent":663},{"children":[1284,1285],"coords":{"ints":[20061001,20061002,20061003,20061004,20061005,20061006,20061007,20061008,20061009,20061010,20061011,20061012,20061013,20061014,20061015,20061016,20061017,20061018,20061019,20061020,20061021,20061022,20061023,20061024,20061025,20061026,20061027,20061028,20061029,20061030,20061031]},"dim":"date","parent":664},{"children":[1286,1287],"coords":{"ints":[20060101,20060102,20060103,20060104,20060105,20060106,20060107,20060108,20060109,20060110,20060111,20060112,20060113,20060114,20060115,20060116,20060117,20060118,20060119,20060120,20060121,20060122,20060123,20060124,20060125,20060126,20060127,20060128,20060129,20060130,20060131]},"dim":"date","parent":665},{"children":[1288,1289],"coords":{"ints":[20070401,20070402,20070403,20070404,20070405,20070406,20070407,20070408,20070409,20070410,20070411,20070412,20070413,20070414,20070415,20070416,20070417,20070418,20070419,20070420,20070421,20070422,20070423,20070424,20070425,20070426,20070427,20070428,20070429,20070430]},"dim":"date","parent":666},{"children":[1290,1291],"coords":{"ints":[20070301,20070302,20070303,20070304,20070305,20070306,20070307,20070308,20070309,20070310,20070311,20070312,20070313,20070314,20070315,20070316,20070317,20070318,20070319,20070320,20070321,20070322,20070323,20070324,20070325,20070326,20070327,20070328,20070329,20070330,20070331]},"dim":"date","parent":667},{"children":[1292,1293],"coords":{"ints":[20070201,20070202,20070203,20070204,20070205,20070206,20070207,20070208,20070209,20070210,20070211,20070212,20070213,20070214,20070215,20070216,20070217,20070218,20070219,20070220,20070221,20070222,20070223,20070224,20070225,20070226,20070227,20070228]},"dim":"date","parent":668},{"children":[1294,1295],"coords":{"ints":[20070101,20070102,20070103,20070104,20070105,20070106,20070107,20070108,20070109,20070110,20070111,20070112,20070113,20070114,20070115,20070116,20070117,20070118,20070119,20070120,20070121,20070122,20070123,20070124,20070125,20070126,20070127,20070128,20070129,20070130,20070131]},"dim":"date","parent":669},{"children":[1296],"coords":{"ints":[129,172]},"dim":"param","parent":670},{"children":[1297],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":670},{"children":[1298],"coords":{"ints":[129,172]},"dim":"param","parent":671},{"children":[1299],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":671},{"children":[1300],"coords":{"ints":[129,172]},"dim":"param","parent":672},{"children":[1301],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":672},{"children":[1302],"coords":{"ints":[129,172]},"dim":"param","parent":673},{"children":[1303],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":673},{"children":[1304],"coords":{"ints":[129,172]},"dim":"param","parent":674},{"children":[1305],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":674},{"children":[1306],"coords":{"ints":[129,172]},"dim":"param","parent":675},{"children":[1307],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":675},{"children":[1308],"coords":{"ints":[129,172]},"dim":"param","parent":676},{"children":[1309],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":676},{"children":[1310],"coords":{"ints":[129,172]},"dim":"param","parent":677},{"children":[1311],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":677},{"children":[1312],"coords":{"ints":[129,172]},"dim":"param","parent":678},{"children":[1313],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":678},{"children":[1314],"coords":{"ints":[129,172]},"dim":"param","parent":679},{"children":[1315],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":679},{"children":[1316],"coords":{"ints":[129,172]},"dim":"param","parent":680},{"children":[1317],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":680},{"children":[1318],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":681},{"children":[1319],"coords":{"ints":[129,172]},"dim":"param","parent":682},{"children":[1320],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":682},{"children":[1321],"coords":{"ints":[129,172]},"dim":"param","parent":683},{"children":[1322],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":683},{"children":[1323],"coords":{"ints":[129,172]},"dim":"param","parent":684},{"children":[1324],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":684},{"children":[1325],"coords":{"ints":[129,172]},"dim":"param","parent":685},{"children":[1326],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":685},{"children":[1327],"coords":{"ints":[129,172]},"dim":"param","parent":686},{"children":[1328],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":686},{"children":[1329],"coords":{"ints":[129,172]},"dim":"param","parent":687},{"children":[1330],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":687},{"children":[1331],"coords":{"ints":[129,172]},"dim":"param","parent":688},{"children":[1332],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":688},{"children":[1333],"coords":{"ints":[129,172]},"dim":"param","parent":689},{"children":[1334],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":689},{"children":[1335],"coords":{"ints":[129,172]},"dim":"param","parent":690},{"children":[1336],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":690},{"children":[1337],"coords":{"ints":[129,172]},"dim":"param","parent":691},{"children":[1338],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":691},{"children":[1339],"coords":{"ints":[129,172]},"dim":"param","parent":692},{"children":[1340],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":692},{"children":[1341],"coords":{"ints":[129,172]},"dim":"param","parent":693},{"children":[1342],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":693},{"children":[1343],"coords":{"ints":[129,172]},"dim":"param","parent":694},{"children":[1344],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":694},{"children":[1345],"coords":{"ints":[129,172]},"dim":"param","parent":695},{"children":[1346],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":695},{"children":[1347],"coords":{"ints":[129,172]},"dim":"param","parent":696},{"children":[1348],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":696},{"children":[1349],"coords":{"ints":[129,172]},"dim":"param","parent":697},{"children":[1350],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":697},{"children":[1351],"coords":{"ints":[129,172]},"dim":"param","parent":698},{"children":[1352],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":698},{"children":[1353],"coords":{"ints":[129,172]},"dim":"param","parent":699},{"children":[1354],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":699},{"children":[1355],"coords":{"ints":[129,172]},"dim":"param","parent":700},{"children":[1356],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":700},{"children":[1357],"coords":{"ints":[129,172]},"dim":"param","parent":701},{"children":[1358],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":701},{"children":[1359],"coords":{"ints":[129,172]},"dim":"param","parent":702},{"children":[1360],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":702},{"children":[1361],"coords":{"ints":[129,172]},"dim":"param","parent":703},{"children":[1362],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":703},{"children":[1363],"coords":{"ints":[129,172]},"dim":"param","parent":704},{"children":[1364],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":704},{"children":[1365],"coords":{"ints":[129,172]},"dim":"param","parent":705},{"children":[1366],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":705},{"children":[1367],"coords":{"ints":[129,172]},"dim":"param","parent":706},{"children":[1368],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":706},{"children":[1369],"coords":{"ints":[129,172]},"dim":"param","parent":707},{"children":[1370],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":707},{"children":[1371],"coords":{"ints":[129,172]},"dim":"param","parent":708},{"children":[1372],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":708},{"children":[1373],"coords":{"ints":[129,172]},"dim":"param","parent":709},{"children":[1374],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":709},{"children":[1375],"coords":{"ints":[129,172]},"dim":"param","parent":710},{"children":[1376],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":710},{"children":[1377],"coords":{"ints":[129,172]},"dim":"param","parent":711},{"children":[1378],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":711},{"children":[1379],"coords":{"ints":[129,172]},"dim":"param","parent":712},{"children":[1380],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":712},{"children":[1381],"coords":{"ints":[129,172]},"dim":"param","parent":713},{"children":[1382],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":713},{"children":[1383],"coords":{"ints":[129,172]},"dim":"param","parent":714},{"children":[1384],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":714},{"children":[1385],"coords":{"ints":[129,172]},"dim":"param","parent":715},{"children":[1386],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":715},{"children":[1387],"coords":{"ints":[129,172]},"dim":"param","parent":716},{"children":[1388],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":716},{"children":[1389],"coords":{"ints":[129,172]},"dim":"param","parent":717},{"children":[1390],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":717},{"children":[1391],"coords":{"ints":[129,172]},"dim":"param","parent":718},{"children":[1392],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":718},{"children":[1393],"coords":{"ints":[129,172]},"dim":"param","parent":719},{"children":[1394],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":719},{"children":[1395],"coords":{"ints":[129,172]},"dim":"param","parent":720},{"children":[1396],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":720},{"children":[1397],"coords":{"ints":[129,172]},"dim":"param","parent":721},{"children":[1398],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":721},{"children":[1399],"coords":{"ints":[129,172]},"dim":"param","parent":722},{"children":[1400],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":722},{"children":[1401],"coords":{"ints":[129,172]},"dim":"param","parent":723},{"children":[1402],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":723},{"children":[1403],"coords":{"ints":[129,172]},"dim":"param","parent":724},{"children":[1404],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":724},{"children":[1405],"coords":{"ints":[129,172]},"dim":"param","parent":725},{"children":[1406],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":725},{"children":[1407],"coords":{"ints":[129,172]},"dim":"param","parent":726},{"children":[1408],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":726},{"children":[1409],"coords":{"ints":[129,172]},"dim":"param","parent":727},{"children":[1410],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":727},{"children":[1411],"coords":{"ints":[129,172]},"dim":"param","parent":728},{"children":[1412],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":728},{"children":[1413],"coords":{"ints":[129,172]},"dim":"param","parent":729},{"children":[1414],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":729},{"children":[1415],"coords":{"ints":[129,172]},"dim":"param","parent":730},{"children":[1416],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":730},{"children":[1417],"coords":{"ints":[129,172]},"dim":"param","parent":731},{"children":[1418],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":731},{"children":[1419],"coords":{"ints":[129,172]},"dim":"param","parent":732},{"children":[1420],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":732},{"children":[1421],"coords":{"ints":[129,172]},"dim":"param","parent":733},{"children":[1422],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":733},{"children":[1423],"coords":{"ints":[129,172]},"dim":"param","parent":734},{"children":[1424],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":734},{"children":[1425],"coords":{"ints":[129,172]},"dim":"param","parent":735},{"children":[1426],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":735},{"children":[1427],"coords":{"ints":[129,172]},"dim":"param","parent":736},{"children":[1428],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":736},{"children":[1429],"coords":{"ints":[129,172]},"dim":"param","parent":737},{"children":[1430],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":737},{"children":[1431],"coords":{"ints":[129,172]},"dim":"param","parent":738},{"children":[1432],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":738},{"children":[1433],"coords":{"ints":[129,172]},"dim":"param","parent":739},{"children":[1434],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":739},{"children":[1435],"coords":{"ints":[129,172]},"dim":"param","parent":740},{"children":[1436],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":740},{"children":[1437],"coords":{"ints":[129,172]},"dim":"param","parent":741},{"children":[1438],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":741},{"children":[1439],"coords":{"ints":[129,172]},"dim":"param","parent":742},{"children":[1440],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":742},{"children":[1441],"coords":{"ints":[129,172]},"dim":"param","parent":743},{"children":[1442],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":743},{"children":[1443],"coords":{"ints":[129,172]},"dim":"param","parent":744},{"children":[1444],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":744},{"children":[1445],"coords":{"ints":[129,172]},"dim":"param","parent":745},{"children":[1446],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":745},{"children":[1447],"coords":{"ints":[129,172]},"dim":"param","parent":746},{"children":[1448],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":746},{"children":[1449],"coords":{"ints":[129,172]},"dim":"param","parent":747},{"children":[1450],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":747},{"children":[1451],"coords":{"ints":[129,172]},"dim":"param","parent":748},{"children":[1452],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":748},{"children":[1453],"coords":{"ints":[129,172]},"dim":"param","parent":749},{"children":[1454],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":749},{"children":[1455],"coords":{"ints":[129,172]},"dim":"param","parent":750},{"children":[1456],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":750},{"children":[1457],"coords":{"ints":[129,172]},"dim":"param","parent":751},{"children":[1458],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":751},{"children":[1459],"coords":{"ints":[129,172]},"dim":"param","parent":752},{"children":[1460],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":752},{"children":[1461],"coords":{"ints":[129,172]},"dim":"param","parent":753},{"children":[1462],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":753},{"children":[1463],"coords":{"ints":[129,172]},"dim":"param","parent":754},{"children":[1464],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":754},{"children":[1465],"coords":{"ints":[129,172]},"dim":"param","parent":755},{"children":[1466],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":755},{"children":[1467],"coords":{"ints":[129,172]},"dim":"param","parent":756},{"children":[1468],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":756},{"children":[1469],"coords":{"ints":[129,172]},"dim":"param","parent":757},{"children":[1470],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":757},{"children":[1471],"coords":{"ints":[129,172]},"dim":"param","parent":758},{"children":[1472],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":758},{"children":[1473],"coords":{"ints":[129,172]},"dim":"param","parent":759},{"children":[1474],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":759},{"children":[1475],"coords":{"ints":[129,172]},"dim":"param","parent":760},{"children":[1476],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":760},{"children":[1477],"coords":{"ints":[129,172]},"dim":"param","parent":761},{"children":[1478],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":761},{"children":[1479],"coords":{"ints":[129,172]},"dim":"param","parent":762},{"children":[1480],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":762},{"children":[1481],"coords":{"ints":[129,172]},"dim":"param","parent":763},{"children":[1482],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":763},{"children":[1483],"coords":{"ints":[129,172]},"dim":"param","parent":764},{"children":[1484],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":764},{"children":[1485],"coords":{"ints":[129,172]},"dim":"param","parent":765},{"children":[1486],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":765},{"children":[1487],"coords":{"ints":[129,172]},"dim":"param","parent":766},{"children":[1488],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":766},{"children":[1489],"coords":{"ints":[129,172]},"dim":"param","parent":767},{"children":[1490],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":767},{"children":[1491],"coords":{"ints":[129,172]},"dim":"param","parent":768},{"children":[1492],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":768},{"children":[1493],"coords":{"ints":[129,172]},"dim":"param","parent":769},{"children":[1494],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":769},{"children":[1495],"coords":{"ints":[129,172]},"dim":"param","parent":770},{"children":[1496],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":770},{"children":[1497],"coords":{"ints":[129,172]},"dim":"param","parent":771},{"children":[1498],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":771},{"children":[1499],"coords":{"ints":[129,172]},"dim":"param","parent":772},{"children":[1500],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":772},{"children":[1501],"coords":{"ints":[129,172]},"dim":"param","parent":773},{"children":[1502],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":773},{"children":[1503],"coords":{"ints":[129,172]},"dim":"param","parent":774},{"children":[1504],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":774},{"children":[1505],"coords":{"ints":[129,172]},"dim":"param","parent":775},{"children":[1506],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":775},{"children":[1507],"coords":{"ints":[129,172]},"dim":"param","parent":776},{"children":[1508],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":776},{"children":[1509],"coords":{"ints":[129,172]},"dim":"param","parent":777},{"children":[1510],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":777},{"children":[1511],"coords":{"ints":[129,172]},"dim":"param","parent":778},{"children":[1512],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":778},{"children":[1513],"coords":{"ints":[129,172]},"dim":"param","parent":779},{"children":[1514],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":779},{"children":[1515],"coords":{"ints":[129,172]},"dim":"param","parent":780},{"children":[1516],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":780},{"children":[1517],"coords":{"ints":[129,172]},"dim":"param","parent":781},{"children":[1518],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":781},{"children":[1519],"coords":{"ints":[129,172]},"dim":"param","parent":782},{"children":[1520],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":782},{"children":[1521],"coords":{"ints":[129,172]},"dim":"param","parent":783},{"children":[1522],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":783},{"children":[1523],"coords":{"ints":[129,172]},"dim":"param","parent":784},{"children":[1524],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":784},{"children":[1525],"coords":{"ints":[129,172]},"dim":"param","parent":785},{"children":[1526],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":785},{"children":[1527],"coords":{"ints":[129,172]},"dim":"param","parent":786},{"children":[1528],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":786},{"children":[1529],"coords":{"ints":[129,172]},"dim":"param","parent":787},{"children":[1530],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":787},{"children":[1531],"coords":{"ints":[129,172]},"dim":"param","parent":788},{"children":[1532],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":788},{"children":[1533],"coords":{"ints":[129,172]},"dim":"param","parent":789},{"children":[1534],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":789},{"children":[1535],"coords":{"ints":[129,172]},"dim":"param","parent":790},{"children":[1536],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":790},{"children":[1537],"coords":{"ints":[129,172]},"dim":"param","parent":791},{"children":[1538],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":791},{"children":[1539],"coords":{"ints":[129,172]},"dim":"param","parent":792},{"children":[1540],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":792},{"children":[1541],"coords":{"ints":[129,172]},"dim":"param","parent":793},{"children":[1542],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":793},{"children":[1543],"coords":{"ints":[129,172]},"dim":"param","parent":794},{"children":[1544],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":794},{"children":[1545],"coords":{"ints":[129,172]},"dim":"param","parent":795},{"children":[1546],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":795},{"children":[1547],"coords":{"ints":[129,172]},"dim":"param","parent":796},{"children":[1548],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":796},{"children":[1549],"coords":{"ints":[129,172]},"dim":"param","parent":797},{"children":[1550],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":797},{"children":[1551],"coords":{"ints":[129,172]},"dim":"param","parent":798},{"children":[1552],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":798},{"children":[1553],"coords":{"ints":[129,172]},"dim":"param","parent":799},{"children":[1554],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":799},{"children":[1555],"coords":{"ints":[129,172]},"dim":"param","parent":800},{"children":[1556],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":800},{"children":[1557],"coords":{"ints":[129,172]},"dim":"param","parent":801},{"children":[1558],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":801},{"children":[1559],"coords":{"ints":[129,172]},"dim":"param","parent":802},{"children":[1560],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":802},{"children":[1561],"coords":{"ints":[129,172]},"dim":"param","parent":803},{"children":[1562],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":803},{"children":[1563],"coords":{"ints":[129,172]},"dim":"param","parent":804},{"children":[1564],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":804},{"children":[1565],"coords":{"ints":[129,172]},"dim":"param","parent":805},{"children":[1566],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":805},{"children":[1567],"coords":{"ints":[129,172]},"dim":"param","parent":806},{"children":[1568],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":806},{"children":[1569],"coords":{"ints":[129,172]},"dim":"param","parent":807},{"children":[1570],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":807},{"children":[1571],"coords":{"ints":[129,172]},"dim":"param","parent":808},{"children":[1572],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":808},{"children":[1573],"coords":{"ints":[129,172]},"dim":"param","parent":809},{"children":[1574],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":809},{"children":[1575],"coords":{"ints":[129,172]},"dim":"param","parent":810},{"children":[1576],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":810},{"children":[1577],"coords":{"ints":[129,172]},"dim":"param","parent":811},{"children":[1578],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":811},{"children":[1579],"coords":{"ints":[129,172]},"dim":"param","parent":812},{"children":[1580],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":812},{"children":[1581],"coords":{"ints":[129,172]},"dim":"param","parent":813},{"children":[1582],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":813},{"children":[1583],"coords":{"ints":[129,172]},"dim":"param","parent":814},{"children":[1584],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":814},{"children":[1585],"coords":{"ints":[129,172]},"dim":"param","parent":815},{"children":[1586],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":815},{"children":[1587],"coords":{"ints":[129,172]},"dim":"param","parent":816},{"children":[1588],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":816},{"children":[1589],"coords":{"ints":[129,172]},"dim":"param","parent":817},{"children":[1590],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":817},{"children":[1591],"coords":{"ints":[129,172]},"dim":"param","parent":818},{"children":[1592],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":818},{"children":[1593],"coords":{"ints":[129,172]},"dim":"param","parent":819},{"children":[1594],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":819},{"children":[1595],"coords":{"ints":[129,172]},"dim":"param","parent":820},{"children":[1596],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":820},{"children":[1597],"coords":{"ints":[129,172]},"dim":"param","parent":821},{"children":[1598],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":821},{"children":[1599],"coords":{"ints":[129,172]},"dim":"param","parent":822},{"children":[1600],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":822},{"children":[1601],"coords":{"ints":[129,172]},"dim":"param","parent":823},{"children":[1602],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":823},{"children":[1603],"coords":{"ints":[129,172]},"dim":"param","parent":824},{"children":[1604],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":824},{"children":[1605],"coords":{"ints":[129,172]},"dim":"param","parent":825},{"children":[1606],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":825},{"children":[1607],"coords":{"ints":[129,172]},"dim":"param","parent":826},{"children":[1608],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":826},{"children":[1609],"coords":{"ints":[129,172]},"dim":"param","parent":827},{"children":[1610],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":827},{"children":[1611],"coords":{"ints":[129,172]},"dim":"param","parent":828},{"children":[1612],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":828},{"children":[1613],"coords":{"ints":[129,172]},"dim":"param","parent":829},{"children":[1614],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":829},{"children":[1615],"coords":{"ints":[129,172]},"dim":"param","parent":830},{"children":[1616],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":830},{"children":[1617],"coords":{"ints":[129,172]},"dim":"param","parent":831},{"children":[1618],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":831},{"children":[1619],"coords":{"ints":[129,172]},"dim":"param","parent":832},{"children":[1620],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":832},{"children":[1621],"coords":{"ints":[129,172]},"dim":"param","parent":833},{"children":[1622],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":833},{"children":[1623],"coords":{"ints":[129,172]},"dim":"param","parent":834},{"children":[1624],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":834},{"children":[1625],"coords":{"ints":[129,172]},"dim":"param","parent":835},{"children":[1626],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":835},{"children":[1627],"coords":{"ints":[129,172]},"dim":"param","parent":836},{"children":[1628],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":836},{"children":[1629],"coords":{"ints":[129,172]},"dim":"param","parent":837},{"children":[1630],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":837},{"children":[1631],"coords":{"ints":[129,172]},"dim":"param","parent":838},{"children":[1632],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":838},{"children":[1633],"coords":{"ints":[129,172]},"dim":"param","parent":839},{"children":[1634],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":839},{"children":[1635],"coords":{"ints":[129,172]},"dim":"param","parent":840},{"children":[1636],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":840},{"children":[1637],"coords":{"ints":[129,172]},"dim":"param","parent":841},{"children":[1638],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":841},{"children":[1639],"coords":{"ints":[129,172]},"dim":"param","parent":842},{"children":[1640],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":842},{"children":[1641],"coords":{"ints":[129,172]},"dim":"param","parent":843},{"children":[1642],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":843},{"children":[1643],"coords":{"ints":[129,172]},"dim":"param","parent":844},{"children":[1644],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":844},{"children":[1645],"coords":{"ints":[129,172]},"dim":"param","parent":845},{"children":[1646],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":845},{"children":[1647],"coords":{"ints":[129,172]},"dim":"param","parent":846},{"children":[1648],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":846},{"children":[1649],"coords":{"ints":[129,172]},"dim":"param","parent":847},{"children":[1650],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":847},{"children":[1651],"coords":{"ints":[129,172]},"dim":"param","parent":848},{"children":[1652],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":848},{"children":[1653],"coords":{"ints":[129,172]},"dim":"param","parent":849},{"children":[1654],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":849},{"children":[1655],"coords":{"ints":[129,172]},"dim":"param","parent":850},{"children":[1656],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":850},{"children":[1657],"coords":{"ints":[129,172]},"dim":"param","parent":851},{"children":[1658],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":851},{"children":[1659],"coords":{"ints":[129,172]},"dim":"param","parent":852},{"children":[1660],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":852},{"children":[1661],"coords":{"ints":[129,172]},"dim":"param","parent":853},{"children":[1662],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":853},{"children":[1663],"coords":{"ints":[129,172]},"dim":"param","parent":854},{"children":[1664],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":854},{"children":[1665],"coords":{"ints":[129,172]},"dim":"param","parent":855},{"children":[1666],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":855},{"children":[1667],"coords":{"ints":[129,172]},"dim":"param","parent":856},{"children":[1668],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":856},{"children":[1669],"coords":{"ints":[129,172]},"dim":"param","parent":857},{"children":[1670],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":857},{"children":[1671],"coords":{"ints":[129,172]},"dim":"param","parent":858},{"children":[1672],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":858},{"children":[1673],"coords":{"ints":[129,172]},"dim":"param","parent":859},{"children":[1674],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":859},{"children":[1675],"coords":{"ints":[129,172]},"dim":"param","parent":860},{"children":[1676],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":860},{"children":[1677],"coords":{"ints":[129,172]},"dim":"param","parent":861},{"children":[1678],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":861},{"children":[1679],"coords":{"ints":[129,172]},"dim":"param","parent":862},{"children":[1680],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":862},{"children":[1681],"coords":{"ints":[129,172]},"dim":"param","parent":863},{"children":[1682],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":863},{"children":[1683],"coords":{"ints":[129,172]},"dim":"param","parent":864},{"children":[1684],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":864},{"children":[1685],"coords":{"ints":[129,172]},"dim":"param","parent":865},{"children":[1686],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":865},{"children":[1687],"coords":{"ints":[129,172]},"dim":"param","parent":866},{"children":[1688],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":866},{"children":[1689],"coords":{"ints":[129,172]},"dim":"param","parent":867},{"children":[1690],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":867},{"children":[1691],"coords":{"ints":[129,172]},"dim":"param","parent":868},{"children":[1692],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":868},{"children":[1693],"coords":{"ints":[129,172]},"dim":"param","parent":869},{"children":[1694],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":869},{"children":[1695],"coords":{"ints":[129,172]},"dim":"param","parent":870},{"children":[1696],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":870},{"children":[1697],"coords":{"ints":[129,172]},"dim":"param","parent":871},{"children":[1698],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":871},{"children":[1699],"coords":{"ints":[129,172]},"dim":"param","parent":872},{"children":[1700],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":872},{"children":[1701],"coords":{"ints":[129,172]},"dim":"param","parent":873},{"children":[1702],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":873},{"children":[1703],"coords":{"ints":[129,172]},"dim":"param","parent":874},{"children":[1704],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":874},{"children":[1705],"coords":{"ints":[129,172]},"dim":"param","parent":875},{"children":[1706],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":875},{"children":[1707],"coords":{"ints":[129,172]},"dim":"param","parent":876},{"children":[1708],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":876},{"children":[1709],"coords":{"ints":[129,172]},"dim":"param","parent":877},{"children":[1710],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":877},{"children":[1711],"coords":{"ints":[129,172]},"dim":"param","parent":878},{"children":[1712],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":878},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":879},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":880},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":881},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":882},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":883},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":884},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":885},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":886},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":887},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":888},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":889},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":890},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":891},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":892},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":893},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":894},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":895},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":896},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":897},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":898},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":899},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":900},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":901},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":902},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":903},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":904},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":905},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":906},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":907},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":908},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":909},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":910},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":911},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":912},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":913},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":914},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":915},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":916},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":917},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":918},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":919},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":920},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":921},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":922},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":923},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":924},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":925},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":926},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":927},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":928},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":929},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":930},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":931},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":932},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":933},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":934},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":935},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":936},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":937},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":938},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":939},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":940},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":941},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":942},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":943},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":944},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":945},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":946},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":947},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":948},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":949},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":950},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":951},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":952},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":953},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":954},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":955},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":956},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":957},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":958},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":959},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":960},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":961},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":962},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":963},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":964},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":965},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":966},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":967},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":968},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":969},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":970},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":971},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":972},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":973},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":974},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":975},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":976},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":977},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":978},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":979},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":980},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":981},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":982},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":983},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":984},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":985},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":986},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":987},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":988},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":989},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":990},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":991},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":992},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":993},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":994},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":995},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":996},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":997},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":998},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":999},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1000},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1001},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1002},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1003},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1004},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1005},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1006},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1007},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1008},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1009},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1010},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1011},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1012},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1013},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1014},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1015},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1016},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1017},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1018},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1019},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1020},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1021},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1022},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1023},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1024},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1025},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1026},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1027},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1028},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1029},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1030},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1031},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1032},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1033},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1034},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1035},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1036},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1037},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1038},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1039},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1040},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1041},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1042},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1043},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1044},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1045},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1046},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1047},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1048},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1049},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1050},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1051},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1052},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1053},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1054},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1055},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1056},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1057},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1058},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1059},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1060},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1061},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1062},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1063},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1064},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1065},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1066},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1067},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1068},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1069},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1070},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1071},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1072},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1073},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1074},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1075},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1076},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1077},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1078},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1079},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1080},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1081},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1082},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1083},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1084},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1085},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1086},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1087},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1088},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1089},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1090},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1091},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1092},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1093},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1094},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1095},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1096},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1097},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1098},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1099},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1100},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1101},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1102},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1103},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1104},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1105},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1106},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1107},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1108},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1109},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1110},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1111},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1112},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1113},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1114},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1115},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1116},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1117},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1118},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1119},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1120},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1121},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1122},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1123},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1124},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1125},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1126},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1127},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1128},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1129},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1130},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1131},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1132},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1133},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1134},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1135},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1136},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1137},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1138},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1139},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1140},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1141},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1142},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1143},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1144},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1145},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1146},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1147},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1148},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1149},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1150},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1151},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1152},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1153},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1154},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1155},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1156},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1157},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1158},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1159},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1160},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1161},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1162},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1163},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1164},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1165},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1166},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1167},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1168},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1169},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1170},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1171},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1172},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1173},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1174},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1175},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1176},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1177},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1178},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1179},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1180},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1181},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1182},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1183},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1184},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1185},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1186},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1187},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1188},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1189},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1190},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1191},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1192},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1193},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1194},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1195},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1196},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1197},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1198},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1199},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1200},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1201},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1202},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1203},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1204},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1205},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1206},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1207},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1208},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1209},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1210},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1211},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1212},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1213},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1214},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1215},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1216},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1217},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1218},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1219},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1220},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1221},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1222},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1223},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1224},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1225},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1226},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1227},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1228},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1229},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1230},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1231},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1232},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1233},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1234},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1235},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1236},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1237},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1238},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1239},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1240},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1241},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1242},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1243},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1244},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1245},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1246},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1247},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1248},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1249},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1250},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1251},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1252},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1253},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1254},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1255},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1256},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1257},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1258},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1259},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1260},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1261},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1262},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1263},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1264},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1265},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1266},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1267},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1268},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1269},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1270},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1271},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1272},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1273},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1274},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1275},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1276},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1277},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1278},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1279},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1280},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1281},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1282},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1283},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1284},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1285},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1286},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1287},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1288},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1289},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1290},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1291},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1292},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1293},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1294},{"children":[],"coords":{"ints":[1000,1100,1200,1300,1400,1500,1600,1700,1800,1900,2000,2100,2200,2300],"strings":["0000","0100","0200","0300","0400","0500","0600","0700","0800","0900"]},"dim":"time","parent":1295}] \ No newline at end of file +{ + "version": "1", + "qube": [] +} diff --git a/qubed_meteo/qube_examples/large_extremes_eg.json b/qubed_meteo/qube_examples/large_extremes_eg.json index 00ba294..60ca535 100644 --- a/qubed_meteo/qube_examples/large_extremes_eg.json +++ b/qubed_meteo/qube_examples/large_extremes_eg.json @@ -1 +1,4 @@ -[{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2],"coords":{"strings":["d1"]},"dim":"class","parent":0},{"children":[3],"coords":{"strings":["extremes-dt"]},"dim":"dataset","parent":1},{"children":[4],"coords":{"ints":[20260303]},"dim":"date","parent":2},{"children":[5],"coords":{"strings":["0001"]},"dim":"expver","parent":3},{"children":[6],"coords":{"strings":["oper"]},"dim":"stream","parent":4},{"children":[7],"coords":{"strings":["0000"]},"dim":"time","parent":5},{"children":[8],"coords":{"strings":["sfc"]},"dim":"levtype","parent":6},{"children":[9,10,11],"coords":{"strings":["fc"]},"dim":"type","parent":7},{"children":[12],"coords":{"ints":[142,144,169,175,176,177,178,179,180,181,205,228,228216]},"dim":"param","parent":8},{"children":[13],"coords":{"ints":[228058]},"dim":"param","parent":8},{"children":[14],"coords":{"ints":[31,34,78,134,136,137,151,165,166,167,168,235,3020,228029,228050,228218,228219,228221,228235,260015]},"dim":"param","parent":8},{"children":[],"coords":{"strings":["0-1","1-2","10-11","11-12","12-13","13-14","14-15","15-16","16-17","17-18","18-19","19-20","2-3","20-21","21-22","22-23","23-24","24-25","25-26","26-27","27-28","28-29","29-30","3-4","30-31","31-32","32-33","33-34","34-35","35-36","36-37","37-38","38-39","39-40","4-5","40-41","41-42","42-43","43-44","44-45","45-46","46-47","47-48","48-49","49-50","5-6","50-51","51-52","52-53","53-54","54-55","55-56","56-57","57-58","58-59","59-60","6-7","60-61","61-62","62-63","63-64","64-65","65-66","66-67","67-68","68-69","69-70","7-8","70-71","71-72","72-73","73-74","74-75","75-76","76-77","77-78","78-79","79-80","8-9","80-81","81-82","82-83","83-84","84-85","85-86","86-87","87-88","88-89","89-90","9-10","90-91","91-92","92-93","93-94","94-95","95-96"]},"dim":"step","parent":9},{"children":[],"coords":{"strings":["0-6","12-18","18-24","24-30","30-36","36-42","42-48","48-54","54-60","6-12","60-66","66-72","72-78","78-84","84-90","90-96"]},"dim":"step","parent":10},{"children":[],"coords":{"ints":[0,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]},"dim":"step","parent":11}] \ No newline at end of file +{ + "version": "1", + "qube": [{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2],"coords":{"strings":["d1"]},"dim":"class","parent":0},{"children":[3],"coords":{"strings":["extremes-dt"]},"dim":"dataset","parent":1},{"children":[4],"coords":{"ints":[20260303]},"dim":"date","parent":2},{"children":[5],"coords":{"strings":["0001"]},"dim":"expver","parent":3},{"children":[6],"coords":{"strings":["oper"]},"dim":"stream","parent":4},{"children":[7],"coords":{"strings":["0000"]},"dim":"time","parent":5},{"children":[8],"coords":{"strings":["sfc"]},"dim":"levtype","parent":6},{"children":[9,10,11],"coords":{"strings":["fc"]},"dim":"type","parent":7},{"children":[12],"coords":{"ints":[142,144,169,175,176,177,178,179,180,181,205,228,228216]},"dim":"param","parent":8},{"children":[13],"coords":{"ints":[228058]},"dim":"param","parent":8},{"children":[14],"coords":{"ints":[31,34,78,134,136,137,151,165,166,167,168,235,3020,228029,228050,228218,228219,228221,228235,260015]},"dim":"param","parent":8},{"children":[],"coords":{"strings":["0-1","1-2","10-11","11-12","12-13","13-14","14-15","15-16","16-17","17-18","18-19","19-20","2-3","20-21","21-22","22-23","23-24","24-25","25-26","26-27","27-28","28-29","29-30","3-4","30-31","31-32","32-33","33-34","34-35","35-36","36-37","37-38","38-39","39-40","4-5","40-41","41-42","42-43","43-44","44-45","45-46","46-47","47-48","48-49","49-50","5-6","50-51","51-52","52-53","53-54","54-55","55-56","56-57","57-58","58-59","59-60","6-7","60-61","61-62","62-63","63-64","64-65","65-66","66-67","67-68","68-69","69-70","7-8","70-71","71-72","72-73","73-74","74-75","75-76","76-77","77-78","78-79","79-80","8-9","80-81","81-82","82-83","83-84","84-85","85-86","86-87","87-88","88-89","89-90","9-10","90-91","91-92","92-93","93-94","94-95","95-96"]},"dim":"step","parent":9},{"children":[],"coords":{"strings":["0-6","12-18","18-24","24-30","30-36","36-42","42-48","48-54","54-60","6-12","60-66","66-72","72-78","78-84","84-90","90-96"]},"dim":"step","parent":10},{"children":[],"coords":{"ints":[0,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]},"dim":"step","parent":11}] +} diff --git a/qubed_meteo/qube_examples/medium_climate_eg.json b/qubed_meteo/qube_examples/medium_climate_eg.json index 6871d2d..f7b62c2 100644 --- a/qubed_meteo/qube_examples/medium_climate_eg.json +++ b/qubed_meteo/qube_examples/medium_climate_eg.json @@ -1 +1,4 @@ -[{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2],"coords":{"strings":["highresmip"]},"dim":"activity","parent":0},{"children":[3],"coords":{"strings":["d1"]},"dim":"class","parent":1},{"children":[4],"coords":{"strings":["climate-dt"]},"dim":"dataset","parent":2},{"children":[5],"coords":{"strings":["cont"]},"dim":"experiment","parent":3},{"children":[6],"coords":{"strings":["0001"]},"dim":"expver","parent":4},{"children":[7],"coords":{"ints":[1]},"dim":"generation","parent":5},{"children":[8],"coords":{"strings":["ifs-nemo"]},"dim":"model","parent":6},{"children":[9],"coords":{"ints":[1]},"dim":"realization","parent":7},{"children":[10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27],"coords":{"strings":["clte"]},"dim":"stream","parent":8},{"children":[28],"coords":{"ints":[1990]},"dim":"year","parent":9},{"children":[29],"coords":{"ints":[1991]},"dim":"year","parent":9},{"children":[30],"coords":{"ints":[1992]},"dim":"year","parent":9},{"children":[31],"coords":{"ints":[1993]},"dim":"year","parent":9},{"children":[32],"coords":{"ints":[1994]},"dim":"year","parent":9},{"children":[33],"coords":{"ints":[1995]},"dim":"year","parent":9},{"children":[34],"coords":{"ints":[1996]},"dim":"year","parent":9},{"children":[35],"coords":{"ints":[1997]},"dim":"year","parent":9},{"children":[36],"coords":{"ints":[1998]},"dim":"year","parent":9},{"children":[37],"coords":{"ints":[1999]},"dim":"year","parent":9},{"children":[38],"coords":{"ints":[2000]},"dim":"year","parent":9},{"children":[39],"coords":{"ints":[2001]},"dim":"year","parent":9},{"children":[40],"coords":{"ints":[2002]},"dim":"year","parent":9},{"children":[41],"coords":{"ints":[2003]},"dim":"year","parent":9},{"children":[42],"coords":{"ints":[2004]},"dim":"year","parent":9},{"children":[43],"coords":{"ints":[2005]},"dim":"year","parent":9},{"children":[44],"coords":{"ints":[2006]},"dim":"year","parent":9},{"children":[45],"coords":{"ints":[2007]},"dim":"year","parent":9},{"children":[46,47,48,49,50,51,52,53,54,55,56,57],"coords":{"strings":["sfc"]},"dim":"levtype","parent":10},{"children":[58,59,60,61,62,63,64,65,66,67,68,69],"coords":{"strings":["sfc"]},"dim":"levtype","parent":11},{"children":[70,71,72,73,74,75,76,77,78,79,80,81],"coords":{"strings":["sfc"]},"dim":"levtype","parent":12},{"children":[82,83,84,85,86,87,88,89,90,91,92,93],"coords":{"strings":["sfc"]},"dim":"levtype","parent":13},{"children":[94,95,96,97,98,99,100,101,102,103,104,105],"coords":{"strings":["sfc"]},"dim":"levtype","parent":14},{"children":[106,107,108,109,110,111,112,113,114,115,116,117],"coords":{"strings":["sfc"]},"dim":"levtype","parent":15},{"children":[118,119,120,121,122,123,124,125,126,127,128,129],"coords":{"strings":["sfc"]},"dim":"levtype","parent":16},{"children":[130,131,132,133,134,135,136,137,138,139,140,141],"coords":{"strings":["sfc"]},"dim":"levtype","parent":17},{"children":[142,143,144,145,146,147,148,149,150,151,152,153],"coords":{"strings":["sfc"]},"dim":"levtype","parent":18},{"children":[154,155,156,157,158,159,160,161,162,163,164,165],"coords":{"strings":["sfc"]},"dim":"levtype","parent":19},{"children":[166,167,168,169,170,171,172,173,174,175,176,177],"coords":{"strings":["sfc"]},"dim":"levtype","parent":20},{"children":[178,179,180,181,182,183,184,185,186,187,188,189],"coords":{"strings":["sfc"]},"dim":"levtype","parent":21},{"children":[190,191,192,193,194,195,196,197,198,199,200,201],"coords":{"strings":["sfc"]},"dim":"levtype","parent":22},{"children":[202,203,204,205,206,207,208,209,210,211,212,213],"coords":{"strings":["sfc"]},"dim":"levtype","parent":23},{"children":[214,215,216,217,218,219,220,221,222,223,224,225],"coords":{"strings":["sfc"]},"dim":"levtype","parent":24},{"children":[226,227,228,229,230,231,232,233,234,235,236,237],"coords":{"strings":["sfc"]},"dim":"levtype","parent":25},{"children":[238,239,240,241,242,243,244,245,246,247,248,249],"coords":{"strings":["sfc"]},"dim":"levtype","parent":26},{"children":[250,251,252,253],"coords":{"strings":["sfc"]},"dim":"levtype","parent":27},{"children":[254],"coords":{"ints":[9]},"dim":"month","parent":28},{"children":[255],"coords":{"ints":[8]},"dim":"month","parent":28},{"children":[256],"coords":{"ints":[7]},"dim":"month","parent":28},{"children":[257],"coords":{"ints":[6]},"dim":"month","parent":28},{"children":[258],"coords":{"ints":[5]},"dim":"month","parent":28},{"children":[259],"coords":{"ints":[4]},"dim":"month","parent":28},{"children":[260],"coords":{"ints":[3]},"dim":"month","parent":28},{"children":[261],"coords":{"ints":[2]},"dim":"month","parent":28},{"children":[262],"coords":{"ints":[12]},"dim":"month","parent":28},{"children":[263],"coords":{"ints":[11]},"dim":"month","parent":28},{"children":[264],"coords":{"ints":[10]},"dim":"month","parent":28},{"children":[265],"coords":{"ints":[1]},"dim":"month","parent":28},{"children":[266],"coords":{"ints":[9]},"dim":"month","parent":29},{"children":[267],"coords":{"ints":[8]},"dim":"month","parent":29},{"children":[268],"coords":{"ints":[7]},"dim":"month","parent":29},{"children":[269],"coords":{"ints":[6]},"dim":"month","parent":29},{"children":[270],"coords":{"ints":[5]},"dim":"month","parent":29},{"children":[271],"coords":{"ints":[4]},"dim":"month","parent":29},{"children":[272],"coords":{"ints":[3]},"dim":"month","parent":29},{"children":[273],"coords":{"ints":[2]},"dim":"month","parent":29},{"children":[274],"coords":{"ints":[12]},"dim":"month","parent":29},{"children":[275],"coords":{"ints":[11]},"dim":"month","parent":29},{"children":[276],"coords":{"ints":[10]},"dim":"month","parent":29},{"children":[277],"coords":{"ints":[1]},"dim":"month","parent":29},{"children":[278],"coords":{"ints":[9]},"dim":"month","parent":30},{"children":[279],"coords":{"ints":[8]},"dim":"month","parent":30},{"children":[280],"coords":{"ints":[7]},"dim":"month","parent":30},{"children":[281],"coords":{"ints":[6]},"dim":"month","parent":30},{"children":[282],"coords":{"ints":[5]},"dim":"month","parent":30},{"children":[283],"coords":{"ints":[4]},"dim":"month","parent":30},{"children":[284],"coords":{"ints":[3]},"dim":"month","parent":30},{"children":[285],"coords":{"ints":[2]},"dim":"month","parent":30},{"children":[286],"coords":{"ints":[12]},"dim":"month","parent":30},{"children":[287],"coords":{"ints":[11]},"dim":"month","parent":30},{"children":[288],"coords":{"ints":[10]},"dim":"month","parent":30},{"children":[289],"coords":{"ints":[1]},"dim":"month","parent":30},{"children":[290],"coords":{"ints":[9]},"dim":"month","parent":31},{"children":[291],"coords":{"ints":[8]},"dim":"month","parent":31},{"children":[292],"coords":{"ints":[7]},"dim":"month","parent":31},{"children":[293],"coords":{"ints":[6]},"dim":"month","parent":31},{"children":[294],"coords":{"ints":[5]},"dim":"month","parent":31},{"children":[295],"coords":{"ints":[4]},"dim":"month","parent":31},{"children":[296],"coords":{"ints":[3]},"dim":"month","parent":31},{"children":[297],"coords":{"ints":[2]},"dim":"month","parent":31},{"children":[298],"coords":{"ints":[12]},"dim":"month","parent":31},{"children":[299],"coords":{"ints":[11]},"dim":"month","parent":31},{"children":[300],"coords":{"ints":[10]},"dim":"month","parent":31},{"children":[301],"coords":{"ints":[1]},"dim":"month","parent":31},{"children":[302],"coords":{"ints":[9]},"dim":"month","parent":32},{"children":[303],"coords":{"ints":[8]},"dim":"month","parent":32},{"children":[304],"coords":{"ints":[7]},"dim":"month","parent":32},{"children":[305],"coords":{"ints":[6]},"dim":"month","parent":32},{"children":[306],"coords":{"ints":[5]},"dim":"month","parent":32},{"children":[307],"coords":{"ints":[4]},"dim":"month","parent":32},{"children":[308],"coords":{"ints":[3]},"dim":"month","parent":32},{"children":[309],"coords":{"ints":[2]},"dim":"month","parent":32},{"children":[310],"coords":{"ints":[12]},"dim":"month","parent":32},{"children":[311],"coords":{"ints":[11]},"dim":"month","parent":32},{"children":[312],"coords":{"ints":[10]},"dim":"month","parent":32},{"children":[313],"coords":{"ints":[1]},"dim":"month","parent":32},{"children":[314],"coords":{"ints":[9]},"dim":"month","parent":33},{"children":[315],"coords":{"ints":[8]},"dim":"month","parent":33},{"children":[316],"coords":{"ints":[7]},"dim":"month","parent":33},{"children":[317],"coords":{"ints":[6]},"dim":"month","parent":33},{"children":[318],"coords":{"ints":[5]},"dim":"month","parent":33},{"children":[319],"coords":{"ints":[4]},"dim":"month","parent":33},{"children":[320],"coords":{"ints":[3]},"dim":"month","parent":33},{"children":[321],"coords":{"ints":[2]},"dim":"month","parent":33},{"children":[322],"coords":{"ints":[12]},"dim":"month","parent":33},{"children":[323],"coords":{"ints":[11]},"dim":"month","parent":33},{"children":[324],"coords":{"ints":[10]},"dim":"month","parent":33},{"children":[325],"coords":{"ints":[1]},"dim":"month","parent":33},{"children":[326],"coords":{"ints":[9]},"dim":"month","parent":34},{"children":[327],"coords":{"ints":[8]},"dim":"month","parent":34},{"children":[328],"coords":{"ints":[7]},"dim":"month","parent":34},{"children":[329],"coords":{"ints":[6]},"dim":"month","parent":34},{"children":[330],"coords":{"ints":[5]},"dim":"month","parent":34},{"children":[331],"coords":{"ints":[4]},"dim":"month","parent":34},{"children":[332],"coords":{"ints":[3]},"dim":"month","parent":34},{"children":[333],"coords":{"ints":[2]},"dim":"month","parent":34},{"children":[334],"coords":{"ints":[12]},"dim":"month","parent":34},{"children":[335],"coords":{"ints":[11]},"dim":"month","parent":34},{"children":[336],"coords":{"ints":[10]},"dim":"month","parent":34},{"children":[337],"coords":{"ints":[1]},"dim":"month","parent":34},{"children":[338],"coords":{"ints":[9]},"dim":"month","parent":35},{"children":[339],"coords":{"ints":[8]},"dim":"month","parent":35},{"children":[340],"coords":{"ints":[7]},"dim":"month","parent":35},{"children":[341],"coords":{"ints":[6]},"dim":"month","parent":35},{"children":[342],"coords":{"ints":[5]},"dim":"month","parent":35},{"children":[343],"coords":{"ints":[4]},"dim":"month","parent":35},{"children":[344],"coords":{"ints":[3]},"dim":"month","parent":35},{"children":[345],"coords":{"ints":[2]},"dim":"month","parent":35},{"children":[346],"coords":{"ints":[12]},"dim":"month","parent":35},{"children":[347],"coords":{"ints":[11]},"dim":"month","parent":35},{"children":[348],"coords":{"ints":[10]},"dim":"month","parent":35},{"children":[349],"coords":{"ints":[1]},"dim":"month","parent":35},{"children":[350],"coords":{"ints":[9]},"dim":"month","parent":36},{"children":[351],"coords":{"ints":[8]},"dim":"month","parent":36},{"children":[352],"coords":{"ints":[7]},"dim":"month","parent":36},{"children":[353],"coords":{"ints":[6]},"dim":"month","parent":36},{"children":[354],"coords":{"ints":[5]},"dim":"month","parent":36},{"children":[355],"coords":{"ints":[4]},"dim":"month","parent":36},{"children":[356],"coords":{"ints":[3]},"dim":"month","parent":36},{"children":[357],"coords":{"ints":[2]},"dim":"month","parent":36},{"children":[358],"coords":{"ints":[12]},"dim":"month","parent":36},{"children":[359],"coords":{"ints":[11]},"dim":"month","parent":36},{"children":[360],"coords":{"ints":[10]},"dim":"month","parent":36},{"children":[361],"coords":{"ints":[1]},"dim":"month","parent":36},{"children":[362],"coords":{"ints":[9]},"dim":"month","parent":37},{"children":[363],"coords":{"ints":[8]},"dim":"month","parent":37},{"children":[364],"coords":{"ints":[7]},"dim":"month","parent":37},{"children":[365],"coords":{"ints":[6]},"dim":"month","parent":37},{"children":[366],"coords":{"ints":[5]},"dim":"month","parent":37},{"children":[367],"coords":{"ints":[4]},"dim":"month","parent":37},{"children":[368],"coords":{"ints":[3]},"dim":"month","parent":37},{"children":[369],"coords":{"ints":[2]},"dim":"month","parent":37},{"children":[370],"coords":{"ints":[12]},"dim":"month","parent":37},{"children":[371],"coords":{"ints":[11]},"dim":"month","parent":37},{"children":[372],"coords":{"ints":[10]},"dim":"month","parent":37},{"children":[373],"coords":{"ints":[1]},"dim":"month","parent":37},{"children":[374],"coords":{"ints":[9]},"dim":"month","parent":38},{"children":[375],"coords":{"ints":[8]},"dim":"month","parent":38},{"children":[376],"coords":{"ints":[7]},"dim":"month","parent":38},{"children":[377],"coords":{"ints":[6]},"dim":"month","parent":38},{"children":[378],"coords":{"ints":[5]},"dim":"month","parent":38},{"children":[379],"coords":{"ints":[4]},"dim":"month","parent":38},{"children":[380],"coords":{"ints":[3]},"dim":"month","parent":38},{"children":[381],"coords":{"ints":[2]},"dim":"month","parent":38},{"children":[382],"coords":{"ints":[12]},"dim":"month","parent":38},{"children":[383],"coords":{"ints":[11]},"dim":"month","parent":38},{"children":[384],"coords":{"ints":[10]},"dim":"month","parent":38},{"children":[385],"coords":{"ints":[1]},"dim":"month","parent":38},{"children":[386],"coords":{"ints":[9]},"dim":"month","parent":39},{"children":[387],"coords":{"ints":[8]},"dim":"month","parent":39},{"children":[388],"coords":{"ints":[7]},"dim":"month","parent":39},{"children":[389],"coords":{"ints":[6]},"dim":"month","parent":39},{"children":[390],"coords":{"ints":[5]},"dim":"month","parent":39},{"children":[391],"coords":{"ints":[4]},"dim":"month","parent":39},{"children":[392],"coords":{"ints":[3]},"dim":"month","parent":39},{"children":[393],"coords":{"ints":[2]},"dim":"month","parent":39},{"children":[394],"coords":{"ints":[12]},"dim":"month","parent":39},{"children":[395],"coords":{"ints":[11]},"dim":"month","parent":39},{"children":[396],"coords":{"ints":[10]},"dim":"month","parent":39},{"children":[397],"coords":{"ints":[1]},"dim":"month","parent":39},{"children":[398],"coords":{"ints":[9]},"dim":"month","parent":40},{"children":[399],"coords":{"ints":[8]},"dim":"month","parent":40},{"children":[400],"coords":{"ints":[7]},"dim":"month","parent":40},{"children":[401],"coords":{"ints":[6]},"dim":"month","parent":40},{"children":[402],"coords":{"ints":[5]},"dim":"month","parent":40},{"children":[403],"coords":{"ints":[4]},"dim":"month","parent":40},{"children":[404],"coords":{"ints":[3]},"dim":"month","parent":40},{"children":[405],"coords":{"ints":[2]},"dim":"month","parent":40},{"children":[406],"coords":{"ints":[12]},"dim":"month","parent":40},{"children":[407],"coords":{"ints":[11]},"dim":"month","parent":40},{"children":[408],"coords":{"ints":[10]},"dim":"month","parent":40},{"children":[409],"coords":{"ints":[1]},"dim":"month","parent":40},{"children":[410],"coords":{"ints":[9]},"dim":"month","parent":41},{"children":[411],"coords":{"ints":[8]},"dim":"month","parent":41},{"children":[412],"coords":{"ints":[7]},"dim":"month","parent":41},{"children":[413],"coords":{"ints":[6]},"dim":"month","parent":41},{"children":[414],"coords":{"ints":[5]},"dim":"month","parent":41},{"children":[415],"coords":{"ints":[4]},"dim":"month","parent":41},{"children":[416],"coords":{"ints":[3]},"dim":"month","parent":41},{"children":[417],"coords":{"ints":[2]},"dim":"month","parent":41},{"children":[418],"coords":{"ints":[12]},"dim":"month","parent":41},{"children":[419],"coords":{"ints":[11]},"dim":"month","parent":41},{"children":[420],"coords":{"ints":[10]},"dim":"month","parent":41},{"children":[421],"coords":{"ints":[1]},"dim":"month","parent":41},{"children":[422],"coords":{"ints":[9]},"dim":"month","parent":42},{"children":[423],"coords":{"ints":[8]},"dim":"month","parent":42},{"children":[424],"coords":{"ints":[7]},"dim":"month","parent":42},{"children":[425],"coords":{"ints":[6]},"dim":"month","parent":42},{"children":[426],"coords":{"ints":[5]},"dim":"month","parent":42},{"children":[427],"coords":{"ints":[4]},"dim":"month","parent":42},{"children":[428],"coords":{"ints":[3]},"dim":"month","parent":42},{"children":[429],"coords":{"ints":[2]},"dim":"month","parent":42},{"children":[430],"coords":{"ints":[12]},"dim":"month","parent":42},{"children":[431],"coords":{"ints":[11]},"dim":"month","parent":42},{"children":[432],"coords":{"ints":[10]},"dim":"month","parent":42},{"children":[433],"coords":{"ints":[1]},"dim":"month","parent":42},{"children":[434],"coords":{"ints":[9]},"dim":"month","parent":43},{"children":[435],"coords":{"ints":[8]},"dim":"month","parent":43},{"children":[436],"coords":{"ints":[7]},"dim":"month","parent":43},{"children":[437],"coords":{"ints":[6]},"dim":"month","parent":43},{"children":[438],"coords":{"ints":[5]},"dim":"month","parent":43},{"children":[439],"coords":{"ints":[4]},"dim":"month","parent":43},{"children":[440],"coords":{"ints":[3]},"dim":"month","parent":43},{"children":[441],"coords":{"ints":[2]},"dim":"month","parent":43},{"children":[442],"coords":{"ints":[12]},"dim":"month","parent":43},{"children":[443],"coords":{"ints":[11]},"dim":"month","parent":43},{"children":[444],"coords":{"ints":[10]},"dim":"month","parent":43},{"children":[445],"coords":{"ints":[1]},"dim":"month","parent":43},{"children":[446],"coords":{"ints":[9]},"dim":"month","parent":44},{"children":[447],"coords":{"ints":[8]},"dim":"month","parent":44},{"children":[448],"coords":{"ints":[7]},"dim":"month","parent":44},{"children":[449],"coords":{"ints":[6]},"dim":"month","parent":44},{"children":[450],"coords":{"ints":[5]},"dim":"month","parent":44},{"children":[451],"coords":{"ints":[4]},"dim":"month","parent":44},{"children":[452],"coords":{"ints":[3]},"dim":"month","parent":44},{"children":[453],"coords":{"ints":[2]},"dim":"month","parent":44},{"children":[454],"coords":{"ints":[12]},"dim":"month","parent":44},{"children":[455],"coords":{"ints":[11]},"dim":"month","parent":44},{"children":[456],"coords":{"ints":[10]},"dim":"month","parent":44},{"children":[457],"coords":{"ints":[1]},"dim":"month","parent":44},{"children":[458],"coords":{"ints":[4]},"dim":"month","parent":45},{"children":[459],"coords":{"ints":[3]},"dim":"month","parent":45},{"children":[460],"coords":{"ints":[2]},"dim":"month","parent":45},{"children":[461],"coords":{"ints":[1]},"dim":"month","parent":45},{"children":[462],"coords":{"strings":["high"]},"dim":"resolution","parent":46},{"children":[463],"coords":{"strings":["high"]},"dim":"resolution","parent":47},{"children":[464],"coords":{"strings":["high"]},"dim":"resolution","parent":48},{"children":[465],"coords":{"strings":["high"]},"dim":"resolution","parent":49},{"children":[466],"coords":{"strings":["high"]},"dim":"resolution","parent":50},{"children":[467],"coords":{"strings":["high"]},"dim":"resolution","parent":51},{"children":[468],"coords":{"strings":["high"]},"dim":"resolution","parent":52},{"children":[469],"coords":{"strings":["high"]},"dim":"resolution","parent":53},{"children":[470],"coords":{"strings":["high"]},"dim":"resolution","parent":54},{"children":[471],"coords":{"strings":["high"]},"dim":"resolution","parent":55},{"children":[472],"coords":{"strings":["high"]},"dim":"resolution","parent":56},{"children":[473],"coords":{"strings":["high"]},"dim":"resolution","parent":57},{"children":[474],"coords":{"strings":["high"]},"dim":"resolution","parent":58},{"children":[475],"coords":{"strings":["high"]},"dim":"resolution","parent":59},{"children":[476],"coords":{"strings":["high"]},"dim":"resolution","parent":60},{"children":[477],"coords":{"strings":["high"]},"dim":"resolution","parent":61},{"children":[478],"coords":{"strings":["high"]},"dim":"resolution","parent":62},{"children":[479],"coords":{"strings":["high"]},"dim":"resolution","parent":63},{"children":[480],"coords":{"strings":["high"]},"dim":"resolution","parent":64},{"children":[481],"coords":{"strings":["high"]},"dim":"resolution","parent":65},{"children":[482],"coords":{"strings":["high"]},"dim":"resolution","parent":66},{"children":[483],"coords":{"strings":["high"]},"dim":"resolution","parent":67},{"children":[484],"coords":{"strings":["high"]},"dim":"resolution","parent":68},{"children":[485],"coords":{"strings":["high"]},"dim":"resolution","parent":69},{"children":[486],"coords":{"strings":["high"]},"dim":"resolution","parent":70},{"children":[487],"coords":{"strings":["high"]},"dim":"resolution","parent":71},{"children":[488],"coords":{"strings":["high"]},"dim":"resolution","parent":72},{"children":[489],"coords":{"strings":["high"]},"dim":"resolution","parent":73},{"children":[490],"coords":{"strings":["high"]},"dim":"resolution","parent":74},{"children":[491],"coords":{"strings":["high"]},"dim":"resolution","parent":75},{"children":[492],"coords":{"strings":["high"]},"dim":"resolution","parent":76},{"children":[493],"coords":{"strings":["high"]},"dim":"resolution","parent":77},{"children":[494],"coords":{"strings":["high"]},"dim":"resolution","parent":78},{"children":[495],"coords":{"strings":["high"]},"dim":"resolution","parent":79},{"children":[496],"coords":{"strings":["high"]},"dim":"resolution","parent":80},{"children":[497],"coords":{"strings":["high"]},"dim":"resolution","parent":81},{"children":[498],"coords":{"strings":["high"]},"dim":"resolution","parent":82},{"children":[499],"coords":{"strings":["high"]},"dim":"resolution","parent":83},{"children":[500],"coords":{"strings":["high"]},"dim":"resolution","parent":84},{"children":[501],"coords":{"strings":["high"]},"dim":"resolution","parent":85},{"children":[502],"coords":{"strings":["high"]},"dim":"resolution","parent":86},{"children":[503],"coords":{"strings":["high"]},"dim":"resolution","parent":87},{"children":[504],"coords":{"strings":["high"]},"dim":"resolution","parent":88},{"children":[505],"coords":{"strings":["high"]},"dim":"resolution","parent":89},{"children":[506],"coords":{"strings":["high"]},"dim":"resolution","parent":90},{"children":[507],"coords":{"strings":["high"]},"dim":"resolution","parent":91},{"children":[508],"coords":{"strings":["high"]},"dim":"resolution","parent":92},{"children":[509],"coords":{"strings":["high"]},"dim":"resolution","parent":93},{"children":[510],"coords":{"strings":["high"]},"dim":"resolution","parent":94},{"children":[511],"coords":{"strings":["high"]},"dim":"resolution","parent":95},{"children":[512],"coords":{"strings":["high"]},"dim":"resolution","parent":96},{"children":[513],"coords":{"strings":["high"]},"dim":"resolution","parent":97},{"children":[514],"coords":{"strings":["high"]},"dim":"resolution","parent":98},{"children":[515],"coords":{"strings":["high"]},"dim":"resolution","parent":99},{"children":[516],"coords":{"strings":["high"]},"dim":"resolution","parent":100},{"children":[517],"coords":{"strings":["high"]},"dim":"resolution","parent":101},{"children":[518],"coords":{"strings":["high"]},"dim":"resolution","parent":102},{"children":[519],"coords":{"strings":["high"]},"dim":"resolution","parent":103},{"children":[520],"coords":{"strings":["high"]},"dim":"resolution","parent":104},{"children":[521],"coords":{"strings":["high"]},"dim":"resolution","parent":105},{"children":[522],"coords":{"strings":["high"]},"dim":"resolution","parent":106},{"children":[523],"coords":{"strings":["high"]},"dim":"resolution","parent":107},{"children":[524],"coords":{"strings":["high"]},"dim":"resolution","parent":108},{"children":[525],"coords":{"strings":["high"]},"dim":"resolution","parent":109},{"children":[526],"coords":{"strings":["high"]},"dim":"resolution","parent":110},{"children":[527],"coords":{"strings":["high"]},"dim":"resolution","parent":111},{"children":[528],"coords":{"strings":["high"]},"dim":"resolution","parent":112},{"children":[529],"coords":{"strings":["high"]},"dim":"resolution","parent":113},{"children":[530],"coords":{"strings":["high"]},"dim":"resolution","parent":114},{"children":[531],"coords":{"strings":["high"]},"dim":"resolution","parent":115},{"children":[532],"coords":{"strings":["high"]},"dim":"resolution","parent":116},{"children":[533],"coords":{"strings":["high"]},"dim":"resolution","parent":117},{"children":[534],"coords":{"strings":["high"]},"dim":"resolution","parent":118},{"children":[535],"coords":{"strings":["high"]},"dim":"resolution","parent":119},{"children":[536],"coords":{"strings":["high"]},"dim":"resolution","parent":120},{"children":[537],"coords":{"strings":["high"]},"dim":"resolution","parent":121},{"children":[538],"coords":{"strings":["high"]},"dim":"resolution","parent":122},{"children":[539],"coords":{"strings":["high"]},"dim":"resolution","parent":123},{"children":[540],"coords":{"strings":["high"]},"dim":"resolution","parent":124},{"children":[541],"coords":{"strings":["high"]},"dim":"resolution","parent":125},{"children":[542],"coords":{"strings":["high"]},"dim":"resolution","parent":126},{"children":[543],"coords":{"strings":["high"]},"dim":"resolution","parent":127},{"children":[544],"coords":{"strings":["high"]},"dim":"resolution","parent":128},{"children":[545],"coords":{"strings":["high"]},"dim":"resolution","parent":129},{"children":[546],"coords":{"strings":["high"]},"dim":"resolution","parent":130},{"children":[547],"coords":{"strings":["high"]},"dim":"resolution","parent":131},{"children":[548],"coords":{"strings":["high"]},"dim":"resolution","parent":132},{"children":[549],"coords":{"strings":["high"]},"dim":"resolution","parent":133},{"children":[550],"coords":{"strings":["high"]},"dim":"resolution","parent":134},{"children":[551],"coords":{"strings":["high"]},"dim":"resolution","parent":135},{"children":[552],"coords":{"strings":["high"]},"dim":"resolution","parent":136},{"children":[553],"coords":{"strings":["high"]},"dim":"resolution","parent":137},{"children":[554],"coords":{"strings":["high"]},"dim":"resolution","parent":138},{"children":[555],"coords":{"strings":["high"]},"dim":"resolution","parent":139},{"children":[556],"coords":{"strings":["high"]},"dim":"resolution","parent":140},{"children":[557],"coords":{"strings":["high"]},"dim":"resolution","parent":141},{"children":[558],"coords":{"strings":["high"]},"dim":"resolution","parent":142},{"children":[559],"coords":{"strings":["high"]},"dim":"resolution","parent":143},{"children":[560],"coords":{"strings":["high"]},"dim":"resolution","parent":144},{"children":[561],"coords":{"strings":["high"]},"dim":"resolution","parent":145},{"children":[562],"coords":{"strings":["high"]},"dim":"resolution","parent":146},{"children":[563],"coords":{"strings":["high"]},"dim":"resolution","parent":147},{"children":[564],"coords":{"strings":["high"]},"dim":"resolution","parent":148},{"children":[565],"coords":{"strings":["high"]},"dim":"resolution","parent":149},{"children":[566],"coords":{"strings":["high"]},"dim":"resolution","parent":150},{"children":[567],"coords":{"strings":["high"]},"dim":"resolution","parent":151},{"children":[568],"coords":{"strings":["high"]},"dim":"resolution","parent":152},{"children":[569],"coords":{"strings":["high"]},"dim":"resolution","parent":153},{"children":[570],"coords":{"strings":["high"]},"dim":"resolution","parent":154},{"children":[571],"coords":{"strings":["high"]},"dim":"resolution","parent":155},{"children":[572],"coords":{"strings":["high"]},"dim":"resolution","parent":156},{"children":[573],"coords":{"strings":["high"]},"dim":"resolution","parent":157},{"children":[574],"coords":{"strings":["high"]},"dim":"resolution","parent":158},{"children":[575],"coords":{"strings":["high"]},"dim":"resolution","parent":159},{"children":[576],"coords":{"strings":["high"]},"dim":"resolution","parent":160},{"children":[577],"coords":{"strings":["high"]},"dim":"resolution","parent":161},{"children":[578],"coords":{"strings":["high"]},"dim":"resolution","parent":162},{"children":[579],"coords":{"strings":["high"]},"dim":"resolution","parent":163},{"children":[580],"coords":{"strings":["high"]},"dim":"resolution","parent":164},{"children":[581],"coords":{"strings":["high"]},"dim":"resolution","parent":165},{"children":[582],"coords":{"strings":["high"]},"dim":"resolution","parent":166},{"children":[583],"coords":{"strings":["high"]},"dim":"resolution","parent":167},{"children":[584],"coords":{"strings":["high"]},"dim":"resolution","parent":168},{"children":[585],"coords":{"strings":["high"]},"dim":"resolution","parent":169},{"children":[586],"coords":{"strings":["high"]},"dim":"resolution","parent":170},{"children":[587],"coords":{"strings":["high"]},"dim":"resolution","parent":171},{"children":[588],"coords":{"strings":["high"]},"dim":"resolution","parent":172},{"children":[589],"coords":{"strings":["high"]},"dim":"resolution","parent":173},{"children":[590],"coords":{"strings":["high"]},"dim":"resolution","parent":174},{"children":[591],"coords":{"strings":["high"]},"dim":"resolution","parent":175},{"children":[592],"coords":{"strings":["high"]},"dim":"resolution","parent":176},{"children":[593],"coords":{"strings":["high"]},"dim":"resolution","parent":177},{"children":[594],"coords":{"strings":["high"]},"dim":"resolution","parent":178},{"children":[595],"coords":{"strings":["high"]},"dim":"resolution","parent":179},{"children":[596],"coords":{"strings":["high"]},"dim":"resolution","parent":180},{"children":[597],"coords":{"strings":["high"]},"dim":"resolution","parent":181},{"children":[598],"coords":{"strings":["high"]},"dim":"resolution","parent":182},{"children":[599],"coords":{"strings":["high"]},"dim":"resolution","parent":183},{"children":[600],"coords":{"strings":["high"]},"dim":"resolution","parent":184},{"children":[601],"coords":{"strings":["high"]},"dim":"resolution","parent":185},{"children":[602],"coords":{"strings":["high"]},"dim":"resolution","parent":186},{"children":[603],"coords":{"strings":["high"]},"dim":"resolution","parent":187},{"children":[604],"coords":{"strings":["high"]},"dim":"resolution","parent":188},{"children":[605],"coords":{"strings":["high"]},"dim":"resolution","parent":189},{"children":[606],"coords":{"strings":["high"]},"dim":"resolution","parent":190},{"children":[607],"coords":{"strings":["high"]},"dim":"resolution","parent":191},{"children":[608],"coords":{"strings":["high"]},"dim":"resolution","parent":192},{"children":[609],"coords":{"strings":["high"]},"dim":"resolution","parent":193},{"children":[610],"coords":{"strings":["high"]},"dim":"resolution","parent":194},{"children":[611],"coords":{"strings":["high"]},"dim":"resolution","parent":195},{"children":[612],"coords":{"strings":["high"]},"dim":"resolution","parent":196},{"children":[613],"coords":{"strings":["high"]},"dim":"resolution","parent":197},{"children":[614],"coords":{"strings":["high"]},"dim":"resolution","parent":198},{"children":[615],"coords":{"strings":["high"]},"dim":"resolution","parent":199},{"children":[616],"coords":{"strings":["high"]},"dim":"resolution","parent":200},{"children":[617],"coords":{"strings":["high"]},"dim":"resolution","parent":201},{"children":[618],"coords":{"strings":["high"]},"dim":"resolution","parent":202},{"children":[619],"coords":{"strings":["high"]},"dim":"resolution","parent":203},{"children":[620],"coords":{"strings":["high"]},"dim":"resolution","parent":204},{"children":[621],"coords":{"strings":["high"]},"dim":"resolution","parent":205},{"children":[622],"coords":{"strings":["high"]},"dim":"resolution","parent":206},{"children":[623],"coords":{"strings":["high"]},"dim":"resolution","parent":207},{"children":[624],"coords":{"strings":["high"]},"dim":"resolution","parent":208},{"children":[625],"coords":{"strings":["high"]},"dim":"resolution","parent":209},{"children":[626],"coords":{"strings":["high"]},"dim":"resolution","parent":210},{"children":[627],"coords":{"strings":["high"]},"dim":"resolution","parent":211},{"children":[628],"coords":{"strings":["high"]},"dim":"resolution","parent":212},{"children":[629],"coords":{"strings":["high"]},"dim":"resolution","parent":213},{"children":[630],"coords":{"strings":["high"]},"dim":"resolution","parent":214},{"children":[631],"coords":{"strings":["high"]},"dim":"resolution","parent":215},{"children":[632],"coords":{"strings":["high"]},"dim":"resolution","parent":216},{"children":[633],"coords":{"strings":["high"]},"dim":"resolution","parent":217},{"children":[634],"coords":{"strings":["high"]},"dim":"resolution","parent":218},{"children":[635],"coords":{"strings":["high"]},"dim":"resolution","parent":219},{"children":[636],"coords":{"strings":["high"]},"dim":"resolution","parent":220},{"children":[637],"coords":{"strings":["high"]},"dim":"resolution","parent":221},{"children":[638],"coords":{"strings":["high"]},"dim":"resolution","parent":222},{"children":[639],"coords":{"strings":["high"]},"dim":"resolution","parent":223},{"children":[640],"coords":{"strings":["high"]},"dim":"resolution","parent":224},{"children":[641],"coords":{"strings":["high"]},"dim":"resolution","parent":225},{"children":[642],"coords":{"strings":["high"]},"dim":"resolution","parent":226},{"children":[643],"coords":{"strings":["high"]},"dim":"resolution","parent":227},{"children":[644],"coords":{"strings":["high"]},"dim":"resolution","parent":228},{"children":[645],"coords":{"strings":["high"]},"dim":"resolution","parent":229},{"children":[646],"coords":{"strings":["high"]},"dim":"resolution","parent":230},{"children":[647],"coords":{"strings":["high"]},"dim":"resolution","parent":231},{"children":[648],"coords":{"strings":["high"]},"dim":"resolution","parent":232},{"children":[649],"coords":{"strings":["high"]},"dim":"resolution","parent":233},{"children":[650],"coords":{"strings":["high"]},"dim":"resolution","parent":234},{"children":[651],"coords":{"strings":["high"]},"dim":"resolution","parent":235},{"children":[652],"coords":{"strings":["high"]},"dim":"resolution","parent":236},{"children":[653],"coords":{"strings":["high"]},"dim":"resolution","parent":237},{"children":[654],"coords":{"strings":["high"]},"dim":"resolution","parent":238},{"children":[655],"coords":{"strings":["high"]},"dim":"resolution","parent":239},{"children":[656],"coords":{"strings":["high"]},"dim":"resolution","parent":240},{"children":[657],"coords":{"strings":["high"]},"dim":"resolution","parent":241},{"children":[658],"coords":{"strings":["high"]},"dim":"resolution","parent":242},{"children":[659],"coords":{"strings":["high"]},"dim":"resolution","parent":243},{"children":[660],"coords":{"strings":["high"]},"dim":"resolution","parent":244},{"children":[661],"coords":{"strings":["high"]},"dim":"resolution","parent":245},{"children":[662],"coords":{"strings":["high"]},"dim":"resolution","parent":246},{"children":[663],"coords":{"strings":["high"]},"dim":"resolution","parent":247},{"children":[664],"coords":{"strings":["high"]},"dim":"resolution","parent":248},{"children":[665],"coords":{"strings":["high"]},"dim":"resolution","parent":249},{"children":[666],"coords":{"strings":["high"]},"dim":"resolution","parent":250},{"children":[667],"coords":{"strings":["high"]},"dim":"resolution","parent":251},{"children":[668],"coords":{"strings":["high"]},"dim":"resolution","parent":252},{"children":[669],"coords":{"strings":["high"]},"dim":"resolution","parent":253},{"children":[670],"coords":{"strings":["fc"]},"dim":"type","parent":254},{"children":[671],"coords":{"strings":["fc"]},"dim":"type","parent":255},{"children":[672],"coords":{"strings":["fc"]},"dim":"type","parent":256},{"children":[673],"coords":{"strings":["fc"]},"dim":"type","parent":257},{"children":[674],"coords":{"strings":["fc"]},"dim":"type","parent":258},{"children":[675],"coords":{"strings":["fc"]},"dim":"type","parent":259},{"children":[676],"coords":{"strings":["fc"]},"dim":"type","parent":260},{"children":[677],"coords":{"strings":["fc"]},"dim":"type","parent":261},{"children":[678],"coords":{"strings":["fc"]},"dim":"type","parent":262},{"children":[679],"coords":{"strings":["fc"]},"dim":"type","parent":263},{"children":[680],"coords":{"strings":["fc"]},"dim":"type","parent":264},{"children":[681,682],"coords":{"strings":["fc"]},"dim":"type","parent":265},{"children":[683],"coords":{"strings":["fc"]},"dim":"type","parent":266},{"children":[684],"coords":{"strings":["fc"]},"dim":"type","parent":267},{"children":[685],"coords":{"strings":["fc"]},"dim":"type","parent":268},{"children":[686],"coords":{"strings":["fc"]},"dim":"type","parent":269},{"children":[687],"coords":{"strings":["fc"]},"dim":"type","parent":270},{"children":[688],"coords":{"strings":["fc"]},"dim":"type","parent":271},{"children":[689],"coords":{"strings":["fc"]},"dim":"type","parent":272},{"children":[690],"coords":{"strings":["fc"]},"dim":"type","parent":273},{"children":[691],"coords":{"strings":["fc"]},"dim":"type","parent":274},{"children":[692],"coords":{"strings":["fc"]},"dim":"type","parent":275},{"children":[693],"coords":{"strings":["fc"]},"dim":"type","parent":276},{"children":[694],"coords":{"strings":["fc"]},"dim":"type","parent":277},{"children":[695],"coords":{"strings":["fc"]},"dim":"type","parent":278},{"children":[696],"coords":{"strings":["fc"]},"dim":"type","parent":279},{"children":[697],"coords":{"strings":["fc"]},"dim":"type","parent":280},{"children":[698],"coords":{"strings":["fc"]},"dim":"type","parent":281},{"children":[699],"coords":{"strings":["fc"]},"dim":"type","parent":282},{"children":[700],"coords":{"strings":["fc"]},"dim":"type","parent":283},{"children":[701],"coords":{"strings":["fc"]},"dim":"type","parent":284},{"children":[702],"coords":{"strings":["fc"]},"dim":"type","parent":285},{"children":[703],"coords":{"strings":["fc"]},"dim":"type","parent":286},{"children":[704],"coords":{"strings":["fc"]},"dim":"type","parent":287},{"children":[705],"coords":{"strings":["fc"]},"dim":"type","parent":288},{"children":[706],"coords":{"strings":["fc"]},"dim":"type","parent":289},{"children":[707],"coords":{"strings":["fc"]},"dim":"type","parent":290},{"children":[708],"coords":{"strings":["fc"]},"dim":"type","parent":291},{"children":[709],"coords":{"strings":["fc"]},"dim":"type","parent":292},{"children":[710],"coords":{"strings":["fc"]},"dim":"type","parent":293},{"children":[711],"coords":{"strings":["fc"]},"dim":"type","parent":294},{"children":[712],"coords":{"strings":["fc"]},"dim":"type","parent":295},{"children":[713],"coords":{"strings":["fc"]},"dim":"type","parent":296},{"children":[714],"coords":{"strings":["fc"]},"dim":"type","parent":297},{"children":[715],"coords":{"strings":["fc"]},"dim":"type","parent":298},{"children":[716],"coords":{"strings":["fc"]},"dim":"type","parent":299},{"children":[717],"coords":{"strings":["fc"]},"dim":"type","parent":300},{"children":[718],"coords":{"strings":["fc"]},"dim":"type","parent":301},{"children":[719],"coords":{"strings":["fc"]},"dim":"type","parent":302},{"children":[720],"coords":{"strings":["fc"]},"dim":"type","parent":303},{"children":[721],"coords":{"strings":["fc"]},"dim":"type","parent":304},{"children":[722],"coords":{"strings":["fc"]},"dim":"type","parent":305},{"children":[723],"coords":{"strings":["fc"]},"dim":"type","parent":306},{"children":[724],"coords":{"strings":["fc"]},"dim":"type","parent":307},{"children":[725],"coords":{"strings":["fc"]},"dim":"type","parent":308},{"children":[726],"coords":{"strings":["fc"]},"dim":"type","parent":309},{"children":[727],"coords":{"strings":["fc"]},"dim":"type","parent":310},{"children":[728],"coords":{"strings":["fc"]},"dim":"type","parent":311},{"children":[729],"coords":{"strings":["fc"]},"dim":"type","parent":312},{"children":[730],"coords":{"strings":["fc"]},"dim":"type","parent":313},{"children":[731],"coords":{"strings":["fc"]},"dim":"type","parent":314},{"children":[732],"coords":{"strings":["fc"]},"dim":"type","parent":315},{"children":[733],"coords":{"strings":["fc"]},"dim":"type","parent":316},{"children":[734],"coords":{"strings":["fc"]},"dim":"type","parent":317},{"children":[735],"coords":{"strings":["fc"]},"dim":"type","parent":318},{"children":[736],"coords":{"strings":["fc"]},"dim":"type","parent":319},{"children":[737],"coords":{"strings":["fc"]},"dim":"type","parent":320},{"children":[738],"coords":{"strings":["fc"]},"dim":"type","parent":321},{"children":[739],"coords":{"strings":["fc"]},"dim":"type","parent":322},{"children":[740],"coords":{"strings":["fc"]},"dim":"type","parent":323},{"children":[741],"coords":{"strings":["fc"]},"dim":"type","parent":324},{"children":[742],"coords":{"strings":["fc"]},"dim":"type","parent":325},{"children":[743],"coords":{"strings":["fc"]},"dim":"type","parent":326},{"children":[744],"coords":{"strings":["fc"]},"dim":"type","parent":327},{"children":[745],"coords":{"strings":["fc"]},"dim":"type","parent":328},{"children":[746],"coords":{"strings":["fc"]},"dim":"type","parent":329},{"children":[747],"coords":{"strings":["fc"]},"dim":"type","parent":330},{"children":[748],"coords":{"strings":["fc"]},"dim":"type","parent":331},{"children":[749],"coords":{"strings":["fc"]},"dim":"type","parent":332},{"children":[750],"coords":{"strings":["fc"]},"dim":"type","parent":333},{"children":[751],"coords":{"strings":["fc"]},"dim":"type","parent":334},{"children":[752],"coords":{"strings":["fc"]},"dim":"type","parent":335},{"children":[753],"coords":{"strings":["fc"]},"dim":"type","parent":336},{"children":[754],"coords":{"strings":["fc"]},"dim":"type","parent":337},{"children":[755],"coords":{"strings":["fc"]},"dim":"type","parent":338},{"children":[756],"coords":{"strings":["fc"]},"dim":"type","parent":339},{"children":[757],"coords":{"strings":["fc"]},"dim":"type","parent":340},{"children":[758],"coords":{"strings":["fc"]},"dim":"type","parent":341},{"children":[759],"coords":{"strings":["fc"]},"dim":"type","parent":342},{"children":[760],"coords":{"strings":["fc"]},"dim":"type","parent":343},{"children":[761],"coords":{"strings":["fc"]},"dim":"type","parent":344},{"children":[762],"coords":{"strings":["fc"]},"dim":"type","parent":345},{"children":[763],"coords":{"strings":["fc"]},"dim":"type","parent":346},{"children":[764],"coords":{"strings":["fc"]},"dim":"type","parent":347},{"children":[765],"coords":{"strings":["fc"]},"dim":"type","parent":348},{"children":[766],"coords":{"strings":["fc"]},"dim":"type","parent":349},{"children":[767],"coords":{"strings":["fc"]},"dim":"type","parent":350},{"children":[768],"coords":{"strings":["fc"]},"dim":"type","parent":351},{"children":[769],"coords":{"strings":["fc"]},"dim":"type","parent":352},{"children":[770],"coords":{"strings":["fc"]},"dim":"type","parent":353},{"children":[771],"coords":{"strings":["fc"]},"dim":"type","parent":354},{"children":[772],"coords":{"strings":["fc"]},"dim":"type","parent":355},{"children":[773],"coords":{"strings":["fc"]},"dim":"type","parent":356},{"children":[774],"coords":{"strings":["fc"]},"dim":"type","parent":357},{"children":[775],"coords":{"strings":["fc"]},"dim":"type","parent":358},{"children":[776],"coords":{"strings":["fc"]},"dim":"type","parent":359},{"children":[777],"coords":{"strings":["fc"]},"dim":"type","parent":360},{"children":[778],"coords":{"strings":["fc"]},"dim":"type","parent":361},{"children":[779],"coords":{"strings":["fc"]},"dim":"type","parent":362},{"children":[780],"coords":{"strings":["fc"]},"dim":"type","parent":363},{"children":[781],"coords":{"strings":["fc"]},"dim":"type","parent":364},{"children":[782],"coords":{"strings":["fc"]},"dim":"type","parent":365},{"children":[783],"coords":{"strings":["fc"]},"dim":"type","parent":366},{"children":[784],"coords":{"strings":["fc"]},"dim":"type","parent":367},{"children":[785],"coords":{"strings":["fc"]},"dim":"type","parent":368},{"children":[786],"coords":{"strings":["fc"]},"dim":"type","parent":369},{"children":[787],"coords":{"strings":["fc"]},"dim":"type","parent":370},{"children":[788],"coords":{"strings":["fc"]},"dim":"type","parent":371},{"children":[789],"coords":{"strings":["fc"]},"dim":"type","parent":372},{"children":[790],"coords":{"strings":["fc"]},"dim":"type","parent":373},{"children":[791],"coords":{"strings":["fc"]},"dim":"type","parent":374},{"children":[792],"coords":{"strings":["fc"]},"dim":"type","parent":375},{"children":[793],"coords":{"strings":["fc"]},"dim":"type","parent":376},{"children":[794],"coords":{"strings":["fc"]},"dim":"type","parent":377},{"children":[795],"coords":{"strings":["fc"]},"dim":"type","parent":378},{"children":[796],"coords":{"strings":["fc"]},"dim":"type","parent":379},{"children":[797],"coords":{"strings":["fc"]},"dim":"type","parent":380},{"children":[798],"coords":{"strings":["fc"]},"dim":"type","parent":381},{"children":[799],"coords":{"strings":["fc"]},"dim":"type","parent":382},{"children":[800],"coords":{"strings":["fc"]},"dim":"type","parent":383},{"children":[801],"coords":{"strings":["fc"]},"dim":"type","parent":384},{"children":[802],"coords":{"strings":["fc"]},"dim":"type","parent":385},{"children":[803],"coords":{"strings":["fc"]},"dim":"type","parent":386},{"children":[804],"coords":{"strings":["fc"]},"dim":"type","parent":387},{"children":[805],"coords":{"strings":["fc"]},"dim":"type","parent":388},{"children":[806],"coords":{"strings":["fc"]},"dim":"type","parent":389},{"children":[807],"coords":{"strings":["fc"]},"dim":"type","parent":390},{"children":[808],"coords":{"strings":["fc"]},"dim":"type","parent":391},{"children":[809],"coords":{"strings":["fc"]},"dim":"type","parent":392},{"children":[810],"coords":{"strings":["fc"]},"dim":"type","parent":393},{"children":[811],"coords":{"strings":["fc"]},"dim":"type","parent":394},{"children":[812],"coords":{"strings":["fc"]},"dim":"type","parent":395},{"children":[813],"coords":{"strings":["fc"]},"dim":"type","parent":396},{"children":[814],"coords":{"strings":["fc"]},"dim":"type","parent":397},{"children":[815],"coords":{"strings":["fc"]},"dim":"type","parent":398},{"children":[816],"coords":{"strings":["fc"]},"dim":"type","parent":399},{"children":[817],"coords":{"strings":["fc"]},"dim":"type","parent":400},{"children":[818],"coords":{"strings":["fc"]},"dim":"type","parent":401},{"children":[819],"coords":{"strings":["fc"]},"dim":"type","parent":402},{"children":[820],"coords":{"strings":["fc"]},"dim":"type","parent":403},{"children":[821],"coords":{"strings":["fc"]},"dim":"type","parent":404},{"children":[822],"coords":{"strings":["fc"]},"dim":"type","parent":405},{"children":[823],"coords":{"strings":["fc"]},"dim":"type","parent":406},{"children":[824],"coords":{"strings":["fc"]},"dim":"type","parent":407},{"children":[825],"coords":{"strings":["fc"]},"dim":"type","parent":408},{"children":[826],"coords":{"strings":["fc"]},"dim":"type","parent":409},{"children":[827],"coords":{"strings":["fc"]},"dim":"type","parent":410},{"children":[828],"coords":{"strings":["fc"]},"dim":"type","parent":411},{"children":[829],"coords":{"strings":["fc"]},"dim":"type","parent":412},{"children":[830],"coords":{"strings":["fc"]},"dim":"type","parent":413},{"children":[831],"coords":{"strings":["fc"]},"dim":"type","parent":414},{"children":[832],"coords":{"strings":["fc"]},"dim":"type","parent":415},{"children":[833],"coords":{"strings":["fc"]},"dim":"type","parent":416},{"children":[834],"coords":{"strings":["fc"]},"dim":"type","parent":417},{"children":[835],"coords":{"strings":["fc"]},"dim":"type","parent":418},{"children":[836],"coords":{"strings":["fc"]},"dim":"type","parent":419},{"children":[837],"coords":{"strings":["fc"]},"dim":"type","parent":420},{"children":[838],"coords":{"strings":["fc"]},"dim":"type","parent":421},{"children":[839],"coords":{"strings":["fc"]},"dim":"type","parent":422},{"children":[840],"coords":{"strings":["fc"]},"dim":"type","parent":423},{"children":[841],"coords":{"strings":["fc"]},"dim":"type","parent":424},{"children":[842],"coords":{"strings":["fc"]},"dim":"type","parent":425},{"children":[843],"coords":{"strings":["fc"]},"dim":"type","parent":426},{"children":[844],"coords":{"strings":["fc"]},"dim":"type","parent":427},{"children":[845],"coords":{"strings":["fc"]},"dim":"type","parent":428},{"children":[846],"coords":{"strings":["fc"]},"dim":"type","parent":429},{"children":[847],"coords":{"strings":["fc"]},"dim":"type","parent":430},{"children":[848],"coords":{"strings":["fc"]},"dim":"type","parent":431},{"children":[849],"coords":{"strings":["fc"]},"dim":"type","parent":432},{"children":[850],"coords":{"strings":["fc"]},"dim":"type","parent":433},{"children":[851],"coords":{"strings":["fc"]},"dim":"type","parent":434},{"children":[852],"coords":{"strings":["fc"]},"dim":"type","parent":435},{"children":[853],"coords":{"strings":["fc"]},"dim":"type","parent":436},{"children":[854],"coords":{"strings":["fc"]},"dim":"type","parent":437},{"children":[855],"coords":{"strings":["fc"]},"dim":"type","parent":438},{"children":[856],"coords":{"strings":["fc"]},"dim":"type","parent":439},{"children":[857],"coords":{"strings":["fc"]},"dim":"type","parent":440},{"children":[858],"coords":{"strings":["fc"]},"dim":"type","parent":441},{"children":[859],"coords":{"strings":["fc"]},"dim":"type","parent":442},{"children":[860],"coords":{"strings":["fc"]},"dim":"type","parent":443},{"children":[861],"coords":{"strings":["fc"]},"dim":"type","parent":444},{"children":[862],"coords":{"strings":["fc"]},"dim":"type","parent":445},{"children":[863],"coords":{"strings":["fc"]},"dim":"type","parent":446},{"children":[864],"coords":{"strings":["fc"]},"dim":"type","parent":447},{"children":[865],"coords":{"strings":["fc"]},"dim":"type","parent":448},{"children":[866],"coords":{"strings":["fc"]},"dim":"type","parent":449},{"children":[867],"coords":{"strings":["fc"]},"dim":"type","parent":450},{"children":[868],"coords":{"strings":["fc"]},"dim":"type","parent":451},{"children":[869],"coords":{"strings":["fc"]},"dim":"type","parent":452},{"children":[870],"coords":{"strings":["fc"]},"dim":"type","parent":453},{"children":[871],"coords":{"strings":["fc"]},"dim":"type","parent":454},{"children":[872],"coords":{"strings":["fc"]},"dim":"type","parent":455},{"children":[873],"coords":{"strings":["fc"]},"dim":"type","parent":456},{"children":[874],"coords":{"strings":["fc"]},"dim":"type","parent":457},{"children":[875],"coords":{"strings":["fc"]},"dim":"type","parent":458},{"children":[876],"coords":{"strings":["fc"]},"dim":"type","parent":459},{"children":[877],"coords":{"strings":["fc"]},"dim":"type","parent":460},{"children":[878],"coords":{"strings":["fc"]},"dim":"type","parent":461},{"children":[879],"coords":{"ints":[19900901,19900902,19900903,19900904,19900905,19900906,19900907,19900908,19900909,19900910,19900911,19900912,19900913,19900914,19900915,19900916,19900917,19900918,19900919,19900920,19900921,19900922,19900923,19900924,19900925,19900926,19900927,19900928,19900929,19900930]},"dim":"date","parent":462},{"children":[880],"coords":{"ints":[19900801,19900802,19900803,19900804,19900805,19900806,19900807,19900808,19900809,19900810,19900811,19900812,19900813,19900814,19900815,19900816,19900817,19900818,19900819,19900820,19900821,19900822,19900823,19900824,19900825,19900826,19900827,19900828,19900829,19900830,19900831]},"dim":"date","parent":463},{"children":[881],"coords":{"ints":[19900701,19900702,19900703,19900704,19900705,19900706,19900707,19900708,19900709,19900710,19900711,19900712,19900713,19900714,19900715,19900716,19900717,19900718,19900719,19900720,19900721,19900722,19900723,19900724,19900725,19900726,19900727,19900728,19900729,19900730,19900731]},"dim":"date","parent":464},{"children":[882],"coords":{"ints":[19900601,19900602,19900603,19900604,19900605,19900606,19900607,19900608,19900609,19900610,19900611,19900612,19900613,19900614,19900615,19900616,19900617,19900618,19900619,19900620,19900621,19900622,19900623,19900624,19900625,19900626,19900627,19900628,19900629,19900630]},"dim":"date","parent":465},{"children":[883],"coords":{"ints":[19900501,19900502,19900503,19900504,19900505,19900506,19900507,19900508,19900509,19900510,19900511,19900512,19900513,19900514,19900515,19900516,19900517,19900518,19900519,19900520,19900521,19900522,19900523,19900524,19900525,19900526,19900527,19900528,19900529,19900530,19900531]},"dim":"date","parent":466},{"children":[884],"coords":{"ints":[19900401,19900402,19900403,19900404,19900405,19900406,19900407,19900408,19900409,19900410,19900411,19900412,19900413,19900414,19900415,19900416,19900417,19900418,19900419,19900420,19900421,19900422,19900423,19900424,19900425,19900426,19900427,19900428,19900429,19900430]},"dim":"date","parent":467},{"children":[885],"coords":{"ints":[19900301,19900302,19900303,19900304,19900305,19900306,19900307,19900308,19900309,19900310,19900311,19900312,19900313,19900314,19900315,19900316,19900317,19900318,19900319,19900320,19900321,19900322,19900323,19900324,19900325,19900326,19900327,19900328,19900329,19900330,19900331]},"dim":"date","parent":468},{"children":[886],"coords":{"ints":[19900201,19900202,19900203,19900204,19900205,19900206,19900207,19900208,19900209,19900210,19900211,19900212,19900213,19900214,19900215,19900216,19900217,19900218,19900219,19900220,19900221,19900222,19900223,19900224,19900225,19900226,19900227,19900228]},"dim":"date","parent":469},{"children":[887],"coords":{"ints":[19901201,19901202,19901203,19901204,19901205,19901206,19901207,19901208,19901209,19901210,19901211,19901212,19901213,19901214,19901215,19901216,19901217,19901218,19901219,19901220,19901221,19901222,19901223,19901224,19901225,19901226,19901227,19901228,19901229,19901230,19901231]},"dim":"date","parent":470},{"children":[888],"coords":{"ints":[19901101,19901102,19901103,19901104,19901105,19901106,19901107,19901108,19901109,19901110,19901111,19901112,19901113,19901114,19901115,19901116,19901117,19901118,19901119,19901120,19901121,19901122,19901123,19901124,19901125,19901126,19901127,19901128,19901129,19901130]},"dim":"date","parent":471},{"children":[889],"coords":{"ints":[19901001,19901002,19901003,19901004,19901005,19901006,19901007,19901008,19901009,19901010,19901011,19901012,19901013,19901014,19901015,19901016,19901017,19901018,19901019,19901020,19901021,19901022,19901023,19901024,19901025,19901026,19901027,19901028,19901029,19901030,19901031]},"dim":"date","parent":472},{"children":[890],"coords":{"ints":[19900101]},"dim":"date","parent":473},{"children":[891],"coords":{"ints":[19900102,19900103,19900104,19900105,19900106,19900107,19900108,19900109,19900110,19900111,19900112,19900113,19900114,19900115,19900116,19900117,19900118,19900119,19900120,19900121,19900122,19900123,19900124,19900125,19900126,19900127,19900128,19900129,19900130,19900131]},"dim":"date","parent":473},{"children":[892],"coords":{"ints":[19910901,19910902,19910903,19910904,19910905,19910906,19910907,19910908,19910909,19910910,19910911,19910912,19910913,19910914,19910915,19910916,19910917,19910918,19910919,19910920,19910921,19910922,19910923,19910924,19910925,19910926,19910927,19910928,19910929,19910930]},"dim":"date","parent":474},{"children":[893],"coords":{"ints":[19910801,19910802,19910803,19910804,19910805,19910806,19910807,19910808,19910809,19910810,19910811,19910812,19910813,19910814,19910815,19910816,19910817,19910818,19910819,19910820,19910821,19910822,19910823,19910824,19910825,19910826,19910827,19910828,19910829,19910830,19910831]},"dim":"date","parent":475},{"children":[894],"coords":{"ints":[19910701,19910702,19910703,19910704,19910705,19910706,19910707,19910708,19910709,19910710,19910711,19910712,19910713,19910714,19910715,19910716,19910717,19910718,19910719,19910720,19910721,19910722,19910723,19910724,19910725,19910726,19910727,19910728,19910729,19910730,19910731]},"dim":"date","parent":476},{"children":[895],"coords":{"ints":[19910601,19910602,19910603,19910604,19910605,19910606,19910607,19910608,19910609,19910610,19910611,19910612,19910613,19910614,19910615,19910616,19910617,19910618,19910619,19910620,19910621,19910622,19910623,19910624,19910625,19910626,19910627,19910628,19910629,19910630]},"dim":"date","parent":477},{"children":[896],"coords":{"ints":[19910501,19910502,19910503,19910504,19910505,19910506,19910507,19910508,19910509,19910510,19910511,19910512,19910513,19910514,19910515,19910516,19910517,19910518,19910519,19910520,19910521,19910522,19910523,19910524,19910525,19910526,19910527,19910528,19910529,19910530,19910531]},"dim":"date","parent":478},{"children":[897],"coords":{"ints":[19910401,19910402,19910403,19910404,19910405,19910406,19910407,19910408,19910409,19910410,19910411,19910412,19910413,19910414,19910415,19910416,19910417,19910418,19910419,19910420,19910421,19910422,19910423,19910424,19910425,19910426,19910427,19910428,19910429,19910430]},"dim":"date","parent":479},{"children":[898],"coords":{"ints":[19910301,19910302,19910303,19910304,19910305,19910306,19910307,19910308,19910309,19910310,19910311,19910312,19910313,19910314,19910315,19910316,19910317,19910318,19910319,19910320,19910321,19910322,19910323,19910324,19910325,19910326,19910327,19910328,19910329,19910330,19910331]},"dim":"date","parent":480},{"children":[899],"coords":{"ints":[19910201,19910202,19910203,19910204,19910205,19910206,19910207,19910208,19910209,19910210,19910211,19910212,19910213,19910214,19910215,19910216,19910217,19910218,19910219,19910220,19910221,19910222,19910223,19910224,19910225,19910226,19910227,19910228]},"dim":"date","parent":481},{"children":[900],"coords":{"ints":[19911201,19911202,19911203,19911204,19911205,19911206,19911207,19911208,19911209,19911210,19911211,19911212,19911213,19911214,19911215,19911216,19911217,19911218,19911219,19911220,19911221,19911222,19911223,19911224,19911225,19911226,19911227,19911228,19911229,19911230,19911231]},"dim":"date","parent":482},{"children":[901],"coords":{"ints":[19911101,19911102,19911103,19911104,19911105,19911106,19911107,19911108,19911109,19911110,19911111,19911112,19911113,19911114,19911115,19911116,19911117,19911118,19911119,19911120,19911121,19911122,19911123,19911124,19911125,19911126,19911127,19911128,19911129,19911130]},"dim":"date","parent":483},{"children":[902],"coords":{"ints":[19911001,19911002,19911003,19911004,19911005,19911006,19911007,19911008,19911009,19911010,19911011,19911012,19911013,19911014,19911015,19911016,19911017,19911018,19911019,19911020,19911021,19911022,19911023,19911024,19911025,19911026,19911027,19911028,19911029,19911030,19911031]},"dim":"date","parent":484},{"children":[903],"coords":{"ints":[19910101,19910102,19910103,19910104,19910105,19910106,19910107,19910108,19910109,19910110,19910111,19910112,19910113,19910114,19910115,19910116,19910117,19910118,19910119,19910120,19910121,19910122,19910123,19910124,19910125,19910126,19910127,19910128,19910129,19910130,19910131]},"dim":"date","parent":485},{"children":[904],"coords":{"ints":[19920901,19920902,19920903,19920904,19920905,19920906,19920907,19920908,19920909,19920910,19920911,19920912,19920913,19920914,19920915,19920916,19920917,19920918,19920919,19920920,19920921,19920922,19920923,19920924,19920925,19920926,19920927,19920928,19920929,19920930]},"dim":"date","parent":486},{"children":[905],"coords":{"ints":[19920801,19920802,19920803,19920804,19920805,19920806,19920807,19920808,19920809,19920810,19920811,19920812,19920813,19920814,19920815,19920816,19920817,19920818,19920819,19920820,19920821,19920822,19920823,19920824,19920825,19920826,19920827,19920828,19920829,19920830,19920831]},"dim":"date","parent":487},{"children":[906],"coords":{"ints":[19920701,19920702,19920703,19920704,19920705,19920706,19920707,19920708,19920709,19920710,19920711,19920712,19920713,19920714,19920715,19920716,19920717,19920718,19920719,19920720,19920721,19920722,19920723,19920724,19920725,19920726,19920727,19920728,19920729,19920730,19920731]},"dim":"date","parent":488},{"children":[907],"coords":{"ints":[19920601,19920602,19920603,19920604,19920605,19920606,19920607,19920608,19920609,19920610,19920611,19920612,19920613,19920614,19920615,19920616,19920617,19920618,19920619,19920620,19920621,19920622,19920623,19920624,19920625,19920626,19920627,19920628,19920629,19920630]},"dim":"date","parent":489},{"children":[908],"coords":{"ints":[19920501,19920502,19920503,19920504,19920505,19920506,19920507,19920508,19920509,19920510,19920511,19920512,19920513,19920514,19920515,19920516,19920517,19920518,19920519,19920520,19920521,19920522,19920523,19920524,19920525,19920526,19920527,19920528,19920529,19920530,19920531]},"dim":"date","parent":490},{"children":[909],"coords":{"ints":[19920401,19920402,19920403,19920404,19920405,19920406,19920407,19920408,19920409,19920410,19920411,19920412,19920413,19920414,19920415,19920416,19920417,19920418,19920419,19920420,19920421,19920422,19920423,19920424,19920425,19920426,19920427,19920428,19920429,19920430]},"dim":"date","parent":491},{"children":[910],"coords":{"ints":[19920301,19920302,19920303,19920304,19920305,19920306,19920307,19920308,19920309,19920310,19920311,19920312,19920313,19920314,19920315,19920316,19920317,19920318,19920319,19920320,19920321,19920322,19920323,19920324,19920325,19920326,19920327,19920328,19920329,19920330,19920331]},"dim":"date","parent":492},{"children":[911],"coords":{"ints":[19920201,19920202,19920203,19920204,19920205,19920206,19920207,19920208,19920209,19920210,19920211,19920212,19920213,19920214,19920215,19920216,19920217,19920218,19920219,19920220,19920221,19920222,19920223,19920224,19920225,19920226,19920227,19920228,19920229]},"dim":"date","parent":493},{"children":[912],"coords":{"ints":[19921201,19921202,19921203,19921204,19921205,19921206,19921207,19921208,19921209,19921210,19921211,19921212,19921213,19921214,19921215,19921216,19921217,19921218,19921219,19921220,19921221,19921222,19921223,19921224,19921225,19921226,19921227,19921228,19921229,19921230,19921231]},"dim":"date","parent":494},{"children":[913],"coords":{"ints":[19921101,19921102,19921103,19921104,19921105,19921106,19921107,19921108,19921109,19921110,19921111,19921112,19921113,19921114,19921115,19921116,19921117,19921118,19921119,19921120,19921121,19921122,19921123,19921124,19921125,19921126,19921127,19921128,19921129,19921130]},"dim":"date","parent":495},{"children":[914],"coords":{"ints":[19921001,19921002,19921003,19921004,19921005,19921006,19921007,19921008,19921009,19921010,19921011,19921012,19921013,19921014,19921015,19921016,19921017,19921018,19921019,19921020,19921021,19921022,19921023,19921024,19921025,19921026,19921027,19921028,19921029,19921030,19921031]},"dim":"date","parent":496},{"children":[915],"coords":{"ints":[19920101,19920102,19920103,19920104,19920105,19920106,19920107,19920108,19920109,19920110,19920111,19920112,19920113,19920114,19920115,19920116,19920117,19920118,19920119,19920120,19920121,19920122,19920123,19920124,19920125,19920126,19920127,19920128,19920129,19920130,19920131]},"dim":"date","parent":497},{"children":[916],"coords":{"ints":[19930901,19930902,19930903,19930904,19930905,19930906,19930907,19930908,19930909,19930910,19930911,19930912,19930913,19930914,19930915,19930916,19930917,19930918,19930919,19930920,19930921,19930922,19930923,19930924,19930925,19930926,19930927,19930928,19930929,19930930]},"dim":"date","parent":498},{"children":[917],"coords":{"ints":[19930801,19930802,19930803,19930804,19930805,19930806,19930807,19930808,19930809,19930810,19930811,19930812,19930813,19930814,19930815,19930816,19930817,19930818,19930819,19930820,19930821,19930822,19930823,19930824,19930825,19930826,19930827,19930828,19930829,19930830,19930831]},"dim":"date","parent":499},{"children":[918],"coords":{"ints":[19930701,19930702,19930703,19930704,19930705,19930706,19930707,19930708,19930709,19930710,19930711,19930712,19930713,19930714,19930715,19930716,19930717,19930718,19930719,19930720,19930721,19930722,19930723,19930724,19930725,19930726,19930727,19930728,19930729,19930730,19930731]},"dim":"date","parent":500},{"children":[919],"coords":{"ints":[19930601,19930602,19930603,19930604,19930605,19930606,19930607,19930608,19930609,19930610,19930611,19930612,19930613,19930614,19930615,19930616,19930617,19930618,19930619,19930620,19930621,19930622,19930623,19930624,19930625,19930626,19930627,19930628,19930629,19930630]},"dim":"date","parent":501},{"children":[920],"coords":{"ints":[19930501,19930502,19930503,19930504,19930505,19930506,19930507,19930508,19930509,19930510,19930511,19930512,19930513,19930514,19930515,19930516,19930517,19930518,19930519,19930520,19930521,19930522,19930523,19930524,19930525,19930526,19930527,19930528,19930529,19930530,19930531]},"dim":"date","parent":502},{"children":[921],"coords":{"ints":[19930401,19930402,19930403,19930404,19930405,19930406,19930407,19930408,19930409,19930410,19930411,19930412,19930413,19930414,19930415,19930416,19930417,19930418,19930419,19930420,19930421,19930422,19930423,19930424,19930425,19930426,19930427,19930428,19930429,19930430]},"dim":"date","parent":503},{"children":[922],"coords":{"ints":[19930301,19930302,19930303,19930304,19930305,19930306,19930307,19930308,19930309,19930310,19930311,19930312,19930313,19930314,19930315,19930316,19930317,19930318,19930319,19930320,19930321,19930322,19930323,19930324,19930325,19930326,19930327,19930328,19930329,19930330,19930331]},"dim":"date","parent":504},{"children":[923],"coords":{"ints":[19930201,19930202,19930203,19930204,19930205,19930206,19930207,19930208,19930209,19930210,19930211,19930212,19930213,19930214,19930215,19930216,19930217,19930218,19930219,19930220,19930221,19930222,19930223,19930224,19930225,19930226,19930227,19930228]},"dim":"date","parent":505},{"children":[924],"coords":{"ints":[19931201,19931202,19931203,19931204,19931205,19931206,19931207,19931208,19931209,19931210,19931211,19931212,19931213,19931214,19931215,19931216,19931217,19931218,19931219,19931220,19931221,19931222,19931223,19931224,19931225,19931226,19931227,19931228,19931229,19931230,19931231]},"dim":"date","parent":506},{"children":[925],"coords":{"ints":[19931101,19931102,19931103,19931104,19931105,19931106,19931107,19931108,19931109,19931110,19931111,19931112,19931113,19931114,19931115,19931116,19931117,19931118,19931119,19931120,19931121,19931122,19931123,19931124,19931125,19931126,19931127,19931128,19931129,19931130]},"dim":"date","parent":507},{"children":[926],"coords":{"ints":[19931001,19931002,19931003,19931004,19931005,19931006,19931007,19931008,19931009,19931010,19931011,19931012,19931013,19931014,19931015,19931016,19931017,19931018,19931019,19931020,19931021,19931022,19931023,19931024,19931025,19931026,19931027,19931028,19931029,19931030,19931031]},"dim":"date","parent":508},{"children":[927],"coords":{"ints":[19930101,19930102,19930103,19930104,19930105,19930106,19930107,19930108,19930109,19930110,19930111,19930112,19930113,19930114,19930115,19930116,19930117,19930118,19930119,19930120,19930121,19930122,19930123,19930124,19930125,19930126,19930127,19930128,19930129,19930130,19930131]},"dim":"date","parent":509},{"children":[928],"coords":{"ints":[19940901,19940902,19940903,19940904,19940905,19940906,19940907,19940908,19940909,19940910,19940911,19940912,19940913,19940914,19940915,19940916,19940917,19940918,19940919,19940920,19940921,19940922,19940923,19940924,19940925,19940926,19940927,19940928,19940929,19940930]},"dim":"date","parent":510},{"children":[929],"coords":{"ints":[19940801,19940802,19940803,19940804,19940805,19940806,19940807,19940808,19940809,19940810,19940811,19940812,19940813,19940814,19940815,19940816,19940817,19940818,19940819,19940820,19940821,19940822,19940823,19940824,19940825,19940826,19940827,19940828,19940829,19940830,19940831]},"dim":"date","parent":511},{"children":[930],"coords":{"ints":[19940701,19940702,19940703,19940704,19940705,19940706,19940707,19940708,19940709,19940710,19940711,19940712,19940713,19940714,19940715,19940716,19940717,19940718,19940719,19940720,19940721,19940722,19940723,19940724,19940725,19940726,19940727,19940728,19940729,19940730,19940731]},"dim":"date","parent":512},{"children":[931],"coords":{"ints":[19940601,19940602,19940603,19940604,19940605,19940606,19940607,19940608,19940609,19940610,19940611,19940612,19940613,19940614,19940615,19940616,19940617,19940618,19940619,19940620,19940621,19940622,19940623,19940624,19940625,19940626,19940627,19940628,19940629,19940630]},"dim":"date","parent":513},{"children":[932],"coords":{"ints":[19940501,19940502,19940503,19940504,19940505,19940506,19940507,19940508,19940509,19940510,19940511,19940512,19940513,19940514,19940515,19940516,19940517,19940518,19940519,19940520,19940521,19940522,19940523,19940524,19940525,19940526,19940527,19940528,19940529,19940530,19940531]},"dim":"date","parent":514},{"children":[933],"coords":{"ints":[19940401,19940402,19940403,19940404,19940405,19940406,19940407,19940408,19940409,19940410,19940411,19940412,19940413,19940414,19940415,19940416,19940417,19940418,19940419,19940420,19940421,19940422,19940423,19940424,19940425,19940426,19940427,19940428,19940429,19940430]},"dim":"date","parent":515},{"children":[934],"coords":{"ints":[19940301,19940302,19940303,19940304,19940305,19940306,19940307,19940308,19940309,19940310,19940311,19940312,19940313,19940314,19940315,19940316,19940317,19940318,19940319,19940320,19940321,19940322,19940323,19940324,19940325,19940326,19940327,19940328,19940329,19940330,19940331]},"dim":"date","parent":516},{"children":[935],"coords":{"ints":[19940201,19940202,19940203,19940204,19940205,19940206,19940207,19940208,19940209,19940210,19940211,19940212,19940213,19940214,19940215,19940216,19940217,19940218,19940219,19940220,19940221,19940222,19940223,19940224,19940225,19940226,19940227,19940228]},"dim":"date","parent":517},{"children":[936],"coords":{"ints":[19941201,19941202,19941203,19941204,19941205,19941206,19941207,19941208,19941209,19941210,19941211,19941212,19941213,19941214,19941215,19941216,19941217,19941218,19941219,19941220,19941221,19941222,19941223,19941224,19941225,19941226,19941227,19941228,19941229,19941230,19941231]},"dim":"date","parent":518},{"children":[937],"coords":{"ints":[19941101,19941102,19941103,19941104,19941105,19941106,19941107,19941108,19941109,19941110,19941111,19941112,19941113,19941114,19941115,19941116,19941117,19941118,19941119,19941120,19941121,19941122,19941123,19941124,19941125,19941126,19941127,19941128,19941129,19941130]},"dim":"date","parent":519},{"children":[938],"coords":{"ints":[19941001,19941002,19941003,19941004,19941005,19941006,19941007,19941008,19941009,19941010,19941011,19941012,19941013,19941014,19941015,19941016,19941017,19941018,19941019,19941020,19941021,19941022,19941023,19941024,19941025,19941026,19941027,19941028,19941029,19941030,19941031]},"dim":"date","parent":520},{"children":[939],"coords":{"ints":[19940101,19940102,19940103,19940104,19940105,19940106,19940107,19940108,19940109,19940110,19940111,19940112,19940113,19940114,19940115,19940116,19940117,19940118,19940119,19940120,19940121,19940122,19940123,19940124,19940125,19940126,19940127,19940128,19940129,19940130,19940131]},"dim":"date","parent":521},{"children":[940],"coords":{"ints":[19950901,19950902,19950903,19950904,19950905,19950906,19950907,19950908,19950909,19950910,19950911,19950912,19950913,19950914,19950915,19950916,19950917,19950918,19950919,19950920,19950921,19950922,19950923,19950924,19950925,19950926,19950927,19950928,19950929,19950930]},"dim":"date","parent":522},{"children":[941],"coords":{"ints":[19950801,19950802,19950803,19950804,19950805,19950806,19950807,19950808,19950809,19950810,19950811,19950812,19950813,19950814,19950815,19950816,19950817,19950818,19950819,19950820,19950821,19950822,19950823,19950824,19950825,19950826,19950827,19950828,19950829,19950830,19950831]},"dim":"date","parent":523},{"children":[942],"coords":{"ints":[19950701,19950702,19950703,19950704,19950705,19950706,19950707,19950708,19950709,19950710,19950711,19950712,19950713,19950714,19950715,19950716,19950717,19950718,19950719,19950720,19950721,19950722,19950723,19950724,19950725,19950726,19950727,19950728,19950729,19950730,19950731]},"dim":"date","parent":524},{"children":[943],"coords":{"ints":[19950601,19950602,19950603,19950604,19950605,19950606,19950607,19950608,19950609,19950610,19950611,19950612,19950613,19950614,19950615,19950616,19950617,19950618,19950619,19950620,19950621,19950622,19950623,19950624,19950625,19950626,19950627,19950628,19950629,19950630]},"dim":"date","parent":525},{"children":[944],"coords":{"ints":[19950501,19950502,19950503,19950504,19950505,19950506,19950507,19950508,19950509,19950510,19950511,19950512,19950513,19950514,19950515,19950516,19950517,19950518,19950519,19950520,19950521,19950522,19950523,19950524,19950525,19950526,19950527,19950528,19950529,19950530,19950531]},"dim":"date","parent":526},{"children":[945],"coords":{"ints":[19950401,19950402,19950403,19950404,19950405,19950406,19950407,19950408,19950409,19950410,19950411,19950412,19950413,19950414,19950415,19950416,19950417,19950418,19950419,19950420,19950421,19950422,19950423,19950424,19950425,19950426,19950427,19950428,19950429,19950430]},"dim":"date","parent":527},{"children":[946],"coords":{"ints":[19950301,19950302,19950303,19950304,19950305,19950306,19950307,19950308,19950309,19950310,19950311,19950312,19950313,19950314,19950315,19950316,19950317,19950318,19950319,19950320,19950321,19950322,19950323,19950324,19950325,19950326,19950327,19950328,19950329,19950330,19950331]},"dim":"date","parent":528},{"children":[947],"coords":{"ints":[19950201,19950202,19950203,19950204,19950205,19950206,19950207,19950208,19950209,19950210,19950211,19950212,19950213,19950214,19950215,19950216,19950217,19950218,19950219,19950220,19950221,19950222,19950223,19950224,19950225,19950226,19950227,19950228]},"dim":"date","parent":529},{"children":[948],"coords":{"ints":[19951201,19951202,19951203,19951204,19951205,19951206,19951207,19951208,19951209,19951210,19951211,19951212,19951213,19951214,19951215,19951216,19951217,19951218,19951219,19951220,19951221,19951222,19951223,19951224,19951225,19951226,19951227,19951228,19951229,19951230,19951231]},"dim":"date","parent":530},{"children":[949],"coords":{"ints":[19951101,19951102,19951103,19951104,19951105,19951106,19951107,19951108,19951109,19951110,19951111,19951112,19951113,19951114,19951115,19951116,19951117,19951118,19951119,19951120,19951121,19951122,19951123,19951124,19951125,19951126,19951127,19951128,19951129,19951130]},"dim":"date","parent":531},{"children":[950],"coords":{"ints":[19951001,19951002,19951003,19951004,19951005,19951006,19951007,19951008,19951009,19951010,19951011,19951012,19951013,19951014,19951015,19951016,19951017,19951018,19951019,19951020,19951021,19951022,19951023,19951024,19951025,19951026,19951027,19951028,19951029,19951030,19951031]},"dim":"date","parent":532},{"children":[951],"coords":{"ints":[19950101,19950102,19950103,19950104,19950105,19950106,19950107,19950108,19950109,19950110,19950111,19950112,19950113,19950114,19950115,19950116,19950117,19950118,19950119,19950120,19950121,19950122,19950123,19950124,19950125,19950126,19950127,19950128,19950129,19950130,19950131]},"dim":"date","parent":533},{"children":[952],"coords":{"ints":[19960901,19960902,19960903,19960904,19960905,19960906,19960907,19960908,19960909,19960910,19960911,19960912,19960913,19960914,19960915,19960916,19960917,19960918,19960919,19960920,19960921,19960922,19960923,19960924,19960925,19960926,19960927,19960928,19960929,19960930]},"dim":"date","parent":534},{"children":[953],"coords":{"ints":[19960801,19960802,19960803,19960804,19960805,19960806,19960807,19960808,19960809,19960810,19960811,19960812,19960813,19960814,19960815,19960816,19960817,19960818,19960819,19960820,19960821,19960822,19960823,19960824,19960825,19960826,19960827,19960828,19960829,19960830,19960831]},"dim":"date","parent":535},{"children":[954],"coords":{"ints":[19960701,19960702,19960703,19960704,19960705,19960706,19960707,19960708,19960709,19960710,19960711,19960712,19960713,19960714,19960715,19960716,19960717,19960718,19960719,19960720,19960721,19960722,19960723,19960724,19960725,19960726,19960727,19960728,19960729,19960730,19960731]},"dim":"date","parent":536},{"children":[955],"coords":{"ints":[19960601,19960602,19960603,19960604,19960605,19960606,19960607,19960608,19960609,19960610,19960611,19960612,19960613,19960614,19960615,19960616,19960617,19960618,19960619,19960620,19960621,19960622,19960623,19960624,19960625,19960626,19960627,19960628,19960629,19960630]},"dim":"date","parent":537},{"children":[956],"coords":{"ints":[19960501,19960502,19960503,19960504,19960505,19960506,19960507,19960508,19960509,19960510,19960511,19960512,19960513,19960514,19960515,19960516,19960517,19960518,19960519,19960520,19960521,19960522,19960523,19960524,19960525,19960526,19960527,19960528,19960529,19960530,19960531]},"dim":"date","parent":538},{"children":[957],"coords":{"ints":[19960401,19960402,19960403,19960404,19960405,19960406,19960407,19960408,19960409,19960410,19960411,19960412,19960413,19960414,19960415,19960416,19960417,19960418,19960419,19960420,19960421,19960422,19960423,19960424,19960425,19960426,19960427,19960428,19960429,19960430]},"dim":"date","parent":539},{"children":[958],"coords":{"ints":[19960301,19960302,19960303,19960304,19960305,19960306,19960307,19960308,19960309,19960310,19960311,19960312,19960313,19960314,19960315,19960316,19960317,19960318,19960319,19960320,19960321,19960322,19960323,19960324,19960325,19960326,19960327,19960328,19960329,19960330,19960331]},"dim":"date","parent":540},{"children":[959],"coords":{"ints":[19960201,19960202,19960203,19960204,19960205,19960206,19960207,19960208,19960209,19960210,19960211,19960212,19960213,19960214,19960215,19960216,19960217,19960218,19960219,19960220,19960221,19960222,19960223,19960224,19960225,19960226,19960227,19960228,19960229]},"dim":"date","parent":541},{"children":[960],"coords":{"ints":[19961201,19961202,19961203,19961204,19961205,19961206,19961207,19961208,19961209,19961210,19961211,19961212,19961213,19961214,19961215,19961216,19961217,19961218,19961219,19961220,19961221,19961222,19961223,19961224,19961225,19961226,19961227,19961228,19961229,19961230,19961231]},"dim":"date","parent":542},{"children":[961],"coords":{"ints":[19961101,19961102,19961103,19961104,19961105,19961106,19961107,19961108,19961109,19961110,19961111,19961112,19961113,19961114,19961115,19961116,19961117,19961118,19961119,19961120,19961121,19961122,19961123,19961124,19961125,19961126,19961127,19961128,19961129,19961130]},"dim":"date","parent":543},{"children":[962],"coords":{"ints":[19961001,19961002,19961003,19961004,19961005,19961006,19961007,19961008,19961009,19961010,19961011,19961012,19961013,19961014,19961015,19961016,19961017,19961018,19961019,19961020,19961021,19961022,19961023,19961024,19961025,19961026,19961027,19961028,19961029,19961030,19961031]},"dim":"date","parent":544},{"children":[963],"coords":{"ints":[19960101,19960102,19960103,19960104,19960105,19960106,19960107,19960108,19960109,19960110,19960111,19960112,19960113,19960114,19960115,19960116,19960117,19960118,19960119,19960120,19960121,19960122,19960123,19960124,19960125,19960126,19960127,19960128,19960129,19960130,19960131]},"dim":"date","parent":545},{"children":[964],"coords":{"ints":[19970901,19970902,19970903,19970904,19970905,19970906,19970907,19970908,19970909,19970910,19970911,19970912,19970913,19970914,19970915,19970916,19970917,19970918,19970919,19970920,19970921,19970922,19970923,19970924,19970925,19970926,19970927,19970928,19970929,19970930]},"dim":"date","parent":546},{"children":[965],"coords":{"ints":[19970801,19970802,19970803,19970804,19970805,19970806,19970807,19970808,19970809,19970810,19970811,19970812,19970813,19970814,19970815,19970816,19970817,19970818,19970819,19970820,19970821,19970822,19970823,19970824,19970825,19970826,19970827,19970828,19970829,19970830,19970831]},"dim":"date","parent":547},{"children":[966],"coords":{"ints":[19970701,19970702,19970703,19970704,19970705,19970706,19970707,19970708,19970709,19970710,19970711,19970712,19970713,19970714,19970715,19970716,19970717,19970718,19970719,19970720,19970721,19970722,19970723,19970724,19970725,19970726,19970727,19970728,19970729,19970730,19970731]},"dim":"date","parent":548},{"children":[967],"coords":{"ints":[19970601,19970602,19970603,19970604,19970605,19970606,19970607,19970608,19970609,19970610,19970611,19970612,19970613,19970614,19970615,19970616,19970617,19970618,19970619,19970620,19970621,19970622,19970623,19970624,19970625,19970626,19970627,19970628,19970629,19970630]},"dim":"date","parent":549},{"children":[968],"coords":{"ints":[19970501,19970502,19970503,19970504,19970505,19970506,19970507,19970508,19970509,19970510,19970511,19970512,19970513,19970514,19970515,19970516,19970517,19970518,19970519,19970520,19970521,19970522,19970523,19970524,19970525,19970526,19970527,19970528,19970529,19970530,19970531]},"dim":"date","parent":550},{"children":[969],"coords":{"ints":[19970401,19970402,19970403,19970404,19970405,19970406,19970407,19970408,19970409,19970410,19970411,19970412,19970413,19970414,19970415,19970416,19970417,19970418,19970419,19970420,19970421,19970422,19970423,19970424,19970425,19970426,19970427,19970428,19970429,19970430]},"dim":"date","parent":551},{"children":[970],"coords":{"ints":[19970301,19970302,19970303,19970304,19970305,19970306,19970307,19970308,19970309,19970310,19970311,19970312,19970313,19970314,19970315,19970316,19970317,19970318,19970319,19970320,19970321,19970322,19970323,19970324,19970325,19970326,19970327,19970328,19970329,19970330,19970331]},"dim":"date","parent":552},{"children":[971],"coords":{"ints":[19970201,19970202,19970203,19970204,19970205,19970206,19970207,19970208,19970209,19970210,19970211,19970212,19970213,19970214,19970215,19970216,19970217,19970218,19970219,19970220,19970221,19970222,19970223,19970224,19970225,19970226,19970227,19970228]},"dim":"date","parent":553},{"children":[972],"coords":{"ints":[19971201,19971202,19971203,19971204,19971205,19971206,19971207,19971208,19971209,19971210,19971211,19971212,19971213,19971214,19971215,19971216,19971217,19971218,19971219,19971220,19971221,19971222,19971223,19971224,19971225,19971226,19971227,19971228,19971229,19971230,19971231]},"dim":"date","parent":554},{"children":[973],"coords":{"ints":[19971101,19971102,19971103,19971104,19971105,19971106,19971107,19971108,19971109,19971110,19971111,19971112,19971113,19971114,19971115,19971116,19971117,19971118,19971119,19971120,19971121,19971122,19971123,19971124,19971125,19971126,19971127,19971128,19971129,19971130]},"dim":"date","parent":555},{"children":[974],"coords":{"ints":[19971001,19971002,19971003,19971004,19971005,19971006,19971007,19971008,19971009,19971010,19971011,19971012,19971013,19971014,19971015,19971016,19971017,19971018,19971019,19971020,19971021,19971022,19971023,19971024,19971025,19971026,19971027,19971028,19971029,19971030,19971031]},"dim":"date","parent":556},{"children":[975],"coords":{"ints":[19970101,19970102,19970103,19970104,19970105,19970106,19970107,19970108,19970109,19970110,19970111,19970112,19970113,19970114,19970115,19970116,19970117,19970118,19970119,19970120,19970121,19970122,19970123,19970124,19970125,19970126,19970127,19970128,19970129,19970130,19970131]},"dim":"date","parent":557},{"children":[976],"coords":{"ints":[19980901,19980902,19980903,19980904,19980905,19980906,19980907,19980908,19980909,19980910,19980911,19980912,19980913,19980914,19980915,19980916,19980917,19980918,19980919,19980920,19980921,19980922,19980923,19980924,19980925,19980926,19980927,19980928,19980929,19980930]},"dim":"date","parent":558},{"children":[977],"coords":{"ints":[19980801,19980802,19980803,19980804,19980805,19980806,19980807,19980808,19980809,19980810,19980811,19980812,19980813,19980814,19980815,19980816,19980817,19980818,19980819,19980820,19980821,19980822,19980823,19980824,19980825,19980826,19980827,19980828,19980829,19980830,19980831]},"dim":"date","parent":559},{"children":[978],"coords":{"ints":[19980701,19980702,19980703,19980704,19980705,19980706,19980707,19980708,19980709,19980710,19980711,19980712,19980713,19980714,19980715,19980716,19980717,19980718,19980719,19980720,19980721,19980722,19980723,19980724,19980725,19980726,19980727,19980728,19980729,19980730,19980731]},"dim":"date","parent":560},{"children":[979],"coords":{"ints":[19980601,19980602,19980603,19980604,19980605,19980606,19980607,19980608,19980609,19980610,19980611,19980612,19980613,19980614,19980615,19980616,19980617,19980618,19980619,19980620,19980621,19980622,19980623,19980624,19980625,19980626,19980627,19980628,19980629,19980630]},"dim":"date","parent":561},{"children":[980],"coords":{"ints":[19980501,19980502,19980503,19980504,19980505,19980506,19980507,19980508,19980509,19980510,19980511,19980512,19980513,19980514,19980515,19980516,19980517,19980518,19980519,19980520,19980521,19980522,19980523,19980524,19980525,19980526,19980527,19980528,19980529,19980530,19980531]},"dim":"date","parent":562},{"children":[981],"coords":{"ints":[19980401,19980402,19980403,19980404,19980405,19980406,19980407,19980408,19980409,19980410,19980411,19980412,19980413,19980414,19980415,19980416,19980417,19980418,19980419,19980420,19980421,19980422,19980423,19980424,19980425,19980426,19980427,19980428,19980429,19980430]},"dim":"date","parent":563},{"children":[982],"coords":{"ints":[19980301,19980302,19980303,19980304,19980305,19980306,19980307,19980308,19980309,19980310,19980311,19980312,19980313,19980314,19980315,19980316,19980317,19980318,19980319,19980320,19980321,19980322,19980323,19980324,19980325,19980326,19980327,19980328,19980329,19980330,19980331]},"dim":"date","parent":564},{"children":[983],"coords":{"ints":[19980201,19980202,19980203,19980204,19980205,19980206,19980207,19980208,19980209,19980210,19980211,19980212,19980213,19980214,19980215,19980216,19980217,19980218,19980219,19980220,19980221,19980222,19980223,19980224,19980225,19980226,19980227,19980228]},"dim":"date","parent":565},{"children":[984],"coords":{"ints":[19981201,19981202,19981203,19981204,19981205,19981206,19981207,19981208,19981209,19981210,19981211,19981212,19981213,19981214,19981215,19981216,19981217,19981218,19981219,19981220,19981221,19981222,19981223,19981224,19981225,19981226,19981227,19981228,19981229,19981230,19981231]},"dim":"date","parent":566},{"children":[985],"coords":{"ints":[19981101,19981102,19981103,19981104,19981105,19981106,19981107,19981108,19981109,19981110,19981111,19981112,19981113,19981114,19981115,19981116,19981117,19981118,19981119,19981120,19981121,19981122,19981123,19981124,19981125,19981126,19981127,19981128,19981129,19981130]},"dim":"date","parent":567},{"children":[986],"coords":{"ints":[19981001,19981002,19981003,19981004,19981005,19981006,19981007,19981008,19981009,19981010,19981011,19981012,19981013,19981014,19981015,19981016,19981017,19981018,19981019,19981020,19981021,19981022,19981023,19981024,19981025,19981026,19981027,19981028,19981029,19981030,19981031]},"dim":"date","parent":568},{"children":[987],"coords":{"ints":[19980101,19980102,19980103,19980104,19980105,19980106,19980107,19980108,19980109,19980110,19980111,19980112,19980113,19980114,19980115,19980116,19980117,19980118,19980119,19980120,19980121,19980122,19980123,19980124,19980125,19980126,19980127,19980128,19980129,19980130,19980131]},"dim":"date","parent":569},{"children":[988],"coords":{"ints":[19990901,19990902,19990903,19990904,19990905,19990906,19990907,19990908,19990909,19990910,19990911,19990912,19990913,19990914,19990915,19990916,19990917,19990918,19990919,19990920,19990921,19990922,19990923,19990924,19990925,19990926,19990927,19990928,19990929,19990930]},"dim":"date","parent":570},{"children":[989],"coords":{"ints":[19990801,19990802,19990803,19990804,19990805,19990806,19990807,19990808,19990809,19990810,19990811,19990812,19990813,19990814,19990815,19990816,19990817,19990818,19990819,19990820,19990821,19990822,19990823,19990824,19990825,19990826,19990827,19990828,19990829,19990830,19990831]},"dim":"date","parent":571},{"children":[990],"coords":{"ints":[19990701,19990702,19990703,19990704,19990705,19990706,19990707,19990708,19990709,19990710,19990711,19990712,19990713,19990714,19990715,19990716,19990717,19990718,19990719,19990720,19990721,19990722,19990723,19990724,19990725,19990726,19990727,19990728,19990729,19990730,19990731]},"dim":"date","parent":572},{"children":[991],"coords":{"ints":[19990601,19990602,19990603,19990604,19990605,19990606,19990607,19990608,19990609,19990610,19990611,19990612,19990613,19990614,19990615,19990616,19990617,19990618,19990619,19990620,19990621,19990622,19990623,19990624,19990625,19990626,19990627,19990628,19990629,19990630]},"dim":"date","parent":573},{"children":[992],"coords":{"ints":[19990501,19990502,19990503,19990504,19990505,19990506,19990507,19990508,19990509,19990510,19990511,19990512,19990513,19990514,19990515,19990516,19990517,19990518,19990519,19990520,19990521,19990522,19990523,19990524,19990525,19990526,19990527,19990528,19990529,19990530,19990531]},"dim":"date","parent":574},{"children":[993],"coords":{"ints":[19990401,19990402,19990403,19990404,19990405,19990406,19990407,19990408,19990409,19990410,19990411,19990412,19990413,19990414,19990415,19990416,19990417,19990418,19990419,19990420,19990421,19990422,19990423,19990424,19990425,19990426,19990427,19990428,19990429,19990430]},"dim":"date","parent":575},{"children":[994],"coords":{"ints":[19990301,19990302,19990303,19990304,19990305,19990306,19990307,19990308,19990309,19990310,19990311,19990312,19990313,19990314,19990315,19990316,19990317,19990318,19990319,19990320,19990321,19990322,19990323,19990324,19990325,19990326,19990327,19990328,19990329,19990330,19990331]},"dim":"date","parent":576},{"children":[995],"coords":{"ints":[19990201,19990202,19990203,19990204,19990205,19990206,19990207,19990208,19990209,19990210,19990211,19990212,19990213,19990214,19990215,19990216,19990217,19990218,19990219,19990220,19990221,19990222,19990223,19990224,19990225,19990226,19990227,19990228]},"dim":"date","parent":577},{"children":[996],"coords":{"ints":[19991201,19991202,19991203,19991204,19991205,19991206,19991207,19991208,19991209,19991210,19991211,19991212,19991213,19991214,19991215,19991216,19991217,19991218,19991219,19991220,19991221,19991222,19991223,19991224,19991225,19991226,19991227,19991228,19991229,19991230,19991231]},"dim":"date","parent":578},{"children":[997],"coords":{"ints":[19991101,19991102,19991103,19991104,19991105,19991106,19991107,19991108,19991109,19991110,19991111,19991112,19991113,19991114,19991115,19991116,19991117,19991118,19991119,19991120,19991121,19991122,19991123,19991124,19991125,19991126,19991127,19991128,19991129,19991130]},"dim":"date","parent":579},{"children":[998],"coords":{"ints":[19991001,19991002,19991003,19991004,19991005,19991006,19991007,19991008,19991009,19991010,19991011,19991012,19991013,19991014,19991015,19991016,19991017,19991018,19991019,19991020,19991021,19991022,19991023,19991024,19991025,19991026,19991027,19991028,19991029,19991030,19991031]},"dim":"date","parent":580},{"children":[999],"coords":{"ints":[19990101,19990102,19990103,19990104,19990105,19990106,19990107,19990108,19990109,19990110,19990111,19990112,19990113,19990114,19990115,19990116,19990117,19990118,19990119,19990120,19990121,19990122,19990123,19990124,19990125,19990126,19990127,19990128,19990129,19990130,19990131]},"dim":"date","parent":581},{"children":[1000],"coords":{"ints":[20000901,20000902,20000903,20000904,20000905,20000906,20000907,20000908,20000909,20000910,20000911,20000912,20000913,20000914,20000915,20000916,20000917,20000918,20000919,20000920,20000921,20000922,20000923,20000924,20000925,20000926,20000927,20000928,20000929,20000930]},"dim":"date","parent":582},{"children":[1001],"coords":{"ints":[20000801,20000802,20000803,20000804,20000805,20000806,20000807,20000808,20000809,20000810,20000811,20000812,20000813,20000814,20000815,20000816,20000817,20000818,20000819,20000820,20000821,20000822,20000823,20000824,20000825,20000826,20000827,20000828,20000829,20000830,20000831]},"dim":"date","parent":583},{"children":[1002],"coords":{"ints":[20000701,20000702,20000703,20000704,20000705,20000706,20000707,20000708,20000709,20000710,20000711,20000712,20000713,20000714,20000715,20000716,20000717,20000718,20000719,20000720,20000721,20000722,20000723,20000724,20000725,20000726,20000727,20000728,20000729,20000730,20000731]},"dim":"date","parent":584},{"children":[1003],"coords":{"ints":[20000601,20000602,20000603,20000604,20000605,20000606,20000607,20000608,20000609,20000610,20000611,20000612,20000613,20000614,20000615,20000616,20000617,20000618,20000619,20000620,20000621,20000622,20000623,20000624,20000625,20000626,20000627,20000628,20000629,20000630]},"dim":"date","parent":585},{"children":[1004],"coords":{"ints":[20000501,20000502,20000503,20000504,20000505,20000506,20000507,20000508,20000509,20000510,20000511,20000512,20000513,20000514,20000515,20000516,20000517,20000518,20000519,20000520,20000521,20000522,20000523,20000524,20000525,20000526,20000527,20000528,20000529,20000530,20000531]},"dim":"date","parent":586},{"children":[1005],"coords":{"ints":[20000401,20000402,20000403,20000404,20000405,20000406,20000407,20000408,20000409,20000410,20000411,20000412,20000413,20000414,20000415,20000416,20000417,20000418,20000419,20000420,20000421,20000422,20000423,20000424,20000425,20000426,20000427,20000428,20000429,20000430]},"dim":"date","parent":587},{"children":[1006],"coords":{"ints":[20000301,20000302,20000303,20000304,20000305,20000306,20000307,20000308,20000309,20000310,20000311,20000312,20000313,20000314,20000315,20000316,20000317,20000318,20000319,20000320,20000321,20000322,20000323,20000324,20000325,20000326,20000327,20000328,20000329,20000330,20000331]},"dim":"date","parent":588},{"children":[1007],"coords":{"ints":[20000201,20000202,20000203,20000204,20000205,20000206,20000207,20000208,20000209,20000210,20000211,20000212,20000213,20000214,20000215,20000216,20000217,20000218,20000219,20000220,20000221,20000222,20000223,20000224,20000225,20000226,20000227,20000228,20000229]},"dim":"date","parent":589},{"children":[1008],"coords":{"ints":[20001201,20001202,20001203,20001204,20001205,20001206,20001207,20001208,20001209,20001210,20001211,20001212,20001213,20001214,20001215,20001216,20001217,20001218,20001219,20001220,20001221,20001222,20001223,20001224,20001225,20001226,20001227,20001228,20001229,20001230,20001231]},"dim":"date","parent":590},{"children":[1009],"coords":{"ints":[20001101,20001102,20001103,20001104,20001105,20001106,20001107,20001108,20001109,20001110,20001111,20001112,20001113,20001114,20001115,20001116,20001117,20001118,20001119,20001120,20001121,20001122,20001123,20001124,20001125,20001126,20001127,20001128,20001129,20001130]},"dim":"date","parent":591},{"children":[1010],"coords":{"ints":[20001001,20001002,20001003,20001004,20001005,20001006,20001007,20001008,20001009,20001010,20001011,20001012,20001013,20001014,20001015,20001016,20001017,20001018,20001019,20001020,20001021,20001022,20001023,20001024,20001025,20001026,20001027,20001028,20001029,20001030,20001031]},"dim":"date","parent":592},{"children":[1011],"coords":{"ints":[20000101,20000102,20000103,20000104,20000105,20000106,20000107,20000108,20000109,20000110,20000111,20000112,20000113,20000114,20000115,20000116,20000117,20000118,20000119,20000120,20000121,20000122,20000123,20000124,20000125,20000126,20000127,20000128,20000129,20000130,20000131]},"dim":"date","parent":593},{"children":[1012],"coords":{"ints":[20010901,20010902,20010903,20010904,20010905,20010906,20010907,20010908,20010909,20010910,20010911,20010912,20010913,20010914,20010915,20010916,20010917,20010918,20010919,20010920,20010921,20010922,20010923,20010924,20010925,20010926,20010927,20010928,20010929,20010930]},"dim":"date","parent":594},{"children":[1013],"coords":{"ints":[20010801,20010802,20010803,20010804,20010805,20010806,20010807,20010808,20010809,20010810,20010811,20010812,20010813,20010814,20010815,20010816,20010817,20010818,20010819,20010820,20010821,20010822,20010823,20010824,20010825,20010826,20010827,20010828,20010829,20010830,20010831]},"dim":"date","parent":595},{"children":[1014],"coords":{"ints":[20010701,20010702,20010703,20010704,20010705,20010706,20010707,20010708,20010709,20010710,20010711,20010712,20010713,20010714,20010715,20010716,20010717,20010718,20010719,20010720,20010721,20010722,20010723,20010724,20010725,20010726,20010727,20010728,20010729,20010730,20010731]},"dim":"date","parent":596},{"children":[1015],"coords":{"ints":[20010601,20010602,20010603,20010604,20010605,20010606,20010607,20010608,20010609,20010610,20010611,20010612,20010613,20010614,20010615,20010616,20010617,20010618,20010619,20010620,20010621,20010622,20010623,20010624,20010625,20010626,20010627,20010628,20010629,20010630]},"dim":"date","parent":597},{"children":[1016],"coords":{"ints":[20010501,20010502,20010503,20010504,20010505,20010506,20010507,20010508,20010509,20010510,20010511,20010512,20010513,20010514,20010515,20010516,20010517,20010518,20010519,20010520,20010521,20010522,20010523,20010524,20010525,20010526,20010527,20010528,20010529,20010530,20010531]},"dim":"date","parent":598},{"children":[1017],"coords":{"ints":[20010401,20010402,20010403,20010404,20010405,20010406,20010407,20010408,20010409,20010410,20010411,20010412,20010413,20010414,20010415,20010416,20010417,20010418,20010419,20010420,20010421,20010422,20010423,20010424,20010425,20010426,20010427,20010428,20010429,20010430]},"dim":"date","parent":599},{"children":[1018],"coords":{"ints":[20010301,20010302,20010303,20010304,20010305,20010306,20010307,20010308,20010309,20010310,20010311,20010312,20010313,20010314,20010315,20010316,20010317,20010318,20010319,20010320,20010321,20010322,20010323,20010324,20010325,20010326,20010327,20010328,20010329,20010330,20010331]},"dim":"date","parent":600},{"children":[1019],"coords":{"ints":[20010201,20010202,20010203,20010204,20010205,20010206,20010207,20010208,20010209,20010210,20010211,20010212,20010213,20010214,20010215,20010216,20010217,20010218,20010219,20010220,20010221,20010222,20010223,20010224,20010225,20010226,20010227,20010228]},"dim":"date","parent":601},{"children":[1020],"coords":{"ints":[20011201,20011202,20011203,20011204,20011205,20011206,20011207,20011208,20011209,20011210,20011211,20011212,20011213,20011214,20011215,20011216,20011217,20011218,20011219,20011220,20011221,20011222,20011223,20011224,20011225,20011226,20011227,20011228,20011229,20011230,20011231]},"dim":"date","parent":602},{"children":[1021],"coords":{"ints":[20011101,20011102,20011103,20011104,20011105,20011106,20011107,20011108,20011109,20011110,20011111,20011112,20011113,20011114,20011115,20011116,20011117,20011118,20011119,20011120,20011121,20011122,20011123,20011124,20011125,20011126,20011127,20011128,20011129,20011130]},"dim":"date","parent":603},{"children":[1022],"coords":{"ints":[20011001,20011002,20011003,20011004,20011005,20011006,20011007,20011008,20011009,20011010,20011011,20011012,20011013,20011014,20011015,20011016,20011017,20011018,20011019,20011020,20011021,20011022,20011023,20011024,20011025,20011026,20011027,20011028,20011029,20011030,20011031]},"dim":"date","parent":604},{"children":[1023],"coords":{"ints":[20010101,20010102,20010103,20010104,20010105,20010106,20010107,20010108,20010109,20010110,20010111,20010112,20010113,20010114,20010115,20010116,20010117,20010118,20010119,20010120,20010121,20010122,20010123,20010124,20010125,20010126,20010127,20010128,20010129,20010130,20010131]},"dim":"date","parent":605},{"children":[1024],"coords":{"ints":[20020901,20020902,20020903,20020904,20020905,20020906,20020907,20020908,20020909,20020910,20020911,20020912,20020913,20020914,20020915,20020916,20020917,20020918,20020919,20020920,20020921,20020922,20020923,20020924,20020925,20020926,20020927,20020928,20020929,20020930]},"dim":"date","parent":606},{"children":[1025],"coords":{"ints":[20020801,20020802,20020803,20020804,20020805,20020806,20020807,20020808,20020809,20020810,20020811,20020812,20020813,20020814,20020815,20020816,20020817,20020818,20020819,20020820,20020821,20020822,20020823,20020824,20020825,20020826,20020827,20020828,20020829,20020830,20020831]},"dim":"date","parent":607},{"children":[1026],"coords":{"ints":[20020701,20020702,20020703,20020704,20020705,20020706,20020707,20020708,20020709,20020710,20020711,20020712,20020713,20020714,20020715,20020716,20020717,20020718,20020719,20020720,20020721,20020722,20020723,20020724,20020725,20020726,20020727,20020728,20020729,20020730,20020731]},"dim":"date","parent":608},{"children":[1027],"coords":{"ints":[20020601,20020602,20020603,20020604,20020605,20020606,20020607,20020608,20020609,20020610,20020611,20020612,20020613,20020614,20020615,20020616,20020617,20020618,20020619,20020620,20020621,20020622,20020623,20020624,20020625,20020626,20020627,20020628,20020629,20020630]},"dim":"date","parent":609},{"children":[1028],"coords":{"ints":[20020501,20020502,20020503,20020504,20020505,20020506,20020507,20020508,20020509,20020510,20020511,20020512,20020513,20020514,20020515,20020516,20020517,20020518,20020519,20020520,20020521,20020522,20020523,20020524,20020525,20020526,20020527,20020528,20020529,20020530,20020531]},"dim":"date","parent":610},{"children":[1029],"coords":{"ints":[20020401,20020402,20020403,20020404,20020405,20020406,20020407,20020408,20020409,20020410,20020411,20020412,20020413,20020414,20020415,20020416,20020417,20020418,20020419,20020420,20020421,20020422,20020423,20020424,20020425,20020426,20020427,20020428,20020429,20020430]},"dim":"date","parent":611},{"children":[1030],"coords":{"ints":[20020301,20020302,20020303,20020304,20020305,20020306,20020307,20020308,20020309,20020310,20020311,20020312,20020313,20020314,20020315,20020316,20020317,20020318,20020319,20020320,20020321,20020322,20020323,20020324,20020325,20020326,20020327,20020328,20020329,20020330,20020331]},"dim":"date","parent":612},{"children":[1031],"coords":{"ints":[20020201,20020202,20020203,20020204,20020205,20020206,20020207,20020208,20020209,20020210,20020211,20020212,20020213,20020214,20020215,20020216,20020217,20020218,20020219,20020220,20020221,20020222,20020223,20020224,20020225,20020226,20020227,20020228]},"dim":"date","parent":613},{"children":[1032],"coords":{"ints":[20021201,20021202,20021203,20021204,20021205,20021206,20021207,20021208,20021209,20021210,20021211,20021212,20021213,20021214,20021215,20021216,20021217,20021218,20021219,20021220,20021221,20021222,20021223,20021224,20021225,20021226,20021227,20021228,20021229,20021230,20021231]},"dim":"date","parent":614},{"children":[1033],"coords":{"ints":[20021101,20021102,20021103,20021104,20021105,20021106,20021107,20021108,20021109,20021110,20021111,20021112,20021113,20021114,20021115,20021116,20021117,20021118,20021119,20021120,20021121,20021122,20021123,20021124,20021125,20021126,20021127,20021128,20021129,20021130]},"dim":"date","parent":615},{"children":[1034],"coords":{"ints":[20021001,20021002,20021003,20021004,20021005,20021006,20021007,20021008,20021009,20021010,20021011,20021012,20021013,20021014,20021015,20021016,20021017,20021018,20021019,20021020,20021021,20021022,20021023,20021024,20021025,20021026,20021027,20021028,20021029,20021030,20021031]},"dim":"date","parent":616},{"children":[1035],"coords":{"ints":[20020101,20020102,20020103,20020104,20020105,20020106,20020107,20020108,20020109,20020110,20020111,20020112,20020113,20020114,20020115,20020116,20020117,20020118,20020119,20020120,20020121,20020122,20020123,20020124,20020125,20020126,20020127,20020128,20020129,20020130,20020131]},"dim":"date","parent":617},{"children":[1036],"coords":{"ints":[20030901,20030902,20030903,20030904,20030905,20030906,20030907,20030908,20030909,20030910,20030911,20030912,20030913,20030914,20030915,20030916,20030917,20030918,20030919,20030920,20030921,20030922,20030923,20030924,20030925,20030926,20030927,20030928,20030929,20030930]},"dim":"date","parent":618},{"children":[1037],"coords":{"ints":[20030801,20030802,20030803,20030804,20030805,20030806,20030807,20030808,20030809,20030810,20030811,20030812,20030813,20030814,20030815,20030816,20030817,20030818,20030819,20030820,20030821,20030822,20030823,20030824,20030825,20030826,20030827,20030828,20030829,20030830,20030831]},"dim":"date","parent":619},{"children":[1038],"coords":{"ints":[20030701,20030702,20030703,20030704,20030705,20030706,20030707,20030708,20030709,20030710,20030711,20030712,20030713,20030714,20030715,20030716,20030717,20030718,20030719,20030720,20030721,20030722,20030723,20030724,20030725,20030726,20030727,20030728,20030729,20030730,20030731]},"dim":"date","parent":620},{"children":[1039],"coords":{"ints":[20030601,20030602,20030603,20030604,20030605,20030606,20030607,20030608,20030609,20030610,20030611,20030612,20030613,20030614,20030615,20030616,20030617,20030618,20030619,20030620,20030621,20030622,20030623,20030624,20030625,20030626,20030627,20030628,20030629,20030630]},"dim":"date","parent":621},{"children":[1040],"coords":{"ints":[20030501,20030502,20030503,20030504,20030505,20030506,20030507,20030508,20030509,20030510,20030511,20030512,20030513,20030514,20030515,20030516,20030517,20030518,20030519,20030520,20030521,20030522,20030523,20030524,20030525,20030526,20030527,20030528,20030529,20030530,20030531]},"dim":"date","parent":622},{"children":[1041],"coords":{"ints":[20030401,20030402,20030403,20030404,20030405,20030406,20030407,20030408,20030409,20030410,20030411,20030412,20030413,20030414,20030415,20030416,20030417,20030418,20030419,20030420,20030421,20030422,20030423,20030424,20030425,20030426,20030427,20030428,20030429,20030430]},"dim":"date","parent":623},{"children":[1042],"coords":{"ints":[20030301,20030302,20030303,20030304,20030305,20030306,20030307,20030308,20030309,20030310,20030311,20030312,20030313,20030314,20030315,20030316,20030317,20030318,20030319,20030320,20030321,20030322,20030323,20030324,20030325,20030326,20030327,20030328,20030329,20030330,20030331]},"dim":"date","parent":624},{"children":[1043],"coords":{"ints":[20030201,20030202,20030203,20030204,20030205,20030206,20030207,20030208,20030209,20030210,20030211,20030212,20030213,20030214,20030215,20030216,20030217,20030218,20030219,20030220,20030221,20030222,20030223,20030224,20030225,20030226,20030227,20030228]},"dim":"date","parent":625},{"children":[1044],"coords":{"ints":[20031201,20031202,20031203,20031204,20031205,20031206,20031207,20031208,20031209,20031210,20031211,20031212,20031213,20031214,20031215,20031216,20031217,20031218,20031219,20031220,20031221,20031222,20031223,20031224,20031225,20031226,20031227,20031228,20031229,20031230,20031231]},"dim":"date","parent":626},{"children":[1045],"coords":{"ints":[20031101,20031102,20031103,20031104,20031105,20031106,20031107,20031108,20031109,20031110,20031111,20031112,20031113,20031114,20031115,20031116,20031117,20031118,20031119,20031120,20031121,20031122,20031123,20031124,20031125,20031126,20031127,20031128,20031129,20031130]},"dim":"date","parent":627},{"children":[1046],"coords":{"ints":[20031001,20031002,20031003,20031004,20031005,20031006,20031007,20031008,20031009,20031010,20031011,20031012,20031013,20031014,20031015,20031016,20031017,20031018,20031019,20031020,20031021,20031022,20031023,20031024,20031025,20031026,20031027,20031028,20031029,20031030,20031031]},"dim":"date","parent":628},{"children":[1047],"coords":{"ints":[20030101,20030102,20030103,20030104,20030105,20030106,20030107,20030108,20030109,20030110,20030111,20030112,20030113,20030114,20030115,20030116,20030117,20030118,20030119,20030120,20030121,20030122,20030123,20030124,20030125,20030126,20030127,20030128,20030129,20030130,20030131]},"dim":"date","parent":629},{"children":[1048],"coords":{"ints":[20040901,20040902,20040903,20040904,20040905,20040906,20040907,20040908,20040909,20040910,20040911,20040912,20040913,20040914,20040915,20040916,20040917,20040918,20040919,20040920,20040921,20040922,20040923,20040924,20040925,20040926,20040927,20040928,20040929,20040930]},"dim":"date","parent":630},{"children":[1049],"coords":{"ints":[20040801,20040802,20040803,20040804,20040805,20040806,20040807,20040808,20040809,20040810,20040811,20040812,20040813,20040814,20040815,20040816,20040817,20040818,20040819,20040820,20040821,20040822,20040823,20040824,20040825,20040826,20040827,20040828,20040829,20040830,20040831]},"dim":"date","parent":631},{"children":[1050],"coords":{"ints":[20040701,20040702,20040703,20040704,20040705,20040706,20040707,20040708,20040709,20040710,20040711,20040712,20040713,20040714,20040715,20040716,20040717,20040718,20040719,20040720,20040721,20040722,20040723,20040724,20040725,20040726,20040727,20040728,20040729,20040730,20040731]},"dim":"date","parent":632},{"children":[1051],"coords":{"ints":[20040601,20040602,20040603,20040604,20040605,20040606,20040607,20040608,20040609,20040610,20040611,20040612,20040613,20040614,20040615,20040616,20040617,20040618,20040619,20040620,20040621,20040622,20040623,20040624,20040625,20040626,20040627,20040628,20040629,20040630]},"dim":"date","parent":633},{"children":[1052],"coords":{"ints":[20040501,20040502,20040503,20040504,20040505,20040506,20040507,20040508,20040509,20040510,20040511,20040512,20040513,20040514,20040515,20040516,20040517,20040518,20040519,20040520,20040521,20040522,20040523,20040524,20040525,20040526,20040527,20040528,20040529,20040530,20040531]},"dim":"date","parent":634},{"children":[1053],"coords":{"ints":[20040401,20040402,20040403,20040404,20040405,20040406,20040407,20040408,20040409,20040410,20040411,20040412,20040413,20040414,20040415,20040416,20040417,20040418,20040419,20040420,20040421,20040422,20040423,20040424,20040425,20040426,20040427,20040428,20040429,20040430]},"dim":"date","parent":635},{"children":[1054],"coords":{"ints":[20040301,20040302,20040303,20040304,20040305,20040306,20040307,20040308,20040309,20040310,20040311,20040312,20040313,20040314,20040315,20040316,20040317,20040318,20040319,20040320,20040321,20040322,20040323,20040324,20040325,20040326,20040327,20040328,20040329,20040330,20040331]},"dim":"date","parent":636},{"children":[1055],"coords":{"ints":[20040201,20040202,20040203,20040204,20040205,20040206,20040207,20040208,20040209,20040210,20040211,20040212,20040213,20040214,20040215,20040216,20040217,20040218,20040219,20040220,20040221,20040222,20040223,20040224,20040225,20040226,20040227,20040228,20040229]},"dim":"date","parent":637},{"children":[1056],"coords":{"ints":[20041201,20041202,20041203,20041204,20041205,20041206,20041207,20041208,20041209,20041210,20041211,20041212,20041213,20041214,20041215,20041216,20041217,20041218,20041219,20041220,20041221,20041222,20041223,20041224,20041225,20041226,20041227,20041228,20041229,20041230,20041231]},"dim":"date","parent":638},{"children":[1057],"coords":{"ints":[20041101,20041102,20041103,20041104,20041105,20041106,20041107,20041108,20041109,20041110,20041111,20041112,20041113,20041114,20041115,20041116,20041117,20041118,20041119,20041120,20041121,20041122,20041123,20041124,20041125,20041126,20041127,20041128,20041129,20041130]},"dim":"date","parent":639},{"children":[1058],"coords":{"ints":[20041001,20041002,20041003,20041004,20041005,20041006,20041007,20041008,20041009,20041010,20041011,20041012,20041013,20041014,20041015,20041016,20041017,20041018,20041019,20041020,20041021,20041022,20041023,20041024,20041025,20041026,20041027,20041028,20041029,20041030,20041031]},"dim":"date","parent":640},{"children":[1059],"coords":{"ints":[20040101,20040102,20040103,20040104,20040105,20040106,20040107,20040108,20040109,20040110,20040111,20040112,20040113,20040114,20040115,20040116,20040117,20040118,20040119,20040120,20040121,20040122,20040123,20040124,20040125,20040126,20040127,20040128,20040129,20040130,20040131]},"dim":"date","parent":641},{"children":[1060],"coords":{"ints":[20050901,20050902,20050903,20050904,20050905,20050906,20050907,20050908,20050909,20050910,20050911,20050912,20050913,20050914,20050915,20050916,20050917,20050918,20050919,20050920,20050921,20050922,20050923,20050924,20050925,20050926,20050927,20050928,20050929,20050930]},"dim":"date","parent":642},{"children":[1061],"coords":{"ints":[20050801,20050802,20050803,20050804,20050805,20050806,20050807,20050808,20050809,20050810,20050811,20050812,20050813,20050814,20050815,20050816,20050817,20050818,20050819,20050820,20050821,20050822,20050823,20050824,20050825,20050826,20050827,20050828,20050829,20050830,20050831]},"dim":"date","parent":643},{"children":[1062],"coords":{"ints":[20050701,20050702,20050703,20050704,20050705,20050706,20050707,20050708,20050709,20050710,20050711,20050712,20050713,20050714,20050715,20050716,20050717,20050718,20050719,20050720,20050721,20050722,20050723,20050724,20050725,20050726,20050727,20050728,20050729,20050730,20050731]},"dim":"date","parent":644},{"children":[1063],"coords":{"ints":[20050601,20050602,20050603,20050604,20050605,20050606,20050607,20050608,20050609,20050610,20050611,20050612,20050613,20050614,20050615,20050616,20050617,20050618,20050619,20050620,20050621,20050622,20050623,20050624,20050625,20050626,20050627,20050628,20050629,20050630]},"dim":"date","parent":645},{"children":[1064],"coords":{"ints":[20050501,20050502,20050503,20050504,20050505,20050506,20050507,20050508,20050509,20050510,20050511,20050512,20050513,20050514,20050515,20050516,20050517,20050518,20050519,20050520,20050521,20050522,20050523,20050524,20050525,20050526,20050527,20050528,20050529,20050530,20050531]},"dim":"date","parent":646},{"children":[1065],"coords":{"ints":[20050401,20050402,20050403,20050404,20050405,20050406,20050407,20050408,20050409,20050410,20050411,20050412,20050413,20050414,20050415,20050416,20050417,20050418,20050419,20050420,20050421,20050422,20050423,20050424,20050425,20050426,20050427,20050428,20050429,20050430]},"dim":"date","parent":647},{"children":[1066],"coords":{"ints":[20050301,20050302,20050303,20050304,20050305,20050306,20050307,20050308,20050309,20050310,20050311,20050312,20050313,20050314,20050315,20050316,20050317,20050318,20050319,20050320,20050321,20050322,20050323,20050324,20050325,20050326,20050327,20050328,20050329,20050330,20050331]},"dim":"date","parent":648},{"children":[1067],"coords":{"ints":[20050201,20050202,20050203,20050204,20050205,20050206,20050207,20050208,20050209,20050210,20050211,20050212,20050213,20050214,20050215,20050216,20050217,20050218,20050219,20050220,20050221,20050222,20050223,20050224,20050225,20050226,20050227,20050228]},"dim":"date","parent":649},{"children":[1068],"coords":{"ints":[20051201,20051202,20051203,20051204,20051205,20051206,20051207,20051208,20051209,20051210,20051211,20051212,20051213,20051214,20051215,20051216,20051217,20051218,20051219,20051220,20051221,20051222,20051223,20051224,20051225,20051226,20051227,20051228,20051229,20051230,20051231]},"dim":"date","parent":650},{"children":[1069],"coords":{"ints":[20051101,20051102,20051103,20051104,20051105,20051106,20051107,20051108,20051109,20051110,20051111,20051112,20051113,20051114,20051115,20051116,20051117,20051118,20051119,20051120,20051121,20051122,20051123,20051124,20051125,20051126,20051127,20051128,20051129,20051130]},"dim":"date","parent":651},{"children":[1070],"coords":{"ints":[20051001,20051002,20051003,20051004,20051005,20051006,20051007,20051008,20051009,20051010,20051011,20051012,20051013,20051014,20051015,20051016,20051017,20051018,20051019,20051020,20051021,20051022,20051023,20051024,20051025,20051026,20051027,20051028,20051029,20051030,20051031]},"dim":"date","parent":652},{"children":[1071],"coords":{"ints":[20050101,20050102,20050103,20050104,20050105,20050106,20050107,20050108,20050109,20050110,20050111,20050112,20050113,20050114,20050115,20050116,20050117,20050118,20050119,20050120,20050121,20050122,20050123,20050124,20050125,20050126,20050127,20050128,20050129,20050130,20050131]},"dim":"date","parent":653},{"children":[1072],"coords":{"ints":[20060901,20060902,20060903,20060904,20060905,20060906,20060907,20060908,20060909,20060910,20060911,20060912,20060913,20060914,20060915,20060916,20060917,20060918,20060919,20060920,20060921,20060922,20060923,20060924,20060925,20060926,20060927,20060928,20060929,20060930]},"dim":"date","parent":654},{"children":[1073],"coords":{"ints":[20060801,20060802,20060803,20060804,20060805,20060806,20060807,20060808,20060809,20060810,20060811,20060812,20060813,20060814,20060815,20060816,20060817,20060818,20060819,20060820,20060821,20060822,20060823,20060824,20060825,20060826,20060827,20060828,20060829,20060830,20060831]},"dim":"date","parent":655},{"children":[1074],"coords":{"ints":[20060701,20060702,20060703,20060704,20060705,20060706,20060707,20060708,20060709,20060710,20060711,20060712,20060713,20060714,20060715,20060716,20060717,20060718,20060719,20060720,20060721,20060722,20060723,20060724,20060725,20060726,20060727,20060728,20060729,20060730,20060731]},"dim":"date","parent":656},{"children":[1075],"coords":{"ints":[20060601,20060602,20060603,20060604,20060605,20060606,20060607,20060608,20060609,20060610,20060611,20060612,20060613,20060614,20060615,20060616,20060617,20060618,20060619,20060620,20060621,20060622,20060623,20060624,20060625,20060626,20060627,20060628,20060629,20060630]},"dim":"date","parent":657},{"children":[1076],"coords":{"ints":[20060501,20060502,20060503,20060504,20060505,20060506,20060507,20060508,20060509,20060510,20060511,20060512,20060513,20060514,20060515,20060516,20060517,20060518,20060519,20060520,20060521,20060522,20060523,20060524,20060525,20060526,20060527,20060528,20060529,20060530,20060531]},"dim":"date","parent":658},{"children":[1077],"coords":{"ints":[20060401,20060402,20060403,20060404,20060405,20060406,20060407,20060408,20060409,20060410,20060411,20060412,20060413,20060414,20060415,20060416,20060417,20060418,20060419,20060420,20060421,20060422,20060423,20060424,20060425,20060426,20060427,20060428,20060429,20060430]},"dim":"date","parent":659},{"children":[1078],"coords":{"ints":[20060301,20060302,20060303,20060304,20060305,20060306,20060307,20060308,20060309,20060310,20060311,20060312,20060313,20060314,20060315,20060316,20060317,20060318,20060319,20060320,20060321,20060322,20060323,20060324,20060325,20060326,20060327,20060328,20060329,20060330,20060331]},"dim":"date","parent":660},{"children":[1079],"coords":{"ints":[20060201,20060202,20060203,20060204,20060205,20060206,20060207,20060208,20060209,20060210,20060211,20060212,20060213,20060214,20060215,20060216,20060217,20060218,20060219,20060220,20060221,20060222,20060223,20060224,20060225,20060226,20060227,20060228]},"dim":"date","parent":661},{"children":[1080],"coords":{"ints":[20061201,20061202,20061203,20061204,20061205,20061206,20061207,20061208,20061209,20061210,20061211,20061212,20061213,20061214,20061215,20061216,20061217,20061218,20061219,20061220,20061221,20061222,20061223,20061224,20061225,20061226,20061227,20061228,20061229,20061230,20061231]},"dim":"date","parent":662},{"children":[1081],"coords":{"ints":[20061101,20061102,20061103,20061104,20061105,20061106,20061107,20061108,20061109,20061110,20061111,20061112,20061113,20061114,20061115,20061116,20061117,20061118,20061119,20061120,20061121,20061122,20061123,20061124,20061125,20061126,20061127,20061128,20061129,20061130]},"dim":"date","parent":663},{"children":[1082],"coords":{"ints":[20061001,20061002,20061003,20061004,20061005,20061006,20061007,20061008,20061009,20061010,20061011,20061012,20061013,20061014,20061015,20061016,20061017,20061018,20061019,20061020,20061021,20061022,20061023,20061024,20061025,20061026,20061027,20061028,20061029,20061030,20061031]},"dim":"date","parent":664},{"children":[1083],"coords":{"ints":[20060101,20060102,20060103,20060104,20060105,20060106,20060107,20060108,20060109,20060110,20060111,20060112,20060113,20060114,20060115,20060116,20060117,20060118,20060119,20060120,20060121,20060122,20060123,20060124,20060125,20060126,20060127,20060128,20060129,20060130,20060131]},"dim":"date","parent":665},{"children":[1084],"coords":{"ints":[20070401,20070402,20070403,20070404,20070405,20070406,20070407,20070408,20070409,20070410,20070411,20070412,20070413,20070414,20070415,20070416,20070417,20070418,20070419,20070420,20070421,20070422,20070423,20070424,20070425,20070426,20070427,20070428,20070429,20070430]},"dim":"date","parent":666},{"children":[1085],"coords":{"ints":[20070301,20070302,20070303,20070304,20070305,20070306,20070307,20070308,20070309,20070310,20070311,20070312,20070313,20070314,20070315,20070316,20070317,20070318,20070319,20070320,20070321,20070322,20070323,20070324,20070325,20070326,20070327,20070328,20070329,20070330,20070331]},"dim":"date","parent":667},{"children":[1086],"coords":{"ints":[20070201,20070202,20070203,20070204,20070205,20070206,20070207,20070208,20070209,20070210,20070211,20070212,20070213,20070214,20070215,20070216,20070217,20070218,20070219,20070220,20070221,20070222,20070223,20070224,20070225,20070226,20070227,20070228]},"dim":"date","parent":668},{"children":[1087],"coords":{"ints":[20070101,20070102,20070103,20070104,20070105,20070106,20070107,20070108,20070109,20070110,20070111,20070112,20070113,20070114,20070115,20070116,20070117,20070118,20070119,20070120,20070121,20070122,20070123,20070124,20070125,20070126,20070127,20070128,20070129,20070130,20070131]},"dim":"date","parent":669},{"children":[1088],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":670},{"children":[1089],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":671},{"children":[1090],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":672},{"children":[1091],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":673},{"children":[1092],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":674},{"children":[1093],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":675},{"children":[1094],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":676},{"children":[1095],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":677},{"children":[1096],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":678},{"children":[1097],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":679},{"children":[1098],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":680},{"children":[1099],"coords":{"ints":[8,9,78,79,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":681},{"children":[1100],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":682},{"children":[1101],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":683},{"children":[1102],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":684},{"children":[1103],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":685},{"children":[1104],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":686},{"children":[1105],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":687},{"children":[1106],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":688},{"children":[1107],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":689},{"children":[1108],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":690},{"children":[1109],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":691},{"children":[1110],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":692},{"children":[1111],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":693},{"children":[1112],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":694},{"children":[1113],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":695},{"children":[1114],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":696},{"children":[1115],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":697},{"children":[1116],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":698},{"children":[1117],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":699},{"children":[1118],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":700},{"children":[1119],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":701},{"children":[1120],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":702},{"children":[1121],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":703},{"children":[1122],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":704},{"children":[1123],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":705},{"children":[1124],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":706},{"children":[1125],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":707},{"children":[1126],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":708},{"children":[1127],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":709},{"children":[1128],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":710},{"children":[1129],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":711},{"children":[1130],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":712},{"children":[1131],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":713},{"children":[1132],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":714},{"children":[1133],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":715},{"children":[1134],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":716},{"children":[1135],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":717},{"children":[1136],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":718},{"children":[1137],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":719},{"children":[1138],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":720},{"children":[1139],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":721},{"children":[1140],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":722},{"children":[1141],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":723},{"children":[1142],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":724},{"children":[1143],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":725},{"children":[1144],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":726},{"children":[1145],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":727},{"children":[1146],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":728},{"children":[1147],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":729},{"children":[1148],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":730},{"children":[1149],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":731},{"children":[1150],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":732},{"children":[1151],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":733},{"children":[1152],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":734},{"children":[1153],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":735},{"children":[1154],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":736},{"children":[1155],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":737},{"children":[1156],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":738},{"children":[1157],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":739},{"children":[1158],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":740},{"children":[1159],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":741},{"children":[1160],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":742},{"children":[1161],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":743},{"children":[1162],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":744},{"children":[1163],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":745},{"children":[1164],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":746},{"children":[1165],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":747},{"children":[1166],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":748},{"children":[1167],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":749},{"children":[1168],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":750},{"children":[1169],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":751},{"children":[1170],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":752},{"children":[1171],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":753},{"children":[1172],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":754},{"children":[1173],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":755},{"children":[1174],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":756},{"children":[1175],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":757},{"children":[1176],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":758},{"children":[1177],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":759},{"children":[1178],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":760},{"children":[1179],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":761},{"children":[1180],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":762},{"children":[1181],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":763},{"children":[1182],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":764},{"children":[1183],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":765},{"children":[1184],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":766},{"children":[1185],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":767},{"children":[1186],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":768},{"children":[1187],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":769},{"children":[1188],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":770},{"children":[1189],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":771},{"children":[1190],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":772},{"children":[1191],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":773},{"children":[1192],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":774},{"children":[1193],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":775},{"children":[1194],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":776},{"children":[1195],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":777},{"children":[1196],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":778},{"children":[1197],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":779},{"children":[1198],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":780},{"children":[1199],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":781},{"children":[1200],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":782},{"children":[1201],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":783},{"children":[1202],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":784},{"children":[1203],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":785},{"children":[1204],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":786},{"children":[1205],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":787},{"children":[1206],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":788},{"children":[1207],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":789},{"children":[1208],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":790},{"children":[1209],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":791},{"children":[1210],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":792},{"children":[1211],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":793},{"children":[1212],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":794},{"children":[1213],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":795},{"children":[1214],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":796},{"children":[1215],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":797},{"children":[1216],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":798},{"children":[1217],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":799},{"children":[1218],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":800},{"children":[1219],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":801},{"children":[1220],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":802},{"children":[1221],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":803},{"children":[1222],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":804},{"children":[1223],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":805},{"children":[1224],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":806},{"children":[1225],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":807},{"children":[1226],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":808},{"children":[1227],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":809},{"children":[1228],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":810},{"children":[1229],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":811},{"children":[1230],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":812},{"children":[1231],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":813},{"children":[1232],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":814},{"children":[1233],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":815},{"children":[1234],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":816},{"children":[1235],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":817},{"children":[1236],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":818},{"children":[1237],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":819},{"children":[1238],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":820},{"children":[1239],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":821},{"children":[1240],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":822},{"children":[1241],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":823},{"children":[1242],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":824},{"children":[1243],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":825},{"children":[1244],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":826},{"children":[1245],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":827},{"children":[1246],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":828},{"children":[1247],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":829},{"children":[1248],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":830},{"children":[1249],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":831},{"children":[1250],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":832},{"children":[1251],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":833},{"children":[1252],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":834},{"children":[1253],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":835},{"children":[1254],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":836},{"children":[1255],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":837},{"children":[1256],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":838},{"children":[1257],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":839},{"children":[1258],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":840},{"children":[1259],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":841},{"children":[1260],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":842},{"children":[1261],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":843},{"children":[1262],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":844},{"children":[1263],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":845},{"children":[1264],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":846},{"children":[1265],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":847},{"children":[1266],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":848},{"children":[1267],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":849},{"children":[1268],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":850},{"children":[1269],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":851},{"children":[1270],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":852},{"children":[1271],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":853},{"children":[1272],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":854},{"children":[1273],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":855},{"children":[1274],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":856},{"children":[1275],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":857},{"children":[1276],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":858},{"children":[1277],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":859},{"children":[1278],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":860},{"children":[1279],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":861},{"children":[1280],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":862},{"children":[1281],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":863},{"children":[1282],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":864},{"children":[1283],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":865},{"children":[1284],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":866},{"children":[1285],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":867},{"children":[1286],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":868},{"children":[1287],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":869},{"children":[1288],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":870},{"children":[1289],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":871},{"children":[1290],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":872},{"children":[1291],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":873},{"children":[1292],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":874},{"children":[1293],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":875},{"children":[1294],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":876},{"children":[1295],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":877},{"children":[1296],"coords":{"ints":[8,9,78,79,129,134,137,141,144,146,147,148,151,159,164,165,166,167,168,169,172,175,176,177,178,179,180,181,182,186,187,188,212,228,235,260048]},"dim":"param","parent":878},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":879},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":880},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":881},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":882},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":883},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":884},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":885},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":886},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":887},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":888},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":889},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":890},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":891},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":892},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":893},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":894},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":895},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":896},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":897},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":898},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":899},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":900},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":901},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":902},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":903},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":904},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":905},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":906},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":907},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":908},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":909},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":910},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":911},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":912},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":913},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":914},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":915},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":916},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":917},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":918},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":919},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":920},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":921},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":922},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":923},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":924},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":925},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":926},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":927},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":928},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":929},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":930},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":931},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":932},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":933},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":934},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":935},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":936},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":937},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":938},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":939},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":940},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":941},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":942},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":943},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":944},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":945},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":946},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":947},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":948},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":949},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":950},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":951},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":952},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":953},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":954},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":955},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":956},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":957},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":958},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":959},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":960},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":961},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":962},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":963},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":964},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":965},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":966},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":967},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":968},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":969},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":970},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":971},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":972},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":973},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":974},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":975},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":976},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":977},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":978},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":979},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":980},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":981},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":982},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":983},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":984},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":985},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":986},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":987},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":988},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":989},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":990},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":991},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":992},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":993},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":994},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":995},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":996},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":997},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":998},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":999},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1000},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1001},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1002},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1003},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1004},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1005},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1006},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1007},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1008},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1009},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1010},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1011},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1012},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1013},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1014},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1015},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1016},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1017},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1018},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1019},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1020},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1021},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1022},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1023},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1024},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1025},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1026},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1027},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1028},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1029},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1030},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1031},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1032},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1033},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1034},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1035},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1036},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1037},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1038},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1039},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1040},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1041},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1042},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1043},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1044},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1045},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1046},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1047},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1048},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1049},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1050},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1051},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1052},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1053},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1054},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1055},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1056},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1057},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1058},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1059},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1060},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1061},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1062},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1063},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1064},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1065},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1066},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1067},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1068},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1069},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1070},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1071},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1072},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1073},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1074},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1075},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1076},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1077},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1078},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1079},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1080},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1081},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1082},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1083},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1084},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1085},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1086},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":1087}] \ No newline at end of file +{ + "version": "1", + "qube": [] +} diff --git a/qubed_meteo/qube_examples/medium_extremes_eg.json b/qubed_meteo/qube_examples/medium_extremes_eg.json index 1778c9f..4bb8657 100644 --- a/qubed_meteo/qube_examples/medium_extremes_eg.json +++ b/qubed_meteo/qube_examples/medium_extremes_eg.json @@ -1 +1,4 @@ -[{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2],"coords":{"strings":["d1"]},"dim":"class","parent":0},{"children":[3],"coords":{"strings":["extremes-dt"]},"dim":"dataset","parent":1},{"children":[4],"coords":{"ints":[20260303]},"dim":"date","parent":2},{"children":[5],"coords":{"strings":["0001"]},"dim":"expver","parent":3},{"children":[6],"coords":{"strings":["oper"]},"dim":"stream","parent":4},{"children":[7],"coords":{"strings":["0000"]},"dim":"time","parent":5},{"children":[8],"coords":{"strings":["sfc"]},"dim":"levtype","parent":6},{"children":[9],"coords":{"strings":["fc"]},"dim":"type","parent":7},{"children":[10],"coords":{"ints":[31,34,78,134,136,137,151,165,166,167,168,235,3020,228029,228050,228218,228219,228221,228235,260015]},"dim":"param","parent":8},{"children":[],"coords":{"ints":[0]},"dim":"step","parent":9}] \ No newline at end of file +{ + "version": "1", + "qube": [{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2],"coords":{"strings":["d1"]},"dim":"class","parent":0},{"children":[3],"coords":{"strings":["extremes-dt"]},"dim":"dataset","parent":1},{"children":[4],"coords":{"ints":[20260303]},"dim":"date","parent":2},{"children":[5],"coords":{"strings":["0001"]},"dim":"expver","parent":3},{"children":[6],"coords":{"strings":["oper"]},"dim":"stream","parent":4},{"children":[7],"coords":{"strings":["0000"]},"dim":"time","parent":5},{"children":[8],"coords":{"strings":["sfc"]},"dim":"levtype","parent":6},{"children":[9],"coords":{"strings":["fc"]},"dim":"type","parent":7},{"children":[10],"coords":{"ints":[31,34,78,134,136,137,151,165,166,167,168,235,3020,228029,228050,228218,228219,228221,228235,260015]},"dim":"param","parent":8},{"children":[],"coords":{"ints":[0]},"dim":"step","parent":9}] +} diff --git a/qubed_meteo/qube_examples/oper_fdb.json b/qubed_meteo/qube_examples/oper_fdb.json index 11e8446..807a6fd 100644 --- a/qubed_meteo/qube_examples/oper_fdb.json +++ b/qubed_meteo/qube_examples/oper_fdb.json @@ -1 +1,4 @@ -[{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2,3,4,5],"coords":{"strings":["od"]},"dim":"class","parent":0},{"children":[6],"coords":{"ints":[20231102]},"dim":"date","parent":1},{"children":[7],"coords":{"ints":[20240103]},"dim":"date","parent":1},{"children":[8],"coords":{"ints":[20240118]},"dim":"date","parent":1},{"children":[9],"coords":{"ints":[20240129]},"dim":"date","parent":1},{"children":[10],"coords":{"strings":["g"]},"dim":"domain","parent":2},{"children":[11],"coords":{"strings":["g"]},"dim":"domain","parent":3},{"children":[12],"coords":{"strings":["g"]},"dim":"domain","parent":4},{"children":[13],"coords":{"strings":["g"]},"dim":"domain","parent":5},{"children":[14],"coords":{"strings":["0001"]},"dim":"expver","parent":6},{"children":[15],"coords":{"strings":["0001"]},"dim":"expver","parent":7},{"children":[16],"coords":{"strings":["0001"]},"dim":"expver","parent":8},{"children":[17],"coords":{"strings":["0001"]},"dim":"expver","parent":9},{"children":[18],"coords":{"strings":["oper"]},"dim":"stream","parent":10},{"children":[19],"coords":{"strings":["oper"]},"dim":"stream","parent":11},{"children":[20],"coords":{"strings":["oper"]},"dim":"stream","parent":12},{"children":[21],"coords":{"strings":["oper"]},"dim":"stream","parent":13},{"children":[22],"coords":{"strings":["0000"]},"dim":"time","parent":14},{"children":[23],"coords":{"strings":["0000"]},"dim":"time","parent":15},{"children":[24],"coords":{"strings":["0000"]},"dim":"time","parent":16},{"children":[25],"coords":{"strings":["0000"]},"dim":"time","parent":17},{"children":[26],"coords":{"strings":["sfc"]},"dim":"levtype","parent":18},{"children":[27],"coords":{"strings":["sfc"]},"dim":"levtype","parent":19},{"children":[28],"coords":{"strings":["sfc"]},"dim":"levtype","parent":20},{"children":[29],"coords":{"strings":["sfc"]},"dim":"levtype","parent":21},{"children":[30],"coords":{"strings":["fc"]},"dim":"type","parent":22},{"children":[31],"coords":{"strings":["fc"]},"dim":"type","parent":23},{"children":[32],"coords":{"strings":["fc"]},"dim":"type","parent":24},{"children":[33],"coords":{"strings":["fc"]},"dim":"type","parent":25},{"children":[34],"coords":{"ints":[167]},"dim":"param","parent":26},{"children":[35],"coords":{"ints":[167]},"dim":"param","parent":27},{"children":[36],"coords":{"ints":[49,167]},"dim":"param","parent":28},{"children":[37],"coords":{"ints":[167]},"dim":"param","parent":29},{"children":[],"coords":{"ints":[0,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,93,96,99]},"dim":"step","parent":30},{"children":[],"coords":{"ints":[0,1,2]},"dim":"step","parent":31},{"children":[],"coords":{"ints":[0]},"dim":"step","parent":32},{"children":[],"coords":{"ints":[0]},"dim":"step","parent":33}] \ No newline at end of file +{ + "version": "1", + "qube": [{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2,3,4,5],"coords":{"strings":["od"]},"dim":"class","parent":0},{"children":[6],"coords":{"ints":[20231102]},"dim":"date","parent":1},{"children":[7],"coords":{"ints":[20240103]},"dim":"date","parent":1},{"children":[8],"coords":{"ints":[20240118]},"dim":"date","parent":1},{"children":[9],"coords":{"ints":[20240129]},"dim":"date","parent":1},{"children":[10],"coords":{"strings":["g"]},"dim":"domain","parent":2},{"children":[11],"coords":{"strings":["g"]},"dim":"domain","parent":3},{"children":[12],"coords":{"strings":["g"]},"dim":"domain","parent":4},{"children":[13],"coords":{"strings":["g"]},"dim":"domain","parent":5},{"children":[14],"coords":{"strings":["0001"]},"dim":"expver","parent":6},{"children":[15],"coords":{"strings":["0001"]},"dim":"expver","parent":7},{"children":[16],"coords":{"strings":["0001"]},"dim":"expver","parent":8},{"children":[17],"coords":{"strings":["0001"]},"dim":"expver","parent":9},{"children":[18],"coords":{"strings":["oper"]},"dim":"stream","parent":10},{"children":[19],"coords":{"strings":["oper"]},"dim":"stream","parent":11},{"children":[20],"coords":{"strings":["oper"]},"dim":"stream","parent":12},{"children":[21],"coords":{"strings":["oper"]},"dim":"stream","parent":13},{"children":[22],"coords":{"strings":["0000"]},"dim":"time","parent":14},{"children":[23],"coords":{"strings":["0000"]},"dim":"time","parent":15},{"children":[24],"coords":{"strings":["0000"]},"dim":"time","parent":16},{"children":[25],"coords":{"strings":["0000"]},"dim":"time","parent":17},{"children":[26],"coords":{"strings":["sfc"]},"dim":"levtype","parent":18},{"children":[27],"coords":{"strings":["sfc"]},"dim":"levtype","parent":19},{"children":[28],"coords":{"strings":["sfc"]},"dim":"levtype","parent":20},{"children":[29],"coords":{"strings":["sfc"]},"dim":"levtype","parent":21},{"children":[30],"coords":{"strings":["fc"]},"dim":"type","parent":22},{"children":[31],"coords":{"strings":["fc"]},"dim":"type","parent":23},{"children":[32],"coords":{"strings":["fc"]},"dim":"type","parent":24},{"children":[33],"coords":{"strings":["fc"]},"dim":"type","parent":25},{"children":[34],"coords":{"ints":[167]},"dim":"param","parent":26},{"children":[35],"coords":{"ints":[167]},"dim":"param","parent":27},{"children":[36],"coords":{"ints":[49,167]},"dim":"param","parent":28},{"children":[37],"coords":{"ints":[167]},"dim":"param","parent":29},{"children":[],"coords":{"ints":[0,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,93,96,99]},"dim":"step","parent":30},{"children":[],"coords":{"ints":[0,1,2]},"dim":"step","parent":31},{"children":[],"coords":{"ints":[0]},"dim":"step","parent":32},{"children":[],"coords":{"ints":[0]},"dim":"step","parent":33}] +} diff --git a/qubed_meteo/qube_examples/small_climate_eg.json b/qubed_meteo/qube_examples/small_climate_eg.json index a4b665b..1a17dd0 100644 --- a/qubed_meteo/qube_examples/small_climate_eg.json +++ b/qubed_meteo/qube_examples/small_climate_eg.json @@ -1 +1,4 @@ -[{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2],"coords":{"strings":["highresmip"]},"dim":"activity","parent":0},{"children":[3],"coords":{"strings":["d1"]},"dim":"class","parent":1},{"children":[4],"coords":{"strings":["climate-dt"]},"dim":"dataset","parent":2},{"children":[5],"coords":{"strings":["cont"]},"dim":"experiment","parent":3},{"children":[6],"coords":{"strings":["0001"]},"dim":"expver","parent":4},{"children":[7],"coords":{"ints":[1]},"dim":"generation","parent":5},{"children":[8],"coords":{"strings":["ifs-nemo"]},"dim":"model","parent":6},{"children":[9],"coords":{"ints":[1]},"dim":"realization","parent":7},{"children":[10],"coords":{"strings":["clte"]},"dim":"stream","parent":8},{"children":[11],"coords":{"ints":[1990]},"dim":"year","parent":9},{"children":[12],"coords":{"strings":["sfc"]},"dim":"levtype","parent":10},{"children":[13],"coords":{"ints":[1]},"dim":"month","parent":11},{"children":[14],"coords":{"strings":["high"]},"dim":"resolution","parent":12},{"children":[15],"coords":{"strings":["fc"]},"dim":"type","parent":13},{"children":[16],"coords":{"ints":[19900101]},"dim":"date","parent":14},{"children":[17],"coords":{"ints":[167]},"dim":"param","parent":15},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":16}] \ No newline at end of file +{ + "version": "1", + "qube": [{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2],"coords":{"strings":["highresmip"]},"dim":"activity","parent":0},{"children":[3],"coords":{"strings":["d1"]},"dim":"class","parent":1},{"children":[4],"coords":{"strings":["climate-dt"]},"dim":"dataset","parent":2},{"children":[5],"coords":{"strings":["cont"]},"dim":"experiment","parent":3},{"children":[6],"coords":{"strings":["0001"]},"dim":"expver","parent":4},{"children":[7],"coords":{"ints":[1]},"dim":"generation","parent":5},{"children":[8],"coords":{"strings":["ifs-nemo"]},"dim":"model","parent":6},{"children":[9],"coords":{"ints":[1]},"dim":"realization","parent":7},{"children":[10],"coords":{"strings":["clte"]},"dim":"stream","parent":8},{"children":[11],"coords":{"ints":[1990]},"dim":"year","parent":9},{"children":[12],"coords":{"strings":["sfc"]},"dim":"levtype","parent":10},{"children":[13],"coords":{"ints":[1]},"dim":"month","parent":11},{"children":[14],"coords":{"strings":["high"]},"dim":"resolution","parent":12},{"children":[15],"coords":{"strings":["fc"]},"dim":"type","parent":13},{"children":[16],"coords":{"ints":[19900101]},"dim":"date","parent":14},{"children":[17],"coords":{"ints":[167]},"dim":"param","parent":15},{"children":[],"coords":{"strings":["0000"]},"dim":"time","parent":16}] +} diff --git a/qubed_meteo/qube_examples/small_extremes_eg.json b/qubed_meteo/qube_examples/small_extremes_eg.json index 123fdd2..e54b1a5 100644 --- a/qubed_meteo/qube_examples/small_extremes_eg.json +++ b/qubed_meteo/qube_examples/small_extremes_eg.json @@ -1 +1,4 @@ -[{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2],"coords":{"strings":["d1"]},"dim":"class","parent":0},{"children":[3],"coords":{"strings":["extremes-dt"]},"dim":"dataset","parent":1},{"children":[4],"coords":{"ints":[20260303]},"dim":"date","parent":2},{"children":[5],"coords":{"strings":["0001"]},"dim":"expver","parent":3},{"children":[6],"coords":{"strings":["oper"]},"dim":"stream","parent":4},{"children":[7],"coords":{"strings":["0000"]},"dim":"time","parent":5},{"children":[8],"coords":{"strings":["sfc"]},"dim":"levtype","parent":6},{"children":[9],"coords":{"strings":["fc"]},"dim":"type","parent":7},{"children":[10],"coords":{"ints":[34]},"dim":"param","parent":8},{"children":[],"coords":{"ints":[0]},"dim":"step","parent":9}] \ No newline at end of file +{ + "version": "1", + "qube": [{"children":[1],"coords":{},"dim":"root","parent":null},{"children":[2],"coords":{"strings":["d1"]},"dim":"class","parent":0},{"children":[3],"coords":{"strings":["extremes-dt"]},"dim":"dataset","parent":1},{"children":[4],"coords":{"ints":[20260303]},"dim":"date","parent":2},{"children":[5],"coords":{"strings":["0001"]},"dim":"expver","parent":3},{"children":[6],"coords":{"strings":["oper"]},"dim":"stream","parent":4},{"children":[7],"coords":{"strings":["0000"]},"dim":"time","parent":5},{"children":[8],"coords":{"strings":["sfc"]},"dim":"levtype","parent":6},{"children":[9],"coords":{"strings":["fc"]},"dim":"type","parent":7},{"children":[10],"coords":{"ints":[34]},"dim":"param","parent":8},{"children":[],"coords":{"ints":[0]},"dim":"step","parent":9}] +} From e4048a13187e49c9ae654a30378b46699dbcd51c Mon Sep 17 00:00:00 2001 From: mathleur Date: Mon, 9 Mar 2026 14:40:56 +0100 Subject: [PATCH 11/26] ignore files --- .gitignore | 1 + 1 file changed, 1 insertion(+) diff --git a/.gitignore b/.gitignore index bcd6aef..bb43466 100644 --- a/.gitignore +++ b/.gitignore @@ -4,6 +4,7 @@ __pycache__ .DS_Store .venv *.json +*.bak raw_list *.egg-info/ deps/ From 1fd6dc2b06997adffb0d9a1c7293c85ed69f64ef Mon Sep 17 00:00:00 2001 From: mathleur Date: Tue, 10 Mar 2026 10:39:59 +0100 Subject: [PATCH 12/26] remove wrong qubes --- qubed_meteo/qube_examples/large_climate_eg.json | 4 ---- qubed_meteo/qube_examples/medium_climate_eg.json | 4 ---- 2 files changed, 8 deletions(-) delete mode 100644 qubed_meteo/qube_examples/large_climate_eg.json delete mode 100644 qubed_meteo/qube_examples/medium_climate_eg.json diff --git a/qubed_meteo/qube_examples/large_climate_eg.json b/qubed_meteo/qube_examples/large_climate_eg.json deleted file mode 100644 index f7b62c2..0000000 --- a/qubed_meteo/qube_examples/large_climate_eg.json +++ /dev/null @@ -1,4 +0,0 @@ -{ - "version": "1", - "qube": [] -} diff --git a/qubed_meteo/qube_examples/medium_climate_eg.json b/qubed_meteo/qube_examples/medium_climate_eg.json deleted file mode 100644 index f7b62c2..0000000 --- a/qubed_meteo/qube_examples/medium_climate_eg.json +++ /dev/null @@ -1,4 +0,0 @@ -{ - "version": "1", - "qube": [] -} From fab9cedf330bbd3dcf6b19a29665888ee66e2103 Mon Sep 17 00:00:00 2001 From: mathleur Date: Tue, 10 Mar 2026 10:40:26 +0100 Subject: [PATCH 13/26] start to translate stac catalogue to use the python rust bindings --- stac_server/main.py | 36 +++++++++++++++++++++++++----------- 1 file changed, 25 insertions(+), 11 deletions(-) diff --git a/stac_server/main.py b/stac_server/main.py index 863399d..4a0afbf 100644 --- a/stac_server/main.py +++ b/stac_server/main.py @@ -17,8 +17,8 @@ from fastapi.staticfiles import StaticFiles from fastapi.templating import Jinja2Templates from pydantic import BaseModel -from qubed import Qube -from qubed.formatters import node_tree_to_html +from qubed import PyQube +# from qubed.formatters import node_tree_to_html logger = logging.getLogger("uvicorn.error") log_level = os.environ.get("LOG_LEVEL", "INFO").upper() @@ -40,7 +40,7 @@ prefix = Path( os.environ.get( - "QUBED_DATA_PREFIX", Path(__file__).parents[1] / "tests/example_qubes/" + "QUBED_DATA_PREFIX", Path(__file__).parents[1] / "qubed_meteo/qube_examples/" ) ) @@ -104,20 +104,33 @@ async def startup_event(): ) templates = Jinja2Templates(directory=Path(__file__).parent / "templates") -qube = Qube.empty() +# qube = Qube.empty() +qube = PyQube() mars_language = {} -for data_file in config.get("data_files", []): +for i, data_file in enumerate(config.get("data_files", [])): data_path = prefix / data_file if not data_path.exists(): logger.warning(f"Data file {data_path} does not exist, skipping") continue logger.info(f"Loading data from {data_path}") with open(data_path, "r") as f: - qube = qube | Qube.from_json(json.load(f)) - logger.info( - f"Loaded {data_path}. Now have {qube.n_nodes} nodes and {qube.n_leaves} leaves." - ) + # PyQube.from_arena_json expects a JSON string, not a Python dict + new_qube = PyQube.from_arena_json(json.dumps(json.load(f))) + print(new_qube.to_ascii()) + + if i==0: + print("WENT HERE??") + qube = new_qube + print(qube.to_ascii()) + logger.info(f"Initialized qube from {data_path}") + else: + qube.append(new_qube) + logger.info(f"Appended data from {data_path}") + logger.info(f"Loaded {data_path}. Now have {len(qube)} nodes.") + +print("WHAT'S THE FINAL QUBE???") +print(qube.to_ascii()) with open(Path(__file__).parents[1] / "config/language/language.yaml", "r") as f: mars_language = yaml.safe_load(f) @@ -194,7 +207,8 @@ async def union( body_json=Depends(get_body_json), ): global qube - qube = qube | Qube.from_json(body_json) + # body_json is a parsed dict; pass a JSON string to the Rust binding + qube = qube | PyQube.from_arena_json(json.dumps(body_json)) return qube.to_json() @@ -312,7 +326,7 @@ async def query_polytope( } -def follow_query(request: dict[str, str | list[str]], qube: Qube): +def follow_query(request: dict[str, str | list[str]], qube: PyQube): rel_qube = qube.select(request, consume=False) full_axes = rel_qube.axes_info() From f9cf504cf2304759b1f4d929479fe5061769db14 Mon Sep 17 00:00:00 2001 From: mathleur Date: Tue, 10 Mar 2026 11:07:27 +0100 Subject: [PATCH 14/26] add python bindings to select method --- py_qubed/src/lib.rs | 50 ++++++++++++++++++++++++ py_qubed/tests/__init__.py | 0 py_qubed/tests/test_qubed_api.py | 12 ++++-- py_qubed/tests/test_select.py | 67 ++++++++++++++++++++++++++++++++ 4 files changed, 125 insertions(+), 4 deletions(-) create mode 100644 py_qubed/tests/__init__.py create mode 100644 py_qubed/tests/test_select.py diff --git a/py_qubed/src/lib.rs b/py_qubed/src/lib.rs index 61434c0..c13a5cf 100644 --- a/py_qubed/src/lib.rs +++ b/py_qubed/src/lib.rs @@ -1,4 +1,6 @@ +use ::qubed::Coordinates; use ::qubed::Qube; +use ::qubed::select::SelectMode; use pyo3::exceptions::PyTypeError; use pyo3::prelude::*; use pyo3::types::{PyDict, PyList, PyModule}; @@ -93,6 +95,54 @@ impl PyQube { Ok(()) } + pub fn select( + &self, + request: Bound<'_, PyDict>, + mode: Option, + _consume: Option, + ) -> PyResult { + // Collect selection data with owned Strings and Coordinates + let mut selection_data: Vec<(String, Coordinates)> = Vec::new(); + + for (k, v) in request.iter() { + let key: String = + k.extract().map_err(|_| PyTypeError::new_err("select keys must be strings"))?; + + let coords = if v.is_instance_of::() { + let lst = v.cast_into::()?; + let mut parts: Vec = Vec::with_capacity(lst.len()); + for item in lst.iter() { + // Convert any value to string representation (handles int, float, str) + let py_str = item.str()?; + let s: String = py_str.extract()?; + parts.push(s); + } + Coordinates::from_string(&parts.join("|")) + } else { + // Convert any value to string representation (handles int, float, str) + let py_str = v.str()?; + let s: String = py_str.extract()?; + Coordinates::from_string(&s) + }; + + selection_data.push((key, coords)); + } + + let select_mode = match mode.as_deref() { + Some(m) if m.eq_ignore_ascii_case("prune") => SelectMode::Prune, + _ => SelectMode::Default, + }; + + // Convert to references for the select call + let pairs: Vec<(&str, Coordinates)> = + selection_data.iter().map(|(k, c)| (k.as_str(), c.clone())).collect(); + + match self.inner.select(&pairs, select_mode) { + Ok(q) => Ok(PyQube { inner: q }), + Err(e) => Err(PyTypeError::new_err(e)), + } + } + pub fn __repr__(&self) -> PyResult { Ok(format!("PyQube(root_id={:?})", self.inner.root())) } diff --git a/py_qubed/tests/__init__.py b/py_qubed/tests/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/py_qubed/tests/test_qubed_api.py b/py_qubed/tests/test_qubed_api.py index ac765b5..c096225 100644 --- a/py_qubed/tests/test_qubed_api.py +++ b/py_qubed/tests/test_qubed_api.py @@ -81,13 +81,17 @@ def test_to_from_arena_json_roundtrip() -> None: """) arena_json = qube.to_arena_json() - # should be valid JSON representing an array + # should be valid JSON representing arena structure with 'qube' key import json parsed = json.loads(arena_json) - assert isinstance(parsed, list) - # expect at least one node entry with dim and coords - assert any(isinstance(item, dict) and "dim" in item and "coords" in item for item in parsed) + assert isinstance(parsed, dict) + assert "qube" in parsed + assert "version" in parsed + # expect qube to be a list with node entries containing dim and coords + qube_list = parsed["qube"] + assert isinstance(qube_list, list) + assert any(isinstance(item, dict) and "dim" in item and "coords" in item for item in qube_list) # Reconstruct and verify ascii equality reconstructed = PyQube.from_arena_json(arena_json) diff --git a/py_qubed/tests/test_select.py b/py_qubed/tests/test_select.py new file mode 100644 index 0000000..a208485 --- /dev/null +++ b/py_qubed/tests/test_select.py @@ -0,0 +1,67 @@ +import qubed + + +def test_select_1(): + input_qube = r"""root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ ├── param=2 + │ └── param=3 + └── expver=0002 + ├── param=1 + └── param=2""" + + q = qubed.PyQube.from_ascii(input_qube) + + selected = q.select({"class": [1]}, None, None) + + expected = r"""root +└── class=1 + ├── expver=0001 + │ ├── param=1 + │ └── param=2 + └── expver=0002 + ├── param=1 + └── param=2""" + + assert selected.to_ascii() == qubed.PyQube.from_ascii(expected).to_ascii() + + +def test_select_2(): + input_qube = r"""root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ ├── param=2 + │ └── param=3 + └── expver=0002 + ├── param=1 + └── param=2""" + + q = qubed.PyQube.from_ascii(input_qube) + + selected = q.select({"class": [1], "param": [1]}, None, None) + + expected = r"""root +└── class=1 + ├── expver=0001 + │ └── param=1 + └── expver=0002 + └── param=1""" + + assert selected.to_ascii() == qubed.PyQube.from_ascii(expected).to_ascii() From 523b49db296d928a1a3008bb6048d9791a373ca7 Mon Sep 17 00:00:00 2001 From: mathleur Date: Tue, 10 Mar 2026 11:23:25 +0100 Subject: [PATCH 15/26] add python bindings for the axes info --- py_qubed/src/lib.rs | 11 +++++++++ py_qubed/tests/test_select.py | 42 +++++++++++++++++++++++++++++++++++ 2 files changed, 53 insertions(+) diff --git a/py_qubed/src/lib.rs b/py_qubed/src/lib.rs index c13a5cf..9c32908 100644 --- a/py_qubed/src/lib.rs +++ b/py_qubed/src/lib.rs @@ -143,6 +143,17 @@ impl PyQube { } } + pub fn all_unique_dim_coords(&mut self, py: Python<'_>) -> PyResult> { + let dim_coords = self.inner.all_unique_dim_coords(); + let py_dict = PyDict::new(py); + + for (dimension, coordinates) in dim_coords { + py_dict.set_item(dimension, coordinates.to_string())?; + } + + Ok(py_dict.into_any().unbind()) + } + pub fn __repr__(&self) -> PyResult { Ok(format!("PyQube(root_id={:?})", self.inner.root())) } diff --git a/py_qubed/tests/test_select.py b/py_qubed/tests/test_select.py index a208485..46cef1c 100644 --- a/py_qubed/tests/test_select.py +++ b/py_qubed/tests/test_select.py @@ -65,3 +65,45 @@ def test_select_2(): └── param=1""" assert selected.to_ascii() == qubed.PyQube.from_ascii(expected).to_ascii() + + +def test_all_unique_dim_coords(): + input_qube = r"""root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ ├── param=2 + │ └── param=3 + └── expver=0002 + ├── param=1 + └── param=2""" + + q = qubed.PyQube.from_ascii(input_qube) + + dim_coords = q.all_unique_dim_coords() + + # Should have 3 dimensions + assert len(dim_coords) == 3 + + # Check that expected dimensions are present + assert "class" in dim_coords + assert "expver" in dim_coords + assert "param" in dim_coords + + # Check coordinate values are strings + assert isinstance(dim_coords["class"], str) + assert isinstance(dim_coords["expver"], str) + assert isinstance(dim_coords["param"], str) + + # Check that coordinates contain expected values + assert "1" in dim_coords["class"] + assert "2" in dim_coords["class"] + assert "0001" in dim_coords["expver"] + assert "0002" in dim_coords["expver"] From e14fdeac0223ae28d4f749866d7897fdbd7acebc Mon Sep 17 00:00:00 2001 From: mathleur Date: Tue, 10 Mar 2026 11:41:50 +0100 Subject: [PATCH 16/26] add python bindings for compress --- py_qubed/src/lib.rs | 5 +++++ py_qubed/tests/test_select.py | 37 +++++++++++++++++++++++++++++++++++ 2 files changed, 42 insertions(+) diff --git a/py_qubed/src/lib.rs b/py_qubed/src/lib.rs index 9c32908..f5db188 100644 --- a/py_qubed/src/lib.rs +++ b/py_qubed/src/lib.rs @@ -154,6 +154,11 @@ impl PyQube { Ok(py_dict.into_any().unbind()) } + pub fn compress(&mut self) -> PyResult<()> { + self.inner.compress(); + Ok(()) + } + pub fn __repr__(&self) -> PyResult { Ok(format!("PyQube(root_id={:?})", self.inner.root())) } diff --git a/py_qubed/tests/test_select.py b/py_qubed/tests/test_select.py index 46cef1c..b44f9bb 100644 --- a/py_qubed/tests/test_select.py +++ b/py_qubed/tests/test_select.py @@ -107,3 +107,40 @@ def test_all_unique_dim_coords(): assert "2" in dim_coords["class"] assert "0001" in dim_coords["expver"] assert "0002" in dim_coords["expver"] + + +def test_compress(): + input_qube = r"""root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ ├── param=2 + │ └── param=3 + └── expver=0002 + ├── param=1 + └── param=2""" + + q = qubed.PyQube.from_ascii(input_qube) + + # Get the ASCII representation before compression + ascii_before = q.to_ascii() + + # Compress the qube + q.compress() + + # The qube should still be valid and have the same structure + ascii_after = q.to_ascii() + + # Verify the structure is preserved or optimized (may change due to deduplication) + assert len(ascii_before) > 0 + assert len(ascii_after) > 0 + + # Verify datacube count is preserved + assert len(q) > 0 From 4c4e1074a4e9a5e4abaebd62810428bc268ce53e Mon Sep 17 00:00:00 2001 From: mathleur Date: Tue, 10 Mar 2026 12:48:59 +0100 Subject: [PATCH 17/26] fix python parsing of all_unique_dim_coords --- py_qubed/src/lib.rs | 17 ++++++++++++++++- py_qubed/tests/test_select.py | 13 ++++++++----- 2 files changed, 24 insertions(+), 6 deletions(-) diff --git a/py_qubed/src/lib.rs b/py_qubed/src/lib.rs index f5db188..98f8386 100644 --- a/py_qubed/src/lib.rs +++ b/py_qubed/src/lib.rs @@ -148,7 +148,22 @@ impl PyQube { let py_dict = PyDict::new(py); for (dimension, coordinates) in dim_coords { - py_dict.set_item(dimension, coordinates.to_string())?; + let coord_str = coordinates.to_string(); + // Split on slash if present, otherwise treat as single value + let values: Vec<&str> = if coord_str.is_empty() { + vec![] + } else if coord_str.contains('/') { + coord_str.split('/').collect() + } else { + vec![&coord_str] + }; + + let py_list = PyList::empty(py); + for value in values { + py_list.append(value)?; + } + + py_dict.set_item(dimension, py_list)?; } Ok(py_dict.into_any().unbind()) diff --git a/py_qubed/tests/test_select.py b/py_qubed/tests/test_select.py index b44f9bb..7224d27 100644 --- a/py_qubed/tests/test_select.py +++ b/py_qubed/tests/test_select.py @@ -89,7 +89,7 @@ def test_all_unique_dim_coords(): dim_coords = q.all_unique_dim_coords() - # Should have 3 dimensions + # Should have 3 dimensions (class, expver, param) assert len(dim_coords) == 3 # Check that expected dimensions are present @@ -97,16 +97,19 @@ def test_all_unique_dim_coords(): assert "expver" in dim_coords assert "param" in dim_coords - # Check coordinate values are strings - assert isinstance(dim_coords["class"], str) - assert isinstance(dim_coords["expver"], str) - assert isinstance(dim_coords["param"], str) + # Check coordinate values are lists + assert isinstance(dim_coords["class"], list) + assert isinstance(dim_coords["expver"], list) + assert isinstance(dim_coords["param"], list) # Check that coordinates contain expected values assert "1" in dim_coords["class"] assert "2" in dim_coords["class"] assert "0001" in dim_coords["expver"] assert "0002" in dim_coords["expver"] + assert "1" in dim_coords["param"] + assert "2" in dim_coords["param"] + assert "3" in dim_coords["param"] def test_compress(): From df5c888130e94dab39d99dfe7e36811c265c78f0 Mon Sep 17 00:00:00 2001 From: mathleur Date: Tue, 10 Mar 2026 13:34:41 +0100 Subject: [PATCH 18/26] more tests --- py_qubed/src/lib.rs | 2 +- py_qubed/tests/test_select.py | 65 +++++++++++++++++++++++++ qubed/src/select.rs | 92 +++++++++++++++++++++++++++++++++++ 3 files changed, 158 insertions(+), 1 deletion(-) diff --git a/py_qubed/src/lib.rs b/py_qubed/src/lib.rs index 98f8386..75a2408 100644 --- a/py_qubed/src/lib.rs +++ b/py_qubed/src/lib.rs @@ -117,7 +117,7 @@ impl PyQube { let s: String = py_str.extract()?; parts.push(s); } - Coordinates::from_string(&parts.join("|")) + Coordinates::from_string(&parts.join("/")) } else { // Convert any value to string representation (handles int, float, str) let py_str = v.str()?; diff --git a/py_qubed/tests/test_select.py b/py_qubed/tests/test_select.py index 7224d27..bc75860 100644 --- a/py_qubed/tests/test_select.py +++ b/py_qubed/tests/test_select.py @@ -66,6 +66,43 @@ def test_select_2(): assert selected.to_ascii() == qubed.PyQube.from_ascii(expected).to_ascii() +def test_select_3(): + input_qube = r"""root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ ├── param=2 + │ └── param=3 + └── expver=0002 + ├── param=1 + └── param=2""" + + q = qubed.PyQube.from_ascii(input_qube) + + selected = q.select({"expver": ["0001"]}, None, None) + + print(selected.to_ascii()) + + expected = r"""root +├── class=1 +│ └── expver=0001 +│ ├── param=1 +│ └── param=2 +└── class=2 + └── expver=0001 + ├── param=1 + ├── param=2 + └── param=3""" + + assert selected.to_ascii() == qubed.PyQube.from_ascii(expected).to_ascii() + def test_all_unique_dim_coords(): input_qube = r"""root @@ -140,6 +177,34 @@ def test_compress(): # The qube should still be valid and have the same structure ascii_after = q.to_ascii() + + print(ascii_after) + + # Verify the structure is preserved or optimized (may change due to deduplication) + assert len(ascii_before) > 0 + assert len(ascii_after) > 0 + + # Verify datacube count is preserved + assert len(q) > 0 + +def test_compress_2(): + input_qube = r"""root +└── class=2 + └── expver=0002 + └── param=2""" + + q = qubed.PyQube.from_ascii(input_qube) + + # Get the ASCII representation before compression + ascii_before = q.to_ascii() + + # Compress the qube + q.compress() + + # The qube should still be valid and have the same structure + ascii_after = q.to_ascii() + + print(ascii_after) # Verify the structure is preserved or optimized (may change due to deduplication) assert len(ascii_before) > 0 diff --git a/qubed/src/select.rs b/qubed/src/select.rs index 1040ae4..50308f5 100644 --- a/qubed/src/select.rs +++ b/qubed/src/select.rs @@ -273,6 +273,98 @@ mod tests { Ok(()) } + #[test] + fn test_select_3() -> Result<(), String> { + let input = r#"root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ ├── param=2 + │ └── param=3 + └── expver=0002 + ├── param=1 + └── param=2"#; + + let qube = Qube::from_ascii(input).unwrap(); + + // let mut selection = std::collections::HashMap::new(); + // // selection.insert("class".to_string(), Coordinates::from(1)); + // selection.insert("param".to_string(), Coordinates::from(1)); + + let selection = [("expver", &["0001"])]; + + let selected_qube = qube.select(&selection, SelectMode::Default)?; + + println!("Selected Qube:\n{}", selected_qube.to_ascii()); + + let result = r#"root +├── class=1 +│ └── expver=0001 +│ ├── param=1 +│ └── param=2 +└── class=2 + └── expver=0001 + ├── param=1 + ├── param=2 + └── param=3"#; + + let result = Qube::from_ascii(result).unwrap(); + assert_eq!(selected_qube.to_ascii(), result.to_ascii()); + + Ok(()) + } + + #[test] + fn test_select_4() -> Result<(), String> { + let input = r#"root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0003 + │ ├── param=1 + │ ├── param=2 + │ └── param=3 + └── expver=0002 + ├── param=1 + └── param=2"#; + + let qube = Qube::from_ascii(input).unwrap(); + + // let mut selection = std::collections::HashMap::new(); + // // selection.insert("class".to_string(), Coordinates::from(1)); + // selection.insert("param".to_string(), Coordinates::from(1)); + + let selection = [("expver", &["0003"])]; + + let selected_qube = qube.select(&selection, SelectMode::Prune)?; + + println!("Selected Qube:\n{}", selected_qube.to_ascii()); + + let result = r#"root +└── class=2 + └── expver=0003 + ├── param=1 + ├── param=2 + └── param=3"#; + + let result = Qube::from_ascii(result).unwrap(); + assert_eq!(selected_qube.to_ascii(), result.to_ascii()); + + Ok(()) + } + #[test] fn test_prune() -> Result<(), String> { let input = r#"root From 414be906b70b394991b8bfcdf45637c11df91b1c Mon Sep 17 00:00:00 2001 From: mathleur Date: Tue, 10 Mar 2026 13:35:10 +0100 Subject: [PATCH 19/26] partially working catalogue --- config/config.yaml | 3 + config/language/language.yaml | 26402 ++++++++++++++++++++++++++++++++ stac_server/main.py | 62 +- 3 files changed, 26447 insertions(+), 20 deletions(-) create mode 100644 config/config.yaml create mode 100644 config/language/language.yaml diff --git a/config/config.yaml b/config/config.yaml new file mode 100644 index 0000000..2e8b824 --- /dev/null +++ b/config/config.yaml @@ -0,0 +1,3 @@ +data_files: + - small_climate_eg.json + - medium_extremes_eg.json \ No newline at end of file diff --git a/config/language/language.yaml b/config/language/language.yaml new file mode 100644 index 0000000..c3d35ed --- /dev/null +++ b/config/language/language.yaml @@ -0,0 +1,26402 @@ +levtype: + description: Vertical level type. Can be pressure, height, depth, model levels, etc. + category: data + default: pl + flatten: false + type: enum + values: + cat: + name: "Category" + dp: + name: "Depth (depth in metres)" + layer: + ml: + name: "Model level count" + pl: + name: "Pressure levels (in hPa)" + hl: + name: "Height levels (in metres)" + pt: + name: "Potential temperature" + pv: + name: "Potential vorticity" + sfc: + name: "Surface of Earth" + sol: + name: "3d multi-level model" + alternative_names: + - "surface other (multi)levels" + wv: + name: "Ocean wave" + o2d: + name: "Ocean surface" + o3d: + name: "Ocean model levels" + never: + - type: ssd + +class: + description: Main category of dataset + category: data + default: od + flatten: false + type: enum + values: + ai: + name: "Operational AIFS" + d1: + name: "Destination Earth Digital Twins" + od: + name: "Operational forecast data" + rd: + name: "Research data" +type: + description: Dataset type distinguishing between different statics, diagnostics, or state analyses + category: data + default: an + flatten: false + type: enum + multiple: true + values: + 3g: + name: "3D variational gradients" + 3v: + name: "3D variational analysis" + 4g: + name: "4D variational gradients" + 4i: + name: "4D variational increments" + 4v: + name: "4D variational analysis" + ab: + name: "Analysis bias" + ai: + name: "Analysis input" + af: + name: "Analysis feedback" + an: + name: "Analysis" + as: + name: "Adjoint singular vector" + bf: + name: "Bias-corrected forecast" + cd: + name: "Climate distribution" + cf: + name: "Control forecast" + ci: + name: "Clustering information" + cl: + name: "Climatology" + cm: + name: "Cluster means" + cr: + name: "Cluster representative" + cs: + name: "Cluster standard deviations" + cv: + name: "Calibration validation forecast" + ea: + name: "Errors in analysis" + ed: + name: "Empirical distribution" + ef: + name: "Errors in first guess" + efi: + name: "Extreme forecast index" + efic: + name: "Extreme forecast index control" + em: + name: "Ensemble mean" + eme: + name: "Ensemble data assimilation model errors" + emtm: + name: "Ensemble mean of temporal mean" + ep: + name: "Event probability" + es: + name: "Ensemble standard deviation" + est: + name: "Ensemble statistics" + estdtm: + name: "Ensemble standard deviation of temporal mean" + fa: + name: "Forecast accumulation" + fb: + name: "Feedback" + fc: + name: "Forecast" + pf: + name: "Perturbed forecast" +stream: + description: Categorisation of data source, for example the forecast model or the ensemble model + category: data + default: oper + flatten: false + type: enum + values: + clte: + name: "Climate run output" + alternative_names: + - "climate" + oper: + name: "Atmospheric model" + alternative_names: + - "da" + - "daily archive" + wave: + name: "Wave model" + alternative_names: + - "wv" + lwda: + name: "Long window daily archive" + lwwv: + name: "Long window wave" + clmn: + name: "Climate run monthly means output" + alternative_names: + - "climate-monthly" +expver: + description: Experiment number, 0001 is operational data + category: data + default: "0001" + flatten: false + type: enum + values: + "0001": + name: "Operational data" + xxxx: + name: "Experimental data" + xxxy: + name: "Experimental data" +dataset: + description: High-level dataset identifier + multiple: true + type: enum + values: + climate-dt: + name: "Climate Digital Twin" + description: "The Climate DT represents the first ever attempt to operationalise the production of global multi-decadal climate projections, leveraging the world-leading supercomputing facilities of the EuroHPC Joint Undertaking along with some of the leading European climate models. A concise overview of what the Climate DT aims to achieve, and of the different concepts essential for an understanding of the Digital Twin's characteristics, is included in the Climate DT factsheet." + url: "https://confluence.ecmwf.int/display/DDCZ/Climate+DT+Phase+1+data+catalogue" + extremes-dt: + name: "Extremes data" + on-demand-extremes-dt: + name: "On-demand extremes data" +repres: + flatten: false + multiple: true + type: enum + values: + g: + name: "G" + s: + name: "H" + l: + name: "L" + n: + name: "P" + r: + name: "L" +obsgroup: + category: data + multiple: true + type: enum + values: + # - [conventional] + sat: + name: "Satellite" + ers1: + trmm: + qscat: + reo3: + hirs: + name: "Hirs" + alternative_names: + - 1 + amsua: + name: "Amsua" + alternative_names: + - 2 + amsub: + name: "Amsub" + alternative_names: + - 3 + mhs: + name: "Mhs" + alternative_names: + - 4 + geos: + name: "Geos" + alternative_names: + - 5 + resat: + name: "Resat" + alternative_names: + - 6 + meris: + name: "Meris" + alternative_names: + - 7 + gpsro: + name: "Gpsro" + alternative_names: + - 8 + satob: + name: "Satob" + alternative_names: + - 9 + scatt: + name: "Scatt" + alternative_names: + - 10 + ssmi_as: + name: "Ssmi all-sky" + alternative_names: + - 11 + iasi: + name: "Iasi" + alternative_names: + - 12 + airs: + name: "Airs" + alternative_names: + - 13 + ssmis_as: + name: "Ssmis all-sky" + alternative_names: + - 14 + tmi_as: + name: "Tmi all-sky" + alternative_names: + - 15 + amsre_as: + name: "Amsre all-sky" + alternative_names: + - 16 + conv: + name: "Conv" + alternative_names: + - 17 + smos: + name: "Smos" + alternative_names: + - 19 + windsat_as: + name: "Windsat all-sky" + alternative_names: + - 20 + ssmi: + name: "Ssmi" + alternative_names: + - 21 + amsua_as: + name: "Amsua all-sky" + alternative_names: + - 22 + amsre: + name: "Amsre" + alternative_names: + - 23 + tmi: + name: "Tmi" + alternative_names: + - 24 + ssmis: + name: "Ssmis" + alternative_names: + - 25 + gbrad: + name: "Gbrad" + alternative_names: + - 26 + mwhs: + name: "Mwhs" + alternative_names: + - 27 + mwts: + name: "Mwts" + alternative_names: + - 28 + mwri_as: + name: "Mwri all-sky" + alternative_names: + - 29 + iras: + name: "Iras" + alternative_names: + - 30 + msu: + name: "Msu" + alternative_names: + - 31 + ssu: + name: "Ssu" + alternative_names: + - 32 + vtpr1: + name: "Vtpr1" + alternative_names: + - 33 + vtpr2: + name: "Vtpr2" + alternative_names: + - 34 + atms: + name: "Atms" + alternative_names: + - 35 + resat_ak: + name: "Resat averaging kernels" + alternative_names: + - 36 + cris: + name: "Cris" + alternative_names: + - 37 + wave_ip: + name: "Wave integrated parameters" + alternative_names: + - 38 + wave_sp: + name: "Wave spectra" + alternative_names: + - 39 + raingg: + name: "Raingg" + alternative_names: + - 40 + sfc_ms: + name: "Surface multisensor" + alternative_names: + - 41 + amsr2_as: + name: "Amsr-2 all-sky" + alternative_names: + - 42 + saphir_as: + name: "Saphir all-sky" + alternative_names: + - 43 + amsub_as: + name: "Amsub all-sky" + alternative_names: + - 44 + mhs_as: + name: "Mhs all-sky" + alternative_names: + - 45 + dwl: + name: "Doppler wind lidar" + alternative_names: + - 46 + iris: + name: "Iris" + alternative_names: + - 47 + aatsr: + name: "Aatsr" + alternative_names: + - 49 + atms_as: + name: "Atms all-sky" + alternative_names: + - 50 + gmi_as: + name: "Gmi all-sky" + alternative_names: + - 51 + godae_sst: + name: "Godae sea surface temperatures" + alternative_names: + - 52 + atovs_ms: + name: "Atovs multisensor" + alternative_names: + - 53 + atmospheric_composition: + name: "Atmospheric composition" + alternative_names: + - 54 + non_sfc_ms: + name: "Non-surface multisensor" + alternative_names: + - 55 + mwts2: + name: "Mwts2" + alternative_names: + - 56 + ssmi_1d: + name: "Ssmi 1dvar tcwv cloudy-sky" + alternative_names: + - 57 + mwhs2_as: + name: "Mwhs2 all-sky" + alternative_names: + - 58 + ssmt2: + name: "Ssmt2" + alternative_names: + - 59 + smap: + name: "Smap" + alternative_names: + - 60 + tovs_ms: + name: "Tovs multisensor" + alternative_names: + - 61 + cloud_r: + name: "Cloud reflectivity" + alternative_names: + - 62 + cloud_l: + name: "Cloud lidar" + alternative_names: + - 63 + satellite_lightning: + name: "Satellite lightning" + alternative_names: + - 64 + geos_vis: + name: "Geos vis" + alternative_names: + - 65 + oconv: + name: "Oconv" + alternative_names: + - 66 + mwts3_as: + name: "Mwts3 all-sky" + alternative_names: + - 67 + giirs: + name: "Giirs" + alternative_names: + - 68 + test: + name: "Test" + alternative_names: + - 99 +reportype: + category: data + type: any + multiple: true + + # rdbprefix + + values: {} +levelist: + description: List of levels (units depend on levtype) + category: data + multiple: true + by: 1 + default: + - 1000 + - 850 + - 700 + - 500 + - 400 + - 300 + never: + - levtype: [sfc, o2d] + - type: ssd + type: enum + values: + 1: + 5: + 10: + 20: + 30: + 50: + 70: + 100: + 150: + 200: + 250: + 300: + 400: + 500: + 600: + 700: + 850: + 925: + 1000: +date: + description: Simulated or observed date + category: data + default: 0 + type: enum + multiple: true + values: + 20211021: +year: + description: Simulated or observed year + category: data + type: to-by-list + multiple: true + by: 1 + + values: {} +month: + description: Simulated or observed month + category: data + flatten: true + type: enum + multiple: true + values: + 1: + name: "January" + alternative_names: + - "jan" + 2: + name: "February" + alternative_names: + - "feb" + 3: + name: "March" + alternative_names: + - "mar" + 4: + name: "April" + alternative_names: + - "apr" + 5: + name: "May" + alternative_names: + - "may" + 6: + name: "June" + alternative_names: + - "jun" + 7: + name: "July" + alternative_names: + - "jul" + 8: + name: "August" + alternative_names: + - "aug" + 9: + name: "September" + alternative_names: + - "sep" + 10: + name: "October" + alternative_names: + - "oct" + 11: + name: "November" + alternative_names: + - "nov" + 12: + name: "December" + alternative_names: + - "dec" +hdate: + category: data + multiple: true + only: + - stream: + - enfh + - enwh + - efho + - ehmm + - ewho + - eefh + - weeh + type: integer + + values: {} +offsetdate: + category: data + multiple: true + type: date + + values: {} +fcmonth: + category: data + multiple: true + by: 1 + type: to-by-list + + values: {} +fcperiod: + category: data + multiple: true + type: integer + + values: {} +time: + description: Simulated or observed time of day (UTC) + category: data + default: "1200" + multiple: true + type: enum + values: + "0000": + "0100": + "0200": + "0300": + "0400": + "0500": + "0600": + "0700": + "0800": + "0900": + "1000": + "1100": + "1200": + "1300": + "1400": + "1500": + "1600": + "1700": + "1800": + "1900": + "2000": + "2100": + "2200": + "2300": +offsettime: + category: data + multiple: true + type: time + + # leadtime + # opttime + # range + + values: {} +step: + description: Forecast lead time (e.g., 6h, 12h, 24h) + category: data + multiple: true + by: 12 + default: 0 + type: range + never: + - dataset: + - climate-dt + - stream: + - msmm + - mmsa + - swmm + + values: {} +anoffset: + category: data + multiple: true + type: integer + + values: {} +reference: + category: data + multiple: true + type: integer + + ################################################################# + + # cluster + # probability + + values: {} +number: + description: Ensemble member number + category: data + multiple: true + aliases: + - ensemble + by: 1 + only: + - type: [pf, cr, cm, fcmean, fcmin, fcmax, fcstdev, sot, fc, wp, 4i, 4v] + never: + # This is to prevent number with type=fc and stream=oper + - stream: [oper, wave] + type: to-by-list + + values: {} +quantile: + category: data + multiple: true + only: + - type: + - pd + - pb + - taem + - cd + # - sot + type: to-by-list-quantile + denominators: [2, 3, 4, 5, 10, 100, 1000] + by: 1 + values: {} +domain: + description: The large scale geographic region. + category: data + default: g + flatten: false + type: enum + never: + - dataset: + - climate-dt + values: + # - [a, north west europe] + # - [b, north east europe, baltic and black sea] + c: + name: "South west europe" + d: + name: "South east europe" + e: + name: "Europe" + g: + name: "General european area" + alternative_names: + - "globe" +frequency: + category: data + multiple: true + by: 1 + only: + - param: + - "140251" + type: to-by-list + + values: {} +direction: + category: data + multiple: true + by: 1 + only: + - param: + - "140251" + type: to-by-list + + values: {} +diagnostic: + category: data + type: integer + multiple: true + + values: {} +iteration: + category: data + type: integer + multiple: true + + values: {} +channel: + category: data + only: + - type: ssd + type: integer + multiple: true + + values: {} +ident: + category: data + only: + - type: ssd + type: integer + multiple: true + + values: {} +instrument: + category: data + only: + - type: ssd + type: integer + multiple: true + + values: {} +method: + category: data + type: integer + + values: {} +origin: + category: data + multiple: true + type: enum + values: + ammc: + name: "Melbourne" + alternative_names: + - 1 + babj: + name: "Beijing" + alternative_names: + - 38 + cmcc: + cnmc: + name: "80" + consensus: + name: "255" + crfc: + name: "Cerfacs" + alternative_names: + - 239 + cwao: + name: "Montreal" + alternative_names: + - 54 + ecmf: + name: "Ecmwf" + alternative_names: + - 98 + edzw: + name: "Offenbach" + alternative_names: + - "dwd" + - 78 + egrr: + name: "Bracknell" + alternative_names: + - 74 + - "exeter" + enmi: + name: "Oslo" + alternative_names: + - 88 + fnmo: + name: "Fleet numerical" + alternative_names: + - "fnmoc" + - 58 + hadc: + name: "Hadley centre" + alternative_names: + - 247 + ifmk: + name: "246" + ingv: + name: "235" + knmi: + name: "245" + kwbc: + name: "Washington" + alternative_names: + - 7 + lemm: + name: "Madrid" + alternative_names: + - 214 + lfpw: + name: "Toulouse" + alternative_names: + - 84 + - 85 + - "paris" + rjtd: + name: "Tokyo" + alternative_names: + - 34 + rksl: + name: "Seoul" + alternative_names: + - 40 + sbsj: + name: "Cptec" + alternative_names: + - 46 + vuwien: + name: "University of vienna" + alternative_names: + - 244 +system: + category: data + type: integer + + ####################################################################### + # DestinE ClimateDT related keywords + + values: {} +model: + type: enum + description: Identifier of the computer model + values: + ifs-fesom: + name: "Integrated forecast system + FESOM ocean model" + ifs-nemo: + name: "Integrated forecast system + NEMO ocean model" + icon: + name: "ICON weather model" +activity: + description: Identifier of the activity under which model runs are performed or observations are collected + category: data + type: enum + values: + cmip6: + name: "Coupled model intercomparison project phase 6" + scenariomip: + name: "Scenario model intercomparison project" + highresmip: + name: "High resolution model intercomparison project" + story-nudging: + name: "Climate storylines by nudging to reanalysis" + baseline: + name: "Baseline simulations for climate model evaluation" + projections: + name: "Future climate projections" +experiment: + description: Identifier of the experiment + category: data + type: enum + values: + hist: + name: "Historical" + cont: + name: "Control" + amip: + name: "Atmospheric model intercomparison project" + ssp1-1.9: + name: "Shared Socio-Economic Pathway 1-1.9 (very low GHG emissions)" + ssp1-2.6: + name: "Shared Socio-Economic Pathway 1-2.6 (low GHG emissions)" + ssp2-4.5: + name: "Shared Socio-Economic Pathway 2-4.5 (intermediate GHG emissions)" + ssp3-7.0: + name: "Shared Socio-Economic Pathway 3-7.0 (high GHG emissions)" + ssp5-8.5: + name: "Shared Socio-Economic Pathway 5-8.5 (very high GHG emissions)" + tplus1.5k: + name: "Warmer world at 1.5 degrees k above pre-industrial temperatures" + tplus2.0k: + name: "Warmer world at 2.0 degrees k above pre-industrial temperatures" + tplus3.0k: + name: "Warmer world at 3.0 degrees k above pre-industrial temperatures" + tplus4.0k: + name: "Warmer world at 4.0 degrees k above pre-industrial temperatures" + abrupt4xco2: + name: "CO2 abruptly quadrupled and then held constant" +generation: + category: data + type: enum + values: + 1: +realization: + category: data + type: integer + values: + 1: +resolution: + category: data + type: enum + values: + standard: + name: "Standard resolution model output with longer availability" + high: + name: "High resolution model output with limited availability" +param: + description: Parameter + values: + 1: + name: "Stream function" + alternative_names: + - "strf" + 2: + name: "Vpot" + alternative_names: + - "vp" + - "velocity potential" + 3: + name: "Potential temperature" + alternative_names: + - "pt" + 4: + name: "Equivalent potential temperature" + alternative_names: + - "eqpt" + 5: + name: "Saturated equivalent potential temperature" + alternative_names: + - "sept" + 6: + name: "Soil sand fraction" + alternative_names: + - "ssfr" + 7: + name: "Soil clay fraction" + alternative_names: + - "scfr" + 8: + name: "Surface runoff" + alternative_names: + - "sro" + 9: + name: "Sub-surface runoff" + alternative_names: + - "ssro" + 10: + name: "Wind speed" + alternative_names: + - "ws" + 11: + name: "U component of divergent wind" + alternative_names: + - "udvw" + 12: + name: "V component of divergent wind" + alternative_names: + - "vdvw" + 13: + name: "U component of rotational wind" + alternative_names: + - "urtw" + 14: + name: "V component of rotational wind" + alternative_names: + - "vrtw" + 15: + name: "Auvp" + alternative_names: + - "aluvp" + - "uv visible albedo for direct radiation (climatological)" + 16: + name: "Auvd" + alternative_names: + - "aluvd" + - "uv visible albedo for diffuse radiation (climatological)" + 17: + name: "Anip" + alternative_names: + - "alnip" + - "near ir albedo for direct radiation (climatological)" + 18: + name: "Anid" + alternative_names: + - "alnid" + - "near ir albedo for diffuse radiation (climatological)" + 19: + name: "Clear sky surface uv" + alternative_names: + - "uvcs" + 20: + name: "Surface photosynthetically active radiation, clear sky" + alternative_names: + - "parcs" + 21: + name: "Unbalanced component of temperature" + alternative_names: + - "uctp" + 22: + name: "Unbalanced component of logarithm of surface pressure" + alternative_names: + - "ucln" + 23: + name: "Unbalanced component of divergence" + alternative_names: + - "ucdv" + 24: + name: "Reserved for future unbalanced components" + alternative_names: + - "_param_000024" + 25: + name: "Reserved for future unbalanced components" + alternative_names: + - "_param_000025" + 26: + name: "Lake cover" + alternative_names: + - "cl" + 27: + name: "Low vegetation cover" + alternative_names: + - "cvl" + 28: + name: "High vegetation cover" + alternative_names: + - "cvh" + 29: + name: "Type of low vegetation" + alternative_names: + - "tvl" + 30: + name: "Type of high vegetation" + alternative_names: + - "tvh" + 31: + name: "Sea ice area fraction" + alternative_names: + - "ci" + 32: + name: "Snow albedo" + alternative_names: + - "asn" + 33: + name: "Snow density" + alternative_names: + - "rsn" + 34: + name: "Sstk" + alternative_names: + - "sst" + - "sea surface temperature" + 35: + name: "Ice temperature layer 1" + alternative_names: + - "istl1" + 36: + name: "Ice temperature layer 2" + alternative_names: + - "istl2" + 37: + name: "Ice temperature layer 3" + alternative_names: + - "istl3" + 38: + name: "Ice temperature layer 4" + alternative_names: + - "istl4" + 39: + name: "Swv1" + alternative_names: + - "swvl1" + - "volumetric soil water layer 1" + 40: + name: "Swv2" + alternative_names: + - "swvl2" + - "volumetric soil water layer 2" + 41: + name: "Swv3" + alternative_names: + - "swvl3" + - "volumetric soil water layer 3" + 42: + name: "Swv4" + alternative_names: + - "swvl4" + - "volumetric soil water layer 4" + 43: + name: "Soil type" + alternative_names: + - "slt" + 44: + name: "Snow evaporation" + alternative_names: + - "es" + 45: + name: "Snowmelt" + alternative_names: + - "smlt" + 46: + name: "Solar duration" + alternative_names: + - "sdur" + 47: + name: "Direct solar radiation" + alternative_names: + - "dsrp" + 48: + name: "Magnitude of turbulent surface stress" + alternative_names: + - "magss" + 49: + name: "Maximum 10 metre wind gust since previous post-processing" + alternative_names: + - "10fg" + 50: + name: "Large-scale precipitation fraction" + alternative_names: + - "lspf" + 51: + name: "Maximum temperature at 2 metres in the last 24 hours" + alternative_names: + - "mx2t24" + 52: + name: "Minimum temperature at 2 metres in the last 24 hours" + alternative_names: + - "mn2t24" + 53: + name: "Montgomery potential" + alternative_names: + - "mont" + 54: + name: "Pressure" + alternative_names: + - "pres" + 55: + name: "Mean temperature at 2 metres in the last 24 hours" + alternative_names: + - "mean2t24" + 56: + name: "Mean 2 metre dewpoint temperature in the last 24 hours" + alternative_names: + - "mn2d24" + 57: + name: "Downward uv radiation at the surface" + alternative_names: + - "uvb" + 58: + name: "Photosynthetically active radiation at the surface" + alternative_names: + - "par" + 59: + name: "Convective available potential energy" + alternative_names: + - "cape" + 60: + name: "Potential vorticity" + alternative_names: + - "pv" + 62: + name: "Observation count" + alternative_names: + - "obct" + 63: + name: "Start time for skin temperature difference" + alternative_names: + - "stsktd" + 64: + name: "Finish time for skin temperature difference" + alternative_names: + - "ftsktd" + 65: + name: "Skin temperature difference" + alternative_names: + - "sktd" + 66: + name: "Lailv" + alternative_names: + - "lai_lv" + - "leaf area index, low vegetation" + 67: + name: "Laihv" + alternative_names: + - "lai_hv" + - "leaf area index, high vegetation" + 68: + name: "Minimum stomatal resistance, low vegetation" + alternative_names: + - "msr_lv" + 69: + name: "Minimum stomatal resistance, high vegetation" + alternative_names: + - "msr_hv" + 70: + name: "Biome cover, low vegetation" + alternative_names: + - "bc_lv" + 71: + name: "Biome cover, high vegetation" + alternative_names: + - "bc_hv" + 72: + name: "Instantaneous surface solar radiation downwards" + alternative_names: + - "issrd" + 73: + name: "Instantaneous surface thermal radiation downwards" + alternative_names: + - "istrd" + 74: + name: "Standard deviation of filtered subgrid orography (climatological)" + alternative_names: + - "sdfor" + 75: + name: "Specific rain water content" + alternative_names: + - "crwc" + 76: + name: "Specific snow water content" + alternative_names: + - "cswc" + 77: + name: "Etad" + alternative_names: + - "etadot" + - "eta-coordinate vertical velocity" + 78: + name: "Total column cloud liquid water" + alternative_names: + - "tclw" + 79: + name: "Total column cloud ice water" + alternative_names: + - "tciw" + 80: + name: "Experimental product" + alternative_names: + - "_param_000080" + 81: + name: "Experimental product" + alternative_names: + - "_param_000081" + 82: + name: "Experimental product" + alternative_names: + - "_param_000082" + 83: + name: "Experimental product" + alternative_names: + - "_param_000083" + 84: + name: "Experimental product" + alternative_names: + - "_param_000084" + 85: + name: "Experimental product" + alternative_names: + - "_param_000085" + 86: + name: "Experimental product" + alternative_names: + - "_param_000086" + 87: + name: "Experimental product" + alternative_names: + - "_param_000087" + 88: + name: "Experimental product" + alternative_names: + - "_param_000088" + 89: + name: "Experimental product" + alternative_names: + - "_param_000089" + 90: + name: "Experimental product" + alternative_names: + - "_param_000090" + 91: + name: "Experimental product" + alternative_names: + - "_param_000091" + 92: + name: "Experimental product" + alternative_names: + - "_param_000092" + 93: + name: "Experimental product" + alternative_names: + - "_param_000093" + 94: + name: "Experimental product" + alternative_names: + - "_param_000094" + 95: + name: "Experimental product" + alternative_names: + - "_param_000095" + 96: + name: "Experimental product" + alternative_names: + - "_param_000096" + 97: + name: "Experimental product" + alternative_names: + - "_param_000097" + 98: + name: "Experimental product" + alternative_names: + - "_param_000098" + 99: + name: "Experimental product" + alternative_names: + - "_param_000099" + 100: + name: "Experimental product" + alternative_names: + - "_param_000100" + 101: + name: "Experimental product" + alternative_names: + - "_param_000101" + 102: + name: "Experimental product" + alternative_names: + - "_param_000102" + 103: + name: "Experimental product" + alternative_names: + - "_param_000103" + 104: + name: "Experimental product" + alternative_names: + - "_param_000104" + 105: + name: "Experimental product" + alternative_names: + - "_param_000105" + 106: + name: "Experimental product" + alternative_names: + - "_param_000106" + 107: + name: "Experimental product" + alternative_names: + - "_param_000107" + 108: + name: "Experimental product" + alternative_names: + - "_param_000108" + 109: + name: "Experimental product" + alternative_names: + - "_param_000109" + 110: + name: "Experimental product" + alternative_names: + - "_param_000110" + 111: + name: "Experimental product" + alternative_names: + - "_param_000111" + 112: + name: "Experimental product" + alternative_names: + - "_param_000112" + 113: + name: "Experimental product" + alternative_names: + - "_param_000113" + 114: + name: "Experimental product" + alternative_names: + - "_param_000114" + 115: + name: "Experimental product" + alternative_names: + - "_param_000115" + 116: + name: "Experimental product" + alternative_names: + - "_param_000116" + 117: + name: "Experimental product" + alternative_names: + - "_param_000117" + 118: + name: "Experimental product" + alternative_names: + - "_param_000118" + 119: + name: "Experimental product" + alternative_names: + - "_param_000119" + 120: + name: "Experimental product" + alternative_names: + - "_param_000120" + 121: + name: "Maximum temperature at 2 metres in the last 6 hours" + alternative_names: + - "mx2t6" + 122: + name: "Minimum temperature at 2 metres in the last 6 hours" + alternative_names: + - "mn2t6" + 123: + name: "Maximum 10 metre wind gust in the last 6 hours" + alternative_names: + - "10fg6" + 124: + name: "Surface emissivity" + alternative_names: + - "emis" + 125: + name: "Vertically integrated total energy" + alternative_names: + - "vite" + 126: + name: "Generic parameter for sensitive area prediction" + alternative_names: + - "_param_000126" + 127: + name: "Atmospheric tide" + alternative_names: + - "at" + 128: + name: "Budget values" + alternative_names: + - "bv" + 129: + name: "Geopotential" + alternative_names: + - "z" + 130: + name: "Temperature" + alternative_names: + - "t" + 131: + name: "U component of wind" + alternative_names: + - "u" + 132: + name: "V component of wind" + alternative_names: + - "v" + 133: + name: "Specific humidity" + alternative_names: + - "q" + 134: + name: "Surface pressure" + alternative_names: + - "sp" + 135: + name: "Vertical velocity" + alternative_names: + - "w" + 136: + name: "Total column water" + alternative_names: + - "tcw" + 137: + name: "Total column vertically-integrated water vapour" + alternative_names: + - "tcwv" + 138: + name: "Vorticity (relative)" + alternative_names: + - "vo" + 139: + name: "St" + alternative_names: + - "stl1" + - "soil temperature level 1" + 140: + name: "Soil wetness level 1" + alternative_names: + - "swl1" + 141: + name: "Snow depth" + alternative_names: + - "sd" + 142: + name: "Large-scale precipitation" + alternative_names: + - "lsp" + 143: + name: "Convective precipitation" + alternative_names: + - "cp" + 144: + name: "Snowfall" + alternative_names: + - "sf" + 145: + name: "Boundary layer dissipation" + alternative_names: + - "bld" + 146: + name: "Surface sensible heat flux" + alternative_names: + - "sshf" + 147: + name: "Surface latent heat flux" + alternative_names: + - "slhf" + 148: + name: "Ss" + alternative_names: + - "chnk" + - "charnock" + 149: + name: "Surface net radiation (sw and lw)" + alternative_names: + - "snr" + 150: + name: "Top net radiation (sw and lw)" + alternative_names: + - "tnr" + 151: + name: "Mean sea level pressure" + alternative_names: + - "msl" + 152: + name: "Logarithm of surface pressure" + alternative_names: + - "lnsp" + 153: + name: "Short-wave heating rate" + alternative_names: + - "swhr" + 154: + name: "Long-wave heating rate" + alternative_names: + - "lwhr" + 155: + name: "Divergence" + alternative_names: + - "d" + 156: + name: "Geopotential height" + alternative_names: + - "gh" + 157: + name: "Relative humidity" + alternative_names: + - "r" + 158: + name: "Tendency of surface pressure" + alternative_names: + - "tsp" + 159: + name: "Boundary layer height" + alternative_names: + - "blh" + 160: + name: "Standard deviation of sub-gridscale orography" + alternative_names: + - "sdor" + 161: + name: "Anisotropy of sub-gridscale orography" + alternative_names: + - "isor" + 162: + name: "Angle of sub-gridscale orography" + alternative_names: + - "anor" + 163: + name: "Slope of sub-gridscale orography" + alternative_names: + - "slor" + 164: + name: "Total cloud cover" + alternative_names: + - "tcc" + 165: + name: "10 metre u wind component" + alternative_names: + - "10u" + 166: + name: "10 metre v wind component" + alternative_names: + - "10v" + 167: + name: "2 metre temperature" + alternative_names: + - "2t" + 168: + name: "2 metre dewpoint temperature" + alternative_names: + - "2d" + 169: + name: "Surface short-wave (solar) radiation downwards" + alternative_names: + - "ssrd" + 170: + name: "Soil temperature level 2" + alternative_names: + - "stl2" + 171: + name: "Soil wetness level 2" + alternative_names: + - "swl2" + 172: + name: "Land-sea mask" + alternative_names: + - "lsm" + 173: + name: "Surface roughness (climatological)" + alternative_names: + - "sr" + 174: + name: "Albedo (climatological)" + alternative_names: + - "al" + 175: + name: "Surface long-wave (thermal) radiation downwards" + alternative_names: + - "strd" + 176: + name: "Surface net short-wave (solar) radiation" + alternative_names: + - "ssr" + 177: + name: "Surface net long-wave (thermal) radiation" + alternative_names: + - "str" + 178: + name: "Top net short-wave (solar) radiation" + alternative_names: + - "tsr" + 179: + name: "Top net long-wave (thermal) radiation" + alternative_names: + - "ttr" + 180: + name: "Time-integrated eastward turbulent surface stress" + alternative_names: + - "ewss" + 181: + name: "Time-integrated northward turbulent surface stress" + alternative_names: + - "nsss" + 182: + name: "Evaporation" + alternative_names: + - "e" + 183: + name: "Soil temperature level 3" + alternative_names: + - "stl3" + 184: + name: "Soil wetness level 3" + alternative_names: + - "swl3" + 185: + name: "Convective cloud cover" + alternative_names: + - "ccc" + 186: + name: "Low cloud cover" + alternative_names: + - "lcc" + 187: + name: "Medium cloud cover" + alternative_names: + - "mcc" + 188: + name: "High cloud cover" + alternative_names: + - "hcc" + 189: + name: "Sunshine duration" + alternative_names: + - "sund" + 190: + name: "East-west component of sub-gridscale orographic variance" + alternative_names: + - "ewov" + 191: + name: "North-south component of sub-gridscale orographic variance" + alternative_names: + - "nsov" + 192: + name: "North-west/south-east component of sub-gridscale orographic variance" + alternative_names: + - "nwov" + 193: + name: "North-east/south-west component of sub-gridscale orographic variance" + alternative_names: + - "neov" + 194: + name: "Brightness temperature" + alternative_names: + - "btmp" + 195: + name: "Eastward gravity wave surface stress" + alternative_names: + - "lgws" + 196: + name: "Northward gravity wave surface stress" + alternative_names: + - "mgws" + 197: + name: "Gravity wave dissipation" + alternative_names: + - "gwd" + 198: + name: "Skin reservoir content" + alternative_names: + - "src" + 199: + name: "Vegetation fraction" + alternative_names: + - "veg" + 200: + name: "Variance of sub-gridscale orography" + alternative_names: + - "vso" + 201: + name: "Maximum temperature at 2 metres since previous post-processing" + alternative_names: + - "mx2t" + 202: + name: "Minimum temperature at 2 metres since previous post-processing" + alternative_names: + - "mn2t" + 203: + name: "Ozone mass mixing ratio" + alternative_names: + - "o3" + 204: + name: "Precipitation analysis weights" + alternative_names: + - "paw" + 205: + name: "Runoff" + alternative_names: + - "ro" + 206: + name: "Total column ozone" + alternative_names: + - "tco3" + 207: + name: "10 metre wind speed" + alternative_names: + - "10si" + 208: + name: "Top net short-wave (solar) radiation, clear sky" + alternative_names: + - "tsrc" + 209: + name: "Ttru" + alternative_names: + - "ttrc" + - "top net long-wave (thermal) radiation, clear sky" + 210: + name: "Surface net short-wave (solar) radiation, clear sky" + alternative_names: + - "ssrc" + 211: + name: "Surface net long-wave (thermal) radiation, clear sky" + alternative_names: + - "strc" + 212: + name: "Toa incident short-wave (solar) radiation" + alternative_names: + - "tisr" + 213: + name: "Vertically integrated moisture divergence" + alternative_names: + - "vimd" + 214: + name: "Diabatic heating by radiation" + alternative_names: + - "dhr" + 215: + name: "Diabatic heating by vertical diffusion" + alternative_names: + - "dhvd" + 216: + name: "Diabatic heating by cumulus convection" + alternative_names: + - "dhcc" + 217: + name: "Diabatic heating large-scale condensation" + alternative_names: + - "dhlc" + 218: + name: "Vertical diffusion of zonal wind" + alternative_names: + - "vdzw" + 219: + name: "Vertical diffusion of meridional wind" + alternative_names: + - "vdmw" + 220: + name: "East-west gravity wave drag tendency" + alternative_names: + - "ewgd" + 221: + name: "North-south gravity wave drag tendency" + alternative_names: + - "nsgd" + 222: + name: "Convective tendency of zonal wind" + alternative_names: + - "ctzw" + 223: + name: "Convective tendency of meridional wind" + alternative_names: + - "ctmw" + 224: + name: "Vertical diffusion of humidity" + alternative_names: + - "vdh" + 225: + name: "Humidity tendency by cumulus convection" + alternative_names: + - "htcc" + 226: + name: "Humidity tendency by large-scale condensation" + alternative_names: + - "htlc" + 227: + name: "Tendency due to removal of negative humidity" + alternative_names: + - "crnh" + 228: + name: "Total precipitation" + alternative_names: + - "tp" + 229: + name: "Instantaneous eastward turbulent surface stress" + alternative_names: + - "iews" + 230: + name: "Instantaneous northward turbulent surface stress" + alternative_names: + - "inss" + 231: + name: "Instantaneous surface sensible heat flux" + alternative_names: + - "ishf" + 232: + name: "Instantaneous moisture flux" + alternative_names: + - "ie" + 233: + name: "Apparent surface humidity" + alternative_names: + - "asq" + 234: + name: "Logarithm of surface roughness length for heat (climatological)" + alternative_names: + - "lsrh" + 235: + name: "Skin temperature" + alternative_names: + - "skt" + 236: + name: "Soil temperature level 4" + alternative_names: + - "stl4" + 237: + name: "Soil wetness level 4" + alternative_names: + - "swl4" + 238: + name: "Temperature of snow layer" + alternative_names: + - "tsn" + 239: + name: "Convective snowfall" + alternative_names: + - "csf" + 240: + name: "Large-scale snowfall" + alternative_names: + - "lsf" + 241: + name: "Accumulated cloud fraction tendency" + alternative_names: + - "acf" + 242: + name: "Accumulated liquid water tendency" + alternative_names: + - "alw" + 243: + name: "Forecast albedo" + alternative_names: + - "fal" + 244: + name: "Forecast surface roughness" + alternative_names: + - "fsr" + 245: + name: "Forecast logarithm of surface roughness for heat" + alternative_names: + - "flsr" + 246: + name: "Specific cloud liquid water content" + alternative_names: + - "clwc" + 247: + name: "Specific cloud ice water content" + alternative_names: + - "ciwc" + 248: + name: "Fraction of cloud cover" + alternative_names: + - "cc" + 249: + name: "Accumulated ice water tendency" + alternative_names: + - "aiw" + 250: + name: "Ice age" + alternative_names: + - "ice" + 251: + name: "Adiabatic tendency of temperature" + alternative_names: + - "atte" + 252: + name: "Adiabatic tendency of humidity" + alternative_names: + - "athe" + 253: + name: "Adiabatic tendency of zonal wind" + alternative_names: + - "atze" + 254: + name: "Adiabatic tendency of meridional wind" + alternative_names: + - "atmw" + 255: + name: "Indicates a missing value" + alternative_names: + - "_param_000255" + 928: + name: "Thicknes" + alternative_names: + - "thk" + 956: + name: "Thicknes anomaly" + alternative_names: + - "thka" + 999: + name: "Tropical cyclone" + alternative_names: + - "tc" + 3003: + name: "Pressure tendency" + alternative_names: + - "ptend" + 3005: + name: "Icao standard atmosphere reference height" + alternative_names: + - "icaht" + 3008: + name: "Geometrical height" + alternative_names: + - "h" + 3009: + name: "Standard deviation of height" + alternative_names: + - "hstdv" + 3012: + name: "Virtual potential temperature" + alternative_names: + - "vptmp" + 3014: + name: "Pseudo-adiabatic potential temperature" + alternative_names: + - "papt" + 3015: + name: "Maximum temperature" + alternative_names: + - "tmax" + 3016: + name: "Minimum temperature" + alternative_names: + - "tmin" + 3017: + name: "Dew point temperature" + alternative_names: + - "dpt" + 3018: + name: "Dew point depression (or deficit)" + alternative_names: + - "depr" + 3019: + name: "Lapse rate" + alternative_names: + - "lapr" + 3020: + name: "Visibility" + alternative_names: + - "vis" + 3021: + name: "Radar spectra (1)" + alternative_names: + - "rdsp1" + 3022: + name: "Radar spectra (2)" + alternative_names: + - "rdsp2" + 3023: + name: "Radar spectra (3)" + alternative_names: + - "rdsp3" + 3024: + name: "Parcel lifted index (to 500 hpa)" + alternative_names: + - "pli" + 3025: + name: "Temperature anomaly" + alternative_names: + - "ta" + 3026: + name: "Pressure anomaly" + alternative_names: + - "presa" + 3027: + name: "Geopotential height anomaly" + alternative_names: + - "gpa" + 3028: + name: "Wave spectra (1)" + alternative_names: + - "wvsp1" + 3029: + name: "Wave spectra (2)" + alternative_names: + - "wvsp2" + 3030: + name: "Wave spectra (3)" + alternative_names: + - "wvsp3" + 3031: + name: "Wind direction" + alternative_names: + - "wdir" + 3037: + name: "Montgomery stream function" + alternative_names: + - "mntsf" + 3038: + name: "Sigma coordinate vertical velocity" + alternative_names: + - "sgcvv" + 3041: + name: "Absolute vorticity" + alternative_names: + - "absv" + 3042: + name: "Absolute divergence" + alternative_names: + - "absd" + 3045: + name: "Vertical u-component shear" + alternative_names: + - "vucsh" + 3046: + name: "Vertical v-component shear" + alternative_names: + - "vvcsh" + 3047: + name: "Direction of current" + alternative_names: + - "dirc" + 3048: + name: "Speed of current" + alternative_names: + - "spc" + 3049: + name: "U-component of current" + alternative_names: + - "ucurr" + 3050: + name: "V-component of current" + alternative_names: + - "vcurr" + 3053: + name: "Humidity mixing ratio" + alternative_names: + - "mixr" + 3054: + name: "Precipitable water" + alternative_names: + - "pwat" + 3055: + name: "Vapour pressure" + alternative_names: + - "vp" + 3056: + name: "Saturation deficit" + alternative_names: + - "satd" + 3059: + name: "Precipitation rate" + alternative_names: + - "prate" + 3060: + name: "Thunderstorm probability" + alternative_names: + - "tstm" + 3062: + name: "Large-scale precipitation" + alternative_names: + - "lsp" + 3063: + name: "Convective precipitation (water)" + alternative_names: + - "acpcp" + 3064: + name: "Snow fall rate water equivalent" + alternative_names: + - "srweq" + 3066: + name: "Snow depth" + alternative_names: + - "sde" + 3067: + name: "Mixed layer depth" + alternative_names: + - "mld" + 3068: + name: "Transient thermocline depth" + alternative_names: + - "tthdp" + 3069: + name: "Main thermocline depth" + alternative_names: + - "mthd" + 3070: + name: "Main thermocline anomaly" + alternative_names: + - "mtha" + 3072: + name: "Convective cloud cover" + alternative_names: + - "ccc" + 3073: + name: "Low cloud cover" + alternative_names: + - "lcc" + 3074: + name: "Medium cloud cover" + alternative_names: + - "mcc" + 3075: + name: "High cloud cover" + alternative_names: + - "hcc" + 3077: + name: "Best lifted index (to 500 hpa)" + alternative_names: + - "bli" + 3079: + name: "Large scale snow" + alternative_names: + - "lssf" + 3080: + name: "Water temperature" + alternative_names: + - "wtmp" + 3082: + name: "Deviation of sea-level from mean" + alternative_names: + - "dslm" + 3086: + name: "Soil moisture content" + alternative_names: + - "ssw" + 3088: + name: "Salinity" + alternative_names: + - "s" + 3089: + name: "Density" + alternative_names: + - "den" + 3091: + name: "Ice cover (1=ice, 0=no ice)" + alternative_names: + - "icec" + 3092: + name: "Ice thickness" + alternative_names: + - "icetk" + 3093: + name: "Direction of ice drift" + alternative_names: + - "diced" + 3094: + name: "Speed of ice drift" + alternative_names: + - "siced" + 3095: + name: "U-component of ice drift" + alternative_names: + - "uice" + 3096: + name: "V-component of ice drift" + alternative_names: + - "vice" + 3097: + name: "Ice growth rate" + alternative_names: + - "iceg" + 3098: + name: "Ice divergence" + alternative_names: + - "iced" + 3099: + name: "Snowmelt" + alternative_names: + - "snom" + 3100: + name: "Signific.height,combined wind waves+swell" + alternative_names: + - "swh" + 3101: + name: "Mean direction of wind waves" + alternative_names: + - "mdww" + 3102: + name: "Significant height of wind waves" + alternative_names: + - "shww" + 3103: + name: "Mean period of wind waves" + alternative_names: + - "mpww" + 3104: + name: "Direction of swell waves" + alternative_names: + - "swdir" + 3105: + name: "Significant height of swell waves" + alternative_names: + - "swell" + 3106: + name: "Mean period of swell waves" + alternative_names: + - "swper" + 3107: + name: "Primary wave direction" + alternative_names: + - "mdps" + 3108: + name: "Primary wave mean period" + alternative_names: + - "mpps" + 3109: + name: "Secondary wave direction" + alternative_names: + - "dirsw" + 3110: + name: "Secondary wave mean period" + alternative_names: + - "swp" + 3111: + name: "Net short-wave radiation flux (surface)" + alternative_names: + - "nswrs" + 3112: + name: "Net long-wave radiation flux (surface)" + alternative_names: + - "nlwrs" + 3113: + name: "Net short-wave radiation flux(atmosph.top)" + alternative_names: + - "nswrt" + 3114: + name: "Net long-wave radiation flux(atmosph.top)" + alternative_names: + - "nlwrt" + 3115: + name: "Long wave radiation flux" + alternative_names: + - "lwavr" + 3116: + name: "Short wave radiation flux" + alternative_names: + - "swavr" + 3117: + name: "Global radiation flux" + alternative_names: + - "grad" + 3119: + name: "Radiance (with respect to wave number)" + alternative_names: + - "lwrad" + 3120: + name: "Radiance (with respect to wave length)" + alternative_names: + - "swrad" + 3121: + name: "Latent heat flux" + alternative_names: + - "lhf" + 3122: + name: "Sensible heat flux" + alternative_names: + - "shf" + 3123: + name: "Boundary layer dissipation" + alternative_names: + - "bld" + 3124: + name: "Momentum flux, u-component" + alternative_names: + - "uflx" + 3125: + name: "Momentum flux, v-component" + alternative_names: + - "vflx" + 3126: + name: "Wind mixing energy" + alternative_names: + - "wmixe" + 3127: + name: "Image data" + alternative_names: + - "imgd" + 129001: + name: "Stream function gradient" + alternative_names: + - "strfgrd" + 129002: + name: "Velocity potential gradient" + alternative_names: + - "vpotgrd" + 129003: + name: "Potential temperature gradient" + alternative_names: + - "ptgrd" + 129004: + name: "Equivalent potential temperature gradient" + alternative_names: + - "eqptgrd" + 129005: + name: "Saturated equivalent potential temperature gradient" + alternative_names: + - "septgrd" + 129011: + name: "U component of divergent wind gradient" + alternative_names: + - "udvwgrd" + 129012: + name: "V component of divergent wind gradient" + alternative_names: + - "vdvwgrd" + 129013: + name: "U component of rotational wind gradient" + alternative_names: + - "urtwgrd" + 129014: + name: "V component of rotational wind gradient" + alternative_names: + - "vrtwgrd" + 129021: + name: "Unbalanced component of temperature gradient" + alternative_names: + - "uctpgrd" + 129022: + name: "Unbalanced component of logarithm of surface pressure gradient" + alternative_names: + - "uclngrd" + 129023: + name: "Unbalanced component of divergence gradient" + alternative_names: + - "ucdvgrd" + 129024: + name: "Reserved for future unbalanced components" + alternative_names: + - "_param_129024" + 129025: + name: "Reserved for future unbalanced components" + alternative_names: + - "_param_129025" + 129026: + name: "Lake cover gradient" + alternative_names: + - "clgrd" + 129027: + name: "Low vegetation cover gradient" + alternative_names: + - "cvlgrd" + 129028: + name: "High vegetation cover gradient" + alternative_names: + - "cvhgrd" + 129029: + name: "Type of low vegetation gradient" + alternative_names: + - "tvlgrd" + 129030: + name: "Type of high vegetation gradient" + alternative_names: + - "tvhgrd" + 129031: + name: "Sea-ice cover gradient" + alternative_names: + - "sicgrd" + 129032: + name: "Snow albedo gradient" + alternative_names: + - "asngrd" + 129033: + name: "Snow density gradient" + alternative_names: + - "rsngrd" + 129034: + name: "Sea surface temperature gradient" + alternative_names: + - "sstkgrd" + 129035: + name: "Ice surface temperature layer 1 gradient" + alternative_names: + - "istl1grd" + 129036: + name: "Ice surface temperature layer 2 gradient" + alternative_names: + - "istl2grd" + 129037: + name: "Ice surface temperature layer 3 gradient" + alternative_names: + - "istl3grd" + 129038: + name: "Ice surface temperature layer 4 gradient" + alternative_names: + - "istl4grd" + 129039: + name: "Volumetric soil water layer 1 gradient" + alternative_names: + - "swvl1grd" + 129040: + name: "Volumetric soil water layer 2 gradient" + alternative_names: + - "swvl2grd" + 129041: + name: "Volumetric soil water layer 3 gradient" + alternative_names: + - "swvl3grd" + 129042: + name: "Volumetric soil water layer 4 gradient" + alternative_names: + - "swvl4grd" + 129043: + name: "Soil type gradient" + alternative_names: + - "sltgrd" + 129044: + name: "Snow evaporation gradient" + alternative_names: + - "esgrd" + 129045: + name: "Snowmelt gradient" + alternative_names: + - "smltgrd" + 129046: + name: "Solar duration gradient" + alternative_names: + - "sdurgrd" + 129047: + name: "Direct solar radiation gradient" + alternative_names: + - "dsrpgrd" + 129048: + name: "Magnitude of turbulent surface stress gradient" + alternative_names: + - "magssgrd" + 129049: + name: "10 metre wind gust gradient" + alternative_names: + - "10fggrd" + 129050: + name: "Large-scale precipitation fraction gradient" + alternative_names: + - "lspfgrd" + 129051: + name: "Maximum 2 metre temperature gradient" + alternative_names: + - "mx2t24grd" + 129052: + name: "Minimum 2 metre temperature gradient" + alternative_names: + - "mn2t24grd" + 129053: + name: "Montgomery potential gradient" + alternative_names: + - "montgrd" + 129054: + name: "Pressure gradient" + alternative_names: + - "presgrd" + 129055: + name: "Mean 2 metre temperature in the last 24 hours gradient" + alternative_names: + - "mean2t24grd" + 129056: + name: "Mean 2 metre dewpoint temperature in the last 24 hours gradient" + alternative_names: + - "mn2d24grd" + 129057: + name: "Downward uv radiation at the surface gradient" + alternative_names: + - "uvbgrd" + 129058: + name: "Photosynthetically active radiation at the surface gradient" + alternative_names: + - "pargrd" + 129059: + name: "Convective available potential energy gradient" + alternative_names: + - "capegrd" + 129060: + name: "Potential vorticity gradient" + alternative_names: + - "pvgrd" + 129061: + name: "Total precipitation from observations gradient" + alternative_names: + - "tpogrd" + 129062: + name: "Observation count gradient" + alternative_names: + - "obctgrd" + 129063: + name: "Start time for skin temperature difference" + alternative_names: + - "_param_129063" + 129064: + name: "Finish time for skin temperature difference" + alternative_names: + - "_param_129064" + 129065: + name: "Skin temperature difference" + alternative_names: + - "_param_129065" + 129066: + name: "Leaf area index, low vegetation" + alternative_names: + - "_param_129066" + 129067: + name: "Leaf area index, high vegetation" + alternative_names: + - "_param_129067" + 129068: + name: "Minimum stomatal resistance, low vegetation" + alternative_names: + - "_param_129068" + 129069: + name: "Minimum stomatal resistance, high vegetation" + alternative_names: + - "_param_129069" + 129070: + name: "Biome cover, low vegetation" + alternative_names: + - "_param_129070" + 129071: + name: "Biome cover, high vegetation" + alternative_names: + - "_param_129071" + 129078: + name: "Total column liquid water" + alternative_names: + - "_param_129078" + 129079: + name: "Total column ice water" + alternative_names: + - "_param_129079" + 129080: + name: "Experimental product" + alternative_names: + - "_param_129080" + 129081: + name: "Experimental product" + alternative_names: + - "_param_129081" + 129082: + name: "Experimental product" + alternative_names: + - "_param_129082" + 129083: + name: "Experimental product" + alternative_names: + - "_param_129083" + 129084: + name: "Experimental product" + alternative_names: + - "_param_129084" + 129085: + name: "Experimental product" + alternative_names: + - "_param_129085" + 129086: + name: "Experimental product" + alternative_names: + - "_param_129086" + 129087: + name: "Experimental product" + alternative_names: + - "_param_129087" + 129088: + name: "Experimental product" + alternative_names: + - "_param_129088" + 129089: + name: "Experimental product" + alternative_names: + - "_param_129089" + 129090: + name: "Experimental product" + alternative_names: + - "_param_129090" + 129091: + name: "Experimental product" + alternative_names: + - "_param_129091" + 129092: + name: "Experimental product" + alternative_names: + - "_param_129092" + 129093: + name: "Experimental product" + alternative_names: + - "_param_129093" + 129094: + name: "Experimental product" + alternative_names: + - "_param_129094" + 129095: + name: "Experimental product" + alternative_names: + - "_param_129095" + 129096: + name: "Experimental product" + alternative_names: + - "_param_129096" + 129097: + name: "Experimental product" + alternative_names: + - "_param_129097" + 129098: + name: "Experimental product" + alternative_names: + - "_param_129098" + 129099: + name: "Experimental product" + alternative_names: + - "_param_129099" + 129100: + name: "Experimental product" + alternative_names: + - "_param_129100" + 129101: + name: "Experimental product" + alternative_names: + - "_param_129101" + 129102: + name: "Experimental product" + alternative_names: + - "_param_129102" + 129103: + name: "Experimental product" + alternative_names: + - "_param_129103" + 129104: + name: "Experimental product" + alternative_names: + - "_param_129104" + 129105: + name: "Experimental product" + alternative_names: + - "_param_129105" + 129106: + name: "Experimental product" + alternative_names: + - "_param_129106" + 129107: + name: "Experimental product" + alternative_names: + - "_param_129107" + 129108: + name: "Experimental product" + alternative_names: + - "_param_129108" + 129109: + name: "Experimental product" + alternative_names: + - "_param_129109" + 129110: + name: "Experimental product" + alternative_names: + - "_param_129110" + 129111: + name: "Experimental product" + alternative_names: + - "_param_129111" + 129112: + name: "Experimental product" + alternative_names: + - "_param_129112" + 129113: + name: "Experimental product" + alternative_names: + - "_param_129113" + 129114: + name: "Experimental product" + alternative_names: + - "_param_129114" + 129115: + name: "Experimental product" + alternative_names: + - "_param_129115" + 129116: + name: "Experimental product" + alternative_names: + - "_param_129116" + 129117: + name: "Experimental product" + alternative_names: + - "_param_129117" + 129118: + name: "Experimental product" + alternative_names: + - "_param_129118" + 129119: + name: "Experimental product" + alternative_names: + - "_param_129119" + 129120: + name: "Experimental product" + alternative_names: + - "_param_129120" + 129121: + name: "Maximum temperature at 2 metres gradient" + alternative_names: + - "mx2t6grd" + 129122: + name: "Minimum temperature at 2 metres gradient" + alternative_names: + - "mn2t6grd" + 129123: + name: "10 metre wind gust in the last 6 hours gradient" + alternative_names: + - "10fg6grd" + 129125: + name: "Vertically integrated total energy" + alternative_names: + - "_param_129125" + 129126: + name: "Generic parameter for sensitive area prediction" + alternative_names: + - "_param_129126" + 129127: + name: "Atmospheric tide gradient" + alternative_names: + - "atgrd" + 129128: + name: "Budget values gradient" + alternative_names: + - "bvgrd" + 129129: + name: "Geopotential gradient" + alternative_names: + - "zgrd" + 129130: + name: "Temperature gradient" + alternative_names: + - "tgrd" + 129131: + name: "U component of wind gradient" + alternative_names: + - "ugrd" + 129132: + name: "V component of wind gradient" + alternative_names: + - "vgrd" + 129133: + name: "Specific humidity gradient" + alternative_names: + - "qgrd" + 129134: + name: "Surface pressure gradient" + alternative_names: + - "spgrd" + 129135: + name: "Vertical velocity (pressure) gradient" + alternative_names: + - "wgrd" + 129136: + name: "Total column water gradient" + alternative_names: + - "tcwgrd" + 129137: + name: "Total column water vapour gradient" + alternative_names: + - "tcwvgrd" + 129138: + name: "Vorticity (relative) gradient" + alternative_names: + - "vogrd" + 129139: + name: "Soil temperature level 1 gradient" + alternative_names: + - "stl1grd" + 129140: + name: "Soil wetness level 1 gradient" + alternative_names: + - "swl1grd" + 129141: + name: "Snow depth gradient" + alternative_names: + - "sdgrd" + 129142: + name: "Stratiform precipitation (large-scale precipitation) gradient" + alternative_names: + - "lspgrd" + 129143: + name: "Convective precipitation gradient" + alternative_names: + - "cpgrd" + 129144: + name: "Snowfall (convective + stratiform) gradient" + alternative_names: + - "sfgrd" + 129145: + name: "Boundary layer dissipation gradient" + alternative_names: + - "bldgrd" + 129146: + name: "Surface sensible heat flux gradient" + alternative_names: + - "sshfgrd" + 129147: + name: "Surface latent heat flux gradient" + alternative_names: + - "slhfgrd" + 129148: + name: "Charnock gradient" + alternative_names: + - "chnkgrd" + 129149: + name: "Surface net radiation gradient" + alternative_names: + - "snrgrd" + 129150: + name: "Top net radiation gradient" + alternative_names: + - "tnrgrd" + 129151: + name: "Mean sea level pressure gradient" + alternative_names: + - "mslgrd" + 129152: + name: "Logarithm of surface pressure gradient" + alternative_names: + - "lnspgrd" + 129153: + name: "Short-wave heating rate gradient" + alternative_names: + - "swhrgrd" + 129154: + name: "Long-wave heating rate gradient" + alternative_names: + - "lwhrgrd" + 129155: + name: "Divergence gradient" + alternative_names: + - "dgrd" + 129156: + name: "Height gradient" + alternative_names: + - "ghgrd" + 129157: + name: "Relative humidity gradient" + alternative_names: + - "rgrd" + 129158: + name: "Tendency of surface pressure gradient" + alternative_names: + - "tspgrd" + 129159: + name: "Boundary layer height gradient" + alternative_names: + - "blhgrd" + 129160: + name: "Standard deviation of orography gradient" + alternative_names: + - "sdorgrd" + 129161: + name: "Anisotropy of sub-gridscale orography gradient" + alternative_names: + - "isorgrd" + 129162: + name: "Angle of sub-gridscale orography gradient" + alternative_names: + - "anorgrd" + 129163: + name: "Slope of sub-gridscale orography gradient" + alternative_names: + - "slorgrd" + 129164: + name: "Total cloud cover gradient" + alternative_names: + - "tccgrd" + 129165: + name: "10 metre u wind component gradient" + alternative_names: + - "10ugrd" + 129166: + name: "10 metre v wind component gradient" + alternative_names: + - "10vgrd" + 129167: + name: "2 metre temperature gradient" + alternative_names: + - "2tgrd" + 129168: + name: "2 metre dewpoint temperature gradient" + alternative_names: + - "2dgrd" + 129169: + name: "Surface solar radiation downwards gradient" + alternative_names: + - "ssrdgrd" + 129170: + name: "Soil temperature level 2 gradient" + alternative_names: + - "stl2grd" + 129171: + name: "Soil wetness level 2 gradient" + alternative_names: + - "swl2grd" + 129172: + name: "Land-sea mask gradient" + alternative_names: + - "lsmgrd" + 129173: + name: "Surface roughness gradient" + alternative_names: + - "srgrd" + 129174: + name: "Albedo gradient" + alternative_names: + - "algrd" + 129175: + name: "Surface thermal radiation downwards gradient" + alternative_names: + - "strdgrd" + 129176: + name: "Surface net solar radiation gradient" + alternative_names: + - "ssrgrd" + 129177: + name: "Surface net thermal radiation gradient" + alternative_names: + - "strgrd" + 129178: + name: "Top net solar radiation gradient" + alternative_names: + - "tsrgrd" + 129179: + name: "Top net thermal radiation gradient" + alternative_names: + - "ttrgrd" + 129180: + name: "East-west surface stress gradient" + alternative_names: + - "ewssgrd" + 129181: + name: "North-south surface stress gradient" + alternative_names: + - "nsssgrd" + 129182: + name: "Evaporation gradient" + alternative_names: + - "egrd" + 129183: + name: "Soil temperature level 3 gradient" + alternative_names: + - "stl3grd" + 129184: + name: "Soil wetness level 3 gradient" + alternative_names: + - "swl3grd" + 129185: + name: "Convective cloud cover gradient" + alternative_names: + - "cccgrd" + 129186: + name: "Low cloud cover gradient" + alternative_names: + - "lccgrd" + 129187: + name: "Medium cloud cover gradient" + alternative_names: + - "mccgrd" + 129188: + name: "High cloud cover gradient" + alternative_names: + - "hccgrd" + 129189: + name: "Sunshine duration gradient" + alternative_names: + - "sundgrd" + 129190: + name: "East-west component of sub-gridscale orographic variance gradient" + alternative_names: + - "ewovgrd" + 129191: + name: "North-south component of sub-gridscale orographic variance gradient" + alternative_names: + - "nsovgrd" + 129192: + name: "North-west/south-east component of sub-gridscale orographic variance gradient" + alternative_names: + - "nwovgrd" + 129193: + name: "North-east/south-west component of sub-gridscale orographic variance gradient" + alternative_names: + - "neovgrd" + 129194: + name: "Brightness temperature gradient" + alternative_names: + - "btmpgrd" + 129195: + name: "Longitudinal component of gravity wave stress gradient" + alternative_names: + - "lgwsgrd" + 129196: + name: "Meridional component of gravity wave stress gradient" + alternative_names: + - "mgwsgrd" + 129197: + name: "Gravity wave dissipation gradient" + alternative_names: + - "gwdgrd" + 129198: + name: "Skin reservoir content gradient" + alternative_names: + - "srcgrd" + 129199: + name: "Vegetation fraction gradient" + alternative_names: + - "veggrd" + 129200: + name: "Variance of sub-gridscale orography gradient" + alternative_names: + - "vsogrd" + 129201: + name: "Maximum temperature at 2 metres since previous post-processing gradient" + alternative_names: + - "mx2tgrd" + 129202: + name: "Minimum temperature at 2 metres since previous post-processing gradient" + alternative_names: + - "mn2tgrd" + 129203: + name: "Ozone mass mixing ratio gradient" + alternative_names: + - "o3grd" + 129204: + name: "Precipitation analysis weights gradient" + alternative_names: + - "pawgrd" + 129205: + name: "Runoff gradient" + alternative_names: + - "rogrd" + 129206: + name: "Total column ozone gradient" + alternative_names: + - "tco3grd" + 129207: + name: "10 metre wind speed gradient" + alternative_names: + - "10sigrd" + 129208: + name: "Top net solar radiation, clear sky gradient" + alternative_names: + - "tsrcgrd" + 129209: + name: "Top net thermal radiation, clear sky gradient" + alternative_names: + - "ttrcgrd" + 129210: + name: "Surface net solar radiation, clear sky gradient" + alternative_names: + - "ssrcgrd" + 129211: + name: "Surface net thermal radiation, clear sky gradient" + alternative_names: + - "strcgrd" + 129212: + name: "Toa incident solar radiation gradient" + alternative_names: + - "tisrgrd" + 129214: + name: "Diabatic heating by radiation gradient" + alternative_names: + - "dhrgrd" + 129215: + name: "Diabatic heating by vertical diffusion gradient" + alternative_names: + - "dhvdgrd" + 129216: + name: "Diabatic heating by cumulus convection gradient" + alternative_names: + - "dhccgrd" + 129217: + name: "Diabatic heating large-scale condensation gradient" + alternative_names: + - "dhlcgrd" + 129218: + name: "Vertical diffusion of zonal wind gradient" + alternative_names: + - "vdzwgrd" + 129219: + name: "Vertical diffusion of meridional wind gradient" + alternative_names: + - "vdmwgrd" + 129220: + name: "East-west gravity wave drag tendency gradient" + alternative_names: + - "ewgdgrd" + 129221: + name: "North-south gravity wave drag tendency gradient" + alternative_names: + - "nsgdgrd" + 129222: + name: "Convective tendency of zonal wind gradient" + alternative_names: + - "ctzwgrd" + 129223: + name: "Convective tendency of meridional wind gradient" + alternative_names: + - "ctmwgrd" + 129224: + name: "Vertical diffusion of humidity gradient" + alternative_names: + - "vdhgrd" + 129225: + name: "Humidity tendency by cumulus convection gradient" + alternative_names: + - "htccgrd" + 129226: + name: "Humidity tendency by large-scale condensation gradient" + alternative_names: + - "htlcgrd" + 129227: + name: "Change from removal of negative humidity gradient" + alternative_names: + - "crnhgrd" + 129228: + name: "Total precipitation gradient" + alternative_names: + - "tpgrd" + 129229: + name: "Instantaneous x surface stress gradient" + alternative_names: + - "iewsgrd" + 129230: + name: "Instantaneous y surface stress gradient" + alternative_names: + - "inssgrd" + 129231: + name: "Instantaneous surface heat flux gradient" + alternative_names: + - "ishfgrd" + 129232: + name: "Instantaneous moisture flux gradient" + alternative_names: + - "iegrd" + 129233: + name: "Apparent surface humidity gradient" + alternative_names: + - "asqgrd" + 129234: + name: "Logarithm of surface roughness length for heat gradient" + alternative_names: + - "lsrhgrd" + 129235: + name: "Skin temperature gradient" + alternative_names: + - "sktgrd" + 129236: + name: "Soil temperature level 4 gradient" + alternative_names: + - "stl4grd" + 129237: + name: "Soil wetness level 4 gradient" + alternative_names: + - "swl4grd" + 129238: + name: "Temperature of snow layer gradient" + alternative_names: + - "tsngrd" + 129239: + name: "Convective snowfall gradient" + alternative_names: + - "csfgrd" + 129240: + name: "Large scale snowfall gradient" + alternative_names: + - "lsfgrd" + 129241: + name: "Accumulated cloud fraction tendency gradient" + alternative_names: + - "acfgrd" + 129242: + name: "Accumulated liquid water tendency gradient" + alternative_names: + - "alwgrd" + 129243: + name: "Forecast albedo gradient" + alternative_names: + - "falgrd" + 129244: + name: "Forecast surface roughness gradient" + alternative_names: + - "fsrgrd" + 129245: + name: "Forecast logarithm of surface roughness for heat gradient" + alternative_names: + - "flsrgrd" + 129246: + name: "Specific cloud liquid water content gradient" + alternative_names: + - "clwcgrd" + 129247: + name: "Specific cloud ice water content gradient" + alternative_names: + - "ciwcgrd" + 129248: + name: "Cloud cover gradient" + alternative_names: + - "ccgrd" + 129249: + name: "Accumulated ice water tendency gradient" + alternative_names: + - "aiwgrd" + 129250: + name: "Ice age gradient" + alternative_names: + - "icegrd" + 129251: + name: "Adiabatic tendency of temperature gradient" + alternative_names: + - "attegrd" + 129252: + name: "Adiabatic tendency of humidity gradient" + alternative_names: + - "athegrd" + 129253: + name: "Adiabatic tendency of zonal wind gradient" + alternative_names: + - "atzegrd" + 129254: + name: "Adiabatic tendency of meridional wind gradient" + alternative_names: + - "atmwgrd" + 129255: + name: "Indicates a missing value" + alternative_names: + - "_param_129255" + 130208: + name: "Top solar radiation upward" + alternative_names: + - "tsru" + 130209: + name: "Top thermal radiation upward" + alternative_names: + - "ttru" + 130210: + name: "Top solar radiation upward, clear sky" + alternative_names: + - "tsuc" + 130211: + name: "Top thermal radiation upward, clear sky" + alternative_names: + - "ttuc" + 130212: + name: "Cloud liquid water" + alternative_names: + - "clw" + 130213: + name: "Cloud fraction" + alternative_names: + - "cf" + 130214: + name: "Diabatic heating by radiation" + alternative_names: + - "dhr" + 130215: + name: "Diabatic heating by vertical diffusion" + alternative_names: + - "dhvd" + 130216: + name: "Diabatic heating by cumulus convection" + alternative_names: + - "dhcc" + 130217: + name: "Diabatic heating by large-scale condensation" + alternative_names: + - "dhlc" + 130218: + name: "Vertical diffusion of zonal wind" + alternative_names: + - "vdzw" + 130219: + name: "Vertical diffusion of meridional wind" + alternative_names: + - "vdmw" + 130220: + name: "East-west gravity wave drag" + alternative_names: + - "ewgd" + 130221: + name: "North-south gravity wave drag" + alternative_names: + - "nsgd" + 130224: + name: "Vertical diffusion of humidity" + alternative_names: + - "vdh" + 130225: + name: "Humidity tendency by cumulus convection" + alternative_names: + - "htcc" + 130226: + name: "Humidity tendency by large-scale condensation" + alternative_names: + - "htlc" + 130228: + name: "Adiabatic tendency of temperature" + alternative_names: + - "att" + 130229: + name: "Adiabatic tendency of humidity" + alternative_names: + - "ath" + 130230: + name: "Adiabatic tendency of zonal wind" + alternative_names: + - "atzw" + 130231: + name: "Adiabatic tendency of meridional wind" + alternative_names: + - "atmwax" + 130232: + name: "Mean vertical velocity" + alternative_names: + - "mvv" + 131001: + name: "2m temperature anomaly of at least +2k" + alternative_names: + - "2tag2" + 131002: + name: "2m temperature anomaly of at least +1k" + alternative_names: + - "2tag1" + 131003: + name: "2m temperature anomaly of at least 0k" + alternative_names: + - "2tag0" + 131004: + name: "2m temperature anomaly of at most -1k" + alternative_names: + - "2talm1" + 131005: + name: "2m temperature anomaly of at most -2k" + alternative_names: + - "2talm2" + 131006: + name: "Total precipitation anomaly of at least 20 mm" + alternative_names: + - "tpag20" + 131007: + name: "Total precipitation anomaly of at least 10 mm" + alternative_names: + - "tpag10" + 131008: + name: "Total precipitation anomaly of at least 0 mm" + alternative_names: + - "tpag0" + 131009: + name: "Surface temperature anomaly of at least 0k" + alternative_names: + - "stag0" + 131010: + name: "Mean sea level pressure anomaly of at least 0 pa" + alternative_names: + - "mslag0" + 131015: + name: "Height of 0 degree isotherm probability" + alternative_names: + - "h0dip" + 131016: + name: "Height of snowfall limit probability" + alternative_names: + - "hslp" + 131017: + name: "Showalter index probability" + alternative_names: + - "saip" + 131018: + name: "Whiting index probability" + alternative_names: + - "whip" + 131020: + name: "Temperature anomaly of at most -2 k" + alternative_names: + - "talm2" + - "temperature anomaly less than -2 k" + 131021: + name: "Temperature anomaly of at least 2 k" + alternative_names: + - "tag2" + - "temperature anomaly of at least +2 k" + 131022: + name: "Temperature anomaly of at most -8 k" + alternative_names: + - "talm8" + - "temperature anomaly less than -8 k" + 131023: + name: "Temperature anomaly of at most -4 k" + alternative_names: + - "talm4" + - "temperature anomaly less than -4 k" + 131024: + name: "Temperature anomaly of at least 4 k" + alternative_names: + - "tag4" + - "temperature anomaly greater than +4 k" + - "temperature anomaly greater than 4 k" + 131025: + name: "Temperature anomaly of at least 8 k" + alternative_names: + - "tag8" + - "temperature anomaly greater than +8 k" + - "temperature anomaly greater than 8 k" + 131049: + name: "10 metre wind gust probability" + alternative_names: + - "10gp" + 131059: + name: "Convective available potential energy probability" + alternative_names: + - "capep" + 131060: + name: "Total precipitation of at least 1 mm" + alternative_names: + - "tpg1" + 131061: + name: "Total precipitation of at least 5 mm" + alternative_names: + - "tpg5" + 131062: + name: "Total precipitation of at least 10 mm" + alternative_names: + - "tpg10" + 131063: + name: "Total precipitation of at least 20 mm" + alternative_names: + - "tpg20" + 131064: + name: "Total precipitation less than 0.1 mm" + alternative_names: + - "tpl01" + 131065: + name: "Total precipitation rate less than 1 mm/day" + alternative_names: + - "tprl1" + 131066: + name: "Total precipitation rate of at least 3 mm/day" + alternative_names: + - "tprg3" + 131067: + name: "Total precipitation rate of at least 5 mm/day" + alternative_names: + - "tprg5" + 131068: + name: "10 metre wind speed of at least 10 m/s" + alternative_names: + - "10spg10" + 131069: + name: "10 metre wind speed of at least 15 m/s" + alternative_names: + - "10spg15" + 131070: + name: "10 metre wind gust of at least 15 m/s" + alternative_names: + - "10fgg15" + 131071: + name: "10 metre wind gust of at least 20 m/s" + alternative_names: + - "10fgg20" + 131072: + name: "10 metre wind gust of at least 25 m/s" + alternative_names: + - "10fgg25" + 131073: + name: "2 metre temperature less than 273.15 k" + alternative_names: + - "2tl273" + 131074: + name: "Significant wave height of at least 2 m" + alternative_names: + - "swhg2" + 131075: + name: "Significant wave height of at least 4 m" + alternative_names: + - "swhg4" + 131076: + name: "Significant wave height of at least 6 m" + alternative_names: + - "swhg6" + 131077: + name: "Significant wave height of at least 8 m" + alternative_names: + - "swhg8" + 131078: + name: "Mean wave period of at least 8 s" + alternative_names: + - "mwpg8" + 131079: + name: "Mean wave period of at least 10 s" + alternative_names: + - "mwpg10" + 131080: + name: "Mean wave period of at least 12 s" + alternative_names: + - "mwpg12" + 131081: + name: "Mean wave period of at least 15 s" + alternative_names: + - "mwpg15" + 131082: + name: "Total precipitation of at least 40 mm" + alternative_names: + - "tpg40" + 131083: + name: "Total precipitation of at least 60 mm" + alternative_names: + - "tpg60" + 131084: + name: "Total precipitation of at least 80 mm" + alternative_names: + - "tpg80" + 131085: + name: "Total precipitation of at least 100 mm" + alternative_names: + - "tpg100" + 131086: + name: "Total precipitation of at least 150 mm" + alternative_names: + - "tpg150" + 131087: + name: "Total precipitation of at least 200 mm" + alternative_names: + - "tpg200" + 131088: + name: "Total precipitation of at least 300 mm" + alternative_names: + - "tpg300" + 131089: + name: "Probability of a tropical storm" + alternative_names: + - "pts" + 131090: + name: "Probability of a hurricane" + alternative_names: + - "ph" + 131091: + name: "Probability of a tropical depression" + alternative_names: + - "ptd" + 131092: + name: "Climatological probability of a tropical storm" + alternative_names: + - "cpts" + 131093: + name: "Climatological probability of a hurricane" + alternative_names: + - "cph" + 131094: + name: "Climatological probability of a tropical depression" + alternative_names: + - "cptd" + 131095: + name: "Probability anomaly of a tropical storm" + alternative_names: + - "pats" + 131096: + name: "Probability anomaly of a hurricane" + alternative_names: + - "pah" + 131097: + name: "Probability anomaly of a tropical depression" + alternative_names: + - "patd" + 131098: + name: "Total precipitation of at least 25 mm" + alternative_names: + - "tpg25" + 131099: + name: "Total precipitation of at least 50 mm" + alternative_names: + - "tpg50" + 131100: + name: "10 metre wind gust of at least 10 m/s" + alternative_names: + - "10fgg10" + 131129: + name: "Geopotential probability" + alternative_names: + - "zp" + 131130: + name: "Temperature anomaly probability" + alternative_names: + - "tap" + 131139: + name: "Soil temperature level 1 probability" + alternative_names: + - "stl1p" + 131144: + name: "Snowfall (convective + stratiform) probability" + alternative_names: + - "sfp" + 131151: + name: "Mean sea level pressure probability" + alternative_names: + - "mslpp" + 131164: + name: "Total cloud cover probability" + alternative_names: + - "tccp" + 131165: + name: "10 metre speed probability" + alternative_names: + - "10sp" + 131167: + name: "2 metre temperature probability" + alternative_names: + - "2tp" + 131201: + name: "Maximum 2 metre temperature probability" + alternative_names: + - "mx2tp" + 131202: + name: "Minimum 2 metre temperature probability" + alternative_names: + - "mn2tp" + 131228: + name: "Total precipitation probability" + alternative_names: + - "tpp" + 131229: + name: "Significant wave height probability" + alternative_names: + - "swhp" + 131232: + name: "Mean wave period probability" + alternative_names: + - "mwpp" + 131255: + name: "Indicates a missing value" + alternative_names: + - "_param_131255" + 132044: + name: "Convective available potential energy shear index" + alternative_names: + - "capesi" + 132045: + name: "Water vapour flux index" + alternative_names: + - "wvfi" + 132049: + name: "10gi" + alternative_names: + - "10fgi" + - "10 metre wind gust index" + 132059: + name: "Convective available potential energy index" + alternative_names: + - "capei" + 132144: + name: "Snowfall index" + alternative_names: + - "sfi" + 132165: + name: "10 metre speed index" + alternative_names: + - "10wsi" + 132167: + name: "2 metre temperature index" + alternative_names: + - "2ti" + 132201: + name: "Maximum temperature at 2 metres index" + alternative_names: + - "mx2ti" + 132202: + name: "Minimum temperature at 2 metres index" + alternative_names: + - "mn2ti" + 132216: + name: "Maximum of significant wave height index" + alternative_names: + - "maxswhi" + 132228: + name: "Total precipitation index" + alternative_names: + - "tpi" + 133001: + name: "2m temperature probability less than -10 c" + alternative_names: + - "2tplm10" + 133002: + name: "2m temperature probability less than -5 c" + alternative_names: + - "2tplm5" + 133003: + name: "2m temperature probability less than 0 c" + alternative_names: + - "2tpl0" + 133004: + name: "2m temperature probability less than 5 c" + alternative_names: + - "2tpl5" + 133005: + name: "2m temperature probability less than 10 c" + alternative_names: + - "2tpl10" + 133006: + name: "2m temperature probability greater than 25 c" + alternative_names: + - "2tpg25" + 133007: + name: "2m temperature probability greater than 30 c" + alternative_names: + - "2tpg30" + 133008: + name: "2m temperature probability greater than 35 c" + alternative_names: + - "2tpg35" + 133009: + name: "2m temperature probability greater than 40 c" + alternative_names: + - "2tpg40" + 133010: + name: "2m temperature probability greater than 45 c" + alternative_names: + - "2tpg45" + 133011: + name: "Minimum 2 metre temperature probability less than -10 c" + alternative_names: + - "mn2tplm10" + 133012: + name: "Minimum 2 metre temperature probability less than -5 c" + alternative_names: + - "mn2tplm5" + 133013: + name: "Minimum 2 metre temperature probability less than 0 c" + alternative_names: + - "mn2tpl0" + 133014: + name: "Minimum 2 metre temperature probability less than 5 c" + alternative_names: + - "mn2tpl5" + 133015: + name: "Minimum 2 metre temperature probability less than 10 c" + alternative_names: + - "mn2tpl10" + 133016: + name: "Maximum 2 metre temperature probability greater than 25 c" + alternative_names: + - "mx2tpg25" + 133017: + name: "Maximum 2 metre temperature probability greater than 30 c" + alternative_names: + - "mx2tpg30" + 133018: + name: "Maximum 2 metre temperature probability greater than 35 c" + alternative_names: + - "mx2tpg35" + 133019: + name: "Maximum 2 metre temperature probability greater than 40 c" + alternative_names: + - "mx2tpg40" + 133020: + name: "Maximum 2 metre temperature probability greater than 45 c" + alternative_names: + - "mx2tpg45" + 133021: + name: "10 metre wind speed probability of at least 10 m/s" + alternative_names: + - "10spg10" + 133022: + name: "10 metre wind speed probability of at least 15 m/s" + alternative_names: + - "10spg15" + 133023: + name: "10 metre wind speed probability of at least 20 m/s" + alternative_names: + - "10spg20" + 133024: + name: "10 metre wind speed probability of at least 35 m/s" + alternative_names: + - "10spg35" + 133025: + name: "10 metre wind speed probability of at least 50 m/s" + alternative_names: + - "10spg50" + 133026: + name: "10 metre wind gust probability of at least 20 m/s" + alternative_names: + - "10gpg20" + 133027: + name: "10 metre wind gust probability of at least 35 m/s" + alternative_names: + - "10gpg35" + 133028: + name: "10 metre wind gust probability of at least 50 m/s" + alternative_names: + - "10gpg50" + 133029: + name: "10 metre wind gust probability of at least 75 m/s" + alternative_names: + - "10gpg75" + 133030: + name: "10 metre wind gust probability of at least 100 m/s" + alternative_names: + - "10gpg100" + 133031: + name: "Total precipitation probability of at least 1 mm" + alternative_names: + - "tppg1" + 133032: + name: "Total precipitation probability of at least 5 mm" + alternative_names: + - "tppg5" + 133033: + name: "Total precipitation probability of at least 10 mm" + alternative_names: + - "tppg10" + 133034: + name: "Total precipitation probability of at least 20 mm" + alternative_names: + - "tppg20" + 133035: + name: "Total precipitation probability of at least 40 mm" + alternative_names: + - "tppg40" + 133036: + name: "Total precipitation probability of at least 60 mm" + alternative_names: + - "tppg60" + 133037: + name: "Total precipitation probability of at least 80 mm" + alternative_names: + - "tppg80" + 133038: + name: "Total precipitation probability of at least 100 mm" + alternative_names: + - "tppg100" + 133039: + name: "Total precipitation probability of at least 150 mm" + alternative_names: + - "tppg150" + 133040: + name: "Total precipitation probability of at least 200 mm" + alternative_names: + - "tppg200" + 133041: + name: "Total precipitation probability of at least 300 mm" + alternative_names: + - "tppg300" + 133042: + name: "Snowfall probability of at least 1 mm" + alternative_names: + - "sfpg1" + 133043: + name: "Snowfall probability of at least 5 mm" + alternative_names: + - "sfpg5" + 133044: + name: "Snowfall probability of at least 10 mm" + alternative_names: + - "sfpg10" + 133045: + name: "Snowfall probability of at least 20 mm" + alternative_names: + - "sfpg20" + 133046: + name: "Snowfall probability of at least 40 mm" + alternative_names: + - "sfpg40" + 133047: + name: "Snowfall probability of at least 60 mm" + alternative_names: + - "sfpg60" + 133048: + name: "Snowfall probability of at least 80 mm" + alternative_names: + - "sfpg80" + 133049: + name: "Snowfall probability of at least 100 mm" + alternative_names: + - "sfpg100" + 133050: + name: "Snowfall probability of at least 150 mm" + alternative_names: + - "sfpg150" + 133051: + name: "Snowfall probability of at least 200 mm" + alternative_names: + - "sfpg200" + 133052: + name: "Snowfall probability of at least 300 mm" + alternative_names: + - "sfpg300" + 133053: + name: "Total cloud cover probability greater than 10%" + alternative_names: + - "tccpg10" + 133054: + name: "Total cloud cover probability greater than 20%" + alternative_names: + - "tccpg20" + 133055: + name: "Total cloud cover probability greater than 30%" + alternative_names: + - "tccpg30" + 133056: + name: "Total cloud cover probability greater than 40%" + alternative_names: + - "tccpg40" + 133057: + name: "Total cloud cover probability greater than 50%" + alternative_names: + - "tccpg50" + 133058: + name: "Total cloud cover probability greater than 60%" + alternative_names: + - "tccpg60" + 133059: + name: "Total cloud cover probability greater than 70%" + alternative_names: + - "tccpg70" + 133060: + name: "Total cloud cover probability greater than 80%" + alternative_names: + - "tccpg80" + 133061: + name: "Total cloud cover probability greater than 90%" + alternative_names: + - "tccpg90" + 133062: + name: "Total cloud cover probability greater than 99%" + alternative_names: + - "tccpg99" + 133063: + name: "High cloud cover probability greater than 10%" + alternative_names: + - "hccpg10" + 133064: + name: "High cloud cover probability greater than 20%" + alternative_names: + - "hccpg20" + 133065: + name: "High cloud cover probability greater than 30%" + alternative_names: + - "hccpg30" + 133066: + name: "High cloud cover probability greater than 40%" + alternative_names: + - "hccpg40" + 133067: + name: "High cloud cover probability greater than 50%" + alternative_names: + - "hccpg50" + 133068: + name: "High cloud cover probability greater than 60%" + alternative_names: + - "hccpg60" + 133069: + name: "High cloud cover probability greater than 70%" + alternative_names: + - "hccpg70" + 133070: + name: "High cloud cover probability greater than 80%" + alternative_names: + - "hccpg80" + 133071: + name: "High cloud cover probability greater than 90%" + alternative_names: + - "hccpg90" + 133072: + name: "High cloud cover probability greater than 99%" + alternative_names: + - "hccpg99" + 133073: + name: "Medium cloud cover probability greater than 10%" + alternative_names: + - "mccpg10" + 133074: + name: "Medium cloud cover probability greater than 20%" + alternative_names: + - "mccpg20" + 133075: + name: "Medium cloud cover probability greater than 30%" + alternative_names: + - "mccpg30" + 133076: + name: "Medium cloud cover probability greater than 40%" + alternative_names: + - "mccpg40" + 133077: + name: "Medium cloud cover probability greater than 50%" + alternative_names: + - "mccpg50" + 133078: + name: "Medium cloud cover probability greater than 60%" + alternative_names: + - "mccpg60" + 133079: + name: "Medium cloud cover probability greater than 70%" + alternative_names: + - "mccpg70" + 133080: + name: "Medium cloud cover probability greater than 80%" + alternative_names: + - "mccpg80" + 133081: + name: "Medium cloud cover probability greater than 90%" + alternative_names: + - "mccpg90" + 133082: + name: "Medium cloud cover probability greater than 99%" + alternative_names: + - "mccpg99" + 133083: + name: "Low cloud cover probability greater than 10%" + alternative_names: + - "lccpg10" + 133084: + name: "Low cloud cover probability greater than 20%" + alternative_names: + - "lccpg20" + 133085: + name: "Low cloud cover probability greater than 30%" + alternative_names: + - "lccpg30" + 133086: + name: "Low cloud cover probability greater than 40%" + alternative_names: + - "lccpg40" + 133087: + name: "Low cloud cover probability greater than 50%" + alternative_names: + - "lccpg50" + 133088: + name: "Low cloud cover probability greater than 60%" + alternative_names: + - "lccpg60" + 133089: + name: "Low cloud cover probability greater than 70%" + alternative_names: + - "lccpg70" + 133090: + name: "Low cloud cover probability greater than 80%" + alternative_names: + - "lccpg80" + 133091: + name: "Low cloud cover probability greater than 90%" + alternative_names: + - "lccpg90" + 133092: + name: "Low cloud cover probability greater than 99%" + alternative_names: + - "lccpg99" + 133093: + name: + "Probability of temperature standardized anomaly greater than 1 standard + deviation" + alternative_names: + - "ptsa_gt_1stdev" + 133094: + name: + "Probability of temperature standardized anomaly greater than 1.5 standard + deviation" + alternative_names: + - "ptsa_gt_1p5stdev" + 133095: + name: + "Probability of temperature standardized anomaly greater than 2 standard + deviation" + alternative_names: + - "ptsa_gt_2stdev" + 133096: + name: "Probability of temperature standardized anomaly less than -1 standard deviation" + alternative_names: + - "ptsa_lt_1stdev" + 133097: + name: + "Probability of temperature standardized anomaly less than -1.5 standard + deviation" + alternative_names: + - "ptsa_lt_1p5stdev" + 133098: + name: "Probability of temperature standardized anomaly less than -2 standard deviation" + alternative_names: + - "ptsa_lt_2stdev" + 140080: + name: "Wave experimental parameter 1" + alternative_names: + - "wx1" + 140081: + name: "Wave experimental parameter 2" + alternative_names: + - "wx2" + 140082: + name: "Wave experimental parameter 3" + alternative_names: + - "wx3" + 140083: + name: "Wave experimental parameter 4" + alternative_names: + - "wx4" + 140084: + name: "Wave experimental parameter 5" + alternative_names: + - "wx5" + 140098: + name: "Wave induced mean sea level correction" + alternative_names: + - "weta" + 140099: + name: "Ratio of wave angular and frequency width" + alternative_names: + - "wraf" + 140100: + name: "Number of events in freak waves statistics" + alternative_names: + - "wnslc" + 140101: + name: "U-component of atmospheric surface momentum flux" + alternative_names: + - "utaua" + 140102: + name: "V-component of atmospheric surface momentum flux" + alternative_names: + - "vtaua" + 140103: + name: "U-component of surface momentum flux into ocean" + alternative_names: + - "utauo" + 140104: + name: "V-component of surface momentum flux into ocean" + alternative_names: + - "vtauo" + 140105: + name: "Wave turbulent energy flux into ocean" + alternative_names: + - "wphio" + 140106: + name: "Wave directional width of first swell partition" + alternative_names: + - "wdw1" + 140107: + name: "Wave frequency width of first swell partition" + alternative_names: + - "wfw1" + 140108: + name: "Wave directional width of second swell partition" + alternative_names: + - "wdw2" + 140109: + name: "Wave frequency width of second swell partition" + alternative_names: + - "wfw2" + 140110: + name: "Wave directional width of third swell partition" + alternative_names: + - "wdw3" + 140111: + name: "Wave frequency width of third swell partition" + alternative_names: + - "wfw3" + 140112: + name: "Wave energy flux magnitude" + alternative_names: + - "wefxm" + 140113: + name: "Wave energy flux mean direction" + alternative_names: + - "wefxd" + 140114: + name: + "Significant wave height of all waves with periods within the inclusive + range from 10 to 12 seconds" + alternative_names: + - "h1012" + 140115: + name: + "Significant wave height of all waves with periods within the inclusive + range from 12 to 14 seconds" + alternative_names: + - "h1214" + 140116: + name: + "Significant wave height of all waves with periods within the inclusive + range from 14 to 17 seconds" + alternative_names: + - "h1417" + 140117: + name: + "Significant wave height of all waves with periods within the inclusive + range from 17 to 21 seconds" + alternative_names: + - "h1721" + 140118: + name: + "Significant wave height of all waves with periods within the inclusive + range from 21 to 25 seconds" + alternative_names: + - "h2125" + 140119: + name: + "Significant wave height of all waves with periods within the inclusive + range from 25 to 30 seconds" + alternative_names: + - "h2530" + 140120: + name: "Significant wave height of all waves with period larger than 10s" + alternative_names: + - "sh10" + 140121: + name: "Significant wave height of first swell partition" + alternative_names: + - "swh1" + 140122: + name: "Mean wave direction of first swell partition" + alternative_names: + - "mwd1" + 140123: + name: "Mean wave period of first swell partition" + alternative_names: + - "mwp1" + 140124: + name: "Significant wave height of second swell partition" + alternative_names: + - "swh2" + 140125: + name: "Mean wave direction of second swell partition" + alternative_names: + - "mwd2" + 140126: + name: "Mean wave period of second swell partition" + alternative_names: + - "mwp2" + 140127: + name: "Significant wave height of third swell partition" + alternative_names: + - "swh3" + 140128: + name: "Mean wave direction of third swell partition" + alternative_names: + - "mwd3" + 140129: + name: "Mean wave period of third swell partition" + alternative_names: + - "mwp3" + 140130: + name: "Envelope-maximum individual wave height" + alternative_names: + - "envhmax" + 140131: + name: "Time domain maximum individual crest height" + alternative_names: + - "tdcmax" + 140132: + name: "Time domain maximum individual wave height" + alternative_names: + - "tdhmax" + 140133: + name: "Space time maximum individual crest height" + alternative_names: + - "stcmax" + 140134: + name: "Space time maximum individual wave height" + alternative_names: + - "sthmax" + 140200: + name: "Maximum of significant wave height" + alternative_names: + - "maxswh" + 140207: + name: "Wave spectral skewness" + alternative_names: + - "wss" + 140208: + name: "Free convective velocity over the oceans" + alternative_names: + - "wstar" + 140209: + name: "Air density over the oceans" + alternative_names: + - "rhoao" + 140210: + name: "Mean square wave strain in sea ice" + alternative_names: + - "mswsi" + 140211: + name: "Normalized energy flux into waves" + alternative_names: + - "phiaw" + 140212: + name: "Normalized energy flux into ocean" + alternative_names: + - "phioc" + 140213: + name: "Turbulent langmuir number" + alternative_names: + - "tla" + 140214: + name: "Normalized stress into ocean" + alternative_names: + - "tauoc" + 140215: + name: "U-component surface stokes drift" + alternative_names: + - "ust" + 140216: + name: "V-component surface stokes drift" + alternative_names: + - "vst" + 140217: + name: "Period corresponding to maximum individual wave height" + alternative_names: + - "tmax" + 140218: + name: "Envelop-maximum individual wave height" + alternative_names: + - "hmax" + 140219: + name: "Model bathymetry" + alternative_names: + - "wmb" + 140220: + name: "Mean wave period based on first moment" + alternative_names: + - "mp1" + 140221: + name: "Mean zero-crossing wave period" + alternative_names: + - "mp2" + 140222: + name: "Wave spectral directional width" + alternative_names: + - "wdw" + 140223: + name: "Mean wave period based on first moment for wind waves" + alternative_names: + - "p1ww" + 140224: + name: "Mean wave period based on second moment for wind waves" + alternative_names: + - "p2ww" + 140225: + name: "Wave spectral directional width for wind waves" + alternative_names: + - "dwww" + 140226: + name: "Mean wave period based on first moment for swell" + alternative_names: + - "p1ps" + 140227: + name: "Mean wave period based on second moment for swell" + alternative_names: + - "p2ps" + 140228: + name: "Wave spectral directional width for swell" + alternative_names: + - "dwps" + 140229: + name: "Significant height of combined wind waves and swell" + alternative_names: + - "swh" + 140230: + name: "Mean wave direction" + alternative_names: + - "mwd" + 140231: + name: "Peak wave period" + alternative_names: + - "pp1d" + 140232: + name: "Mean wave period" + alternative_names: + - "mwp" + 140233: + name: "Coefficient of drag with waves" + alternative_names: + - "cdww" + 140234: + name: "Significant height of wind waves" + alternative_names: + - "shww" + 140235: + name: "Mean direction of wind waves" + alternative_names: + - "mdww" + 140236: + name: "Mean period of wind waves" + alternative_names: + - "mpww" + 140237: + name: "Significant height of total swell" + alternative_names: + - "shts" + 140238: + name: "Mean direction of total swell" + alternative_names: + - "mdts" + 140239: + name: "Mean period of total swell" + alternative_names: + - "mpts" + 140240: + name: "Standard deviation wave height" + alternative_names: + - "sdhs" + 140241: + name: "Mean of 10 metre wind speed" + alternative_names: + - "mu10" + 140242: + name: "Mean wind direction" + alternative_names: + - "mdwi" + 140243: + name: "Standard deviation of 10 metre wind speed" + alternative_names: + - "sdu" + 140244: + name: "Mean square slope of waves" + alternative_names: + - "msqs" + 140245: + name: "10 metre wind speed" + alternative_names: + - "wind" + 140246: + name: "Altimeter wave height" + alternative_names: + - "awh" + 140247: + name: "Altimeter corrected wave height" + alternative_names: + - "acwh" + 140248: + name: "Altimeter range relative correction" + alternative_names: + - "arrc" + 140249: + name: "10 metre wind direction" + alternative_names: + - "dwi" + 140250: + name: "2d wave spectra (multiple)" + alternative_names: + - "2dsp" + 140251: + name: "2d wave spectra (single)" + alternative_names: + - "2dfd" + 140252: + name: "Wave spectral kurtosis" + alternative_names: + - "wsk" + 140253: + name: "Benjamin-feir index" + alternative_names: + - "bfi" + 140254: + name: "Wave spectral peakedness" + alternative_names: + - "wsp" + 140255: + name: "Indicates a missing value" + alternative_names: + - "_param_140255" + 141221: + name: "Time-mean mean zero-crossing wave period" + alternative_names: + - "avg_mp2" + 141229: + name: "Time-mean significant height of combined wind waves and swell" + alternative_names: + - "avg_swh" + 141231: + name: "Time-mean peak wave period" + alternative_names: + - "avg_pp1d" + 141232: + name: "Time-mean mean wave period" + alternative_names: + - "avg_mwp" + 150129: + name: "Ocean potential temperature" + alternative_names: + - "ocpt" + 150130: + name: "Ocean salinity" + alternative_names: + - "ocs" + 150131: + name: "Ocean potential density" + alternative_names: + - "ocpd" + 150133: + name: "Ocean u wind component" + alternative_names: + - "_param_150133" + 150134: + name: "Ocean v wind component" + alternative_names: + - "_param_150134" + 150135: + name: "Ocean w wind component" + alternative_names: + - "ocw" + 150137: + name: "Richardson number" + alternative_names: + - "rn" + 150139: + name: "U*v product" + alternative_names: + - "uv" + 150140: + name: "U*t product" + alternative_names: + - "ut" + 150141: + name: "V*t product" + alternative_names: + - "vt" + 150142: + name: "U*u product" + alternative_names: + - "uu" + 150143: + name: "V*v product" + alternative_names: + - "vv" + 150144: + name: "Uv - u~v~" + alternative_names: + - "_param_150144" + 150145: + name: "Ut - u~t~" + alternative_names: + - "_param_150145" + 150146: + name: "Vt - v~t~" + alternative_names: + - "_param_150146" + 150147: + name: "Uu - u~u~" + alternative_names: + - "_param_150147" + 150148: + name: "Vv - v~v~" + alternative_names: + - "_param_150148" + 150152: + name: "Sea level" + alternative_names: + - "sl" + 150153: + name: "Barotropic stream function" + alternative_names: + - "_param_150153" + 150154: + name: "Mixed layer depth" + alternative_names: + - "mld" + 150155: + name: "Depth" + alternative_names: + - "_param_150155" + 150168: + name: "U stress" + alternative_names: + - "_param_150168" + 150169: + name: "V stress" + alternative_names: + - "_param_150169" + 150170: + name: "Turbulent kinetic energy input" + alternative_names: + - "_param_150170" + 150171: + name: "Net surface heat flux" + alternative_names: + - "nsf" + 150172: + name: "Surface solar radiation" + alternative_names: + - "_param_150172" + 150173: + name: "P-e" + alternative_names: + - "_param_150173" + 150180: + name: "Diagnosed sea surface temperature error" + alternative_names: + - "_param_150180" + 150181: + name: "Heat flux correction" + alternative_names: + - "_param_150181" + 150182: + name: "Observed sea surface temperature" + alternative_names: + - "_param_150182" + 150183: + name: "Observed heat flux" + alternative_names: + - "_param_150183" + 150255: + name: "Indicates a missing value" + alternative_names: + - "_param_150255" + 151126: + name: "Mean sea water potential temperature in the upper 300 m" + alternative_names: + - "mswpt300m" + 151127: + name: "Mean sea water temperature in the upper 300 m" + alternative_names: + - "mswt300m" + 151128: + name: "In situ temperature" + alternative_names: + - "_param_151128" + 151129: + name: "Sea water potential temperature" + alternative_names: + - "thetao" + 151130: + name: "Sea water practical salinity" + alternative_names: + - "so" + 151131: + name: "Eastward surface sea water velocity" + alternative_names: + - "ocu" + 151132: + name: "Northward surface sea water velocity" + alternative_names: + - "ocv" + 151133: + name: "Upward sea water velocity" + alternative_names: + - "wo" + 151134: + name: "Modulus of strain rate tensor" + alternative_names: + - "mst" + 151135: + name: "Vertical viscosity" + alternative_names: + - "vvs" + 151136: + name: "Vertical diffusivity" + alternative_names: + - "vdf" + 151137: + name: "Bottom level depth" + alternative_names: + - "dep" + 151138: + name: "Sea water sigma theta" + alternative_names: + - "sigmat" + 151139: + name: "Richardson number" + alternative_names: + - "rn" + 151140: + name: "Uv product" + alternative_names: + - "uv" + 151141: + name: "Ut product" + alternative_names: + - "ut" + 151142: + name: "Vt product" + alternative_names: + - "vt" + 151143: + name: "Uu product" + alternative_names: + - "uu" + 151144: + name: "Vv product" + alternative_names: + - "vv" + 151145: + name: "Sea surface height" + alternative_names: + - "zos" + 151146: + name: "Sea level previous timestep" + alternative_names: + - "sl_1" + 151147: + name: "Ocean barotropic stream function" + alternative_names: + - "stfbarot" + 151148: + name: "Mixed layer depth" + alternative_names: + - "mld" + 151149: + name: "Bottom pressure (equivalent height)" + alternative_names: + - "btp" + 151150: + name: "Steric height" + alternative_names: + - "sh" + 151151: + name: "Curl of wind stress" + alternative_names: + - "crl" + 151152: + name: "Divergence of wind stress" + alternative_names: + - "_param_151152" + 151153: + name: "Surface downward eastward stress" + alternative_names: + - "taueo" + 151154: + name: "Surface downward northward stress" + alternative_names: + - "tauno" + 151155: + name: "Turbulent kinetic energy input" + alternative_names: + - "tki" + 151156: + name: "Net surface heat flux" + alternative_names: + - "nsf" + 151157: + name: "Absorbed solar radiation" + alternative_names: + - "asr" + 151158: + name: "Precipitation - evaporation" + alternative_names: + - "pme" + 151159: + name: "Specified sea surface temperature" + alternative_names: + - "sst" + 151160: + name: "Specified surface heat flux" + alternative_names: + - "shf" + 151161: + name: "Diagnosed sea surface temperature error" + alternative_names: + - "dte" + 151162: + name: "Heat flux correction" + alternative_names: + - "hfc" + 151163: + name: "Depth of 20c isotherm" + alternative_names: + - "t20d" + 151164: + name: "Average potential temperature in the upper 300m" + alternative_names: + - "tav300" + 151165: + name: "Vertically integrated zonal velocity (previous time step)" + alternative_names: + - "uba1" + 151166: + name: "Vertically integrated meridional velocity (previous time step)" + alternative_names: + - "vba1" + 151167: + name: "Vertically integrated zonal volume transport" + alternative_names: + - "ztr" + 151168: + name: "Vertically integrated meridional volume transport" + alternative_names: + - "mtr" + 151169: + name: "Vertically integrated zonal heat transport" + alternative_names: + - "zht" + 151170: + name: "Vertically integrated meridional heat transport" + alternative_names: + - "mht" + 151171: + name: "U velocity maximum" + alternative_names: + - "umax" + 151172: + name: "Depth of the velocity maximum" + alternative_names: + - "dumax" + 151173: + name: "Salinity maximum" + alternative_names: + - "smax" + 151174: + name: "Depth of salinity maximum" + alternative_names: + - "dsmax" + 151175: + name: "Average sea water practical salinity in the upper 300m" + alternative_names: + - "sav300" + 151176: + name: "Layer thickness at scalar points" + alternative_names: + - "ldp" + 151177: + name: "Layer thickness at vector points" + alternative_names: + - "ldu" + 151178: + name: "Potential temperature increment" + alternative_names: + - "pti" + 151179: + name: "Potential temperature analysis error" + alternative_names: + - "ptae" + 151180: + name: "Background potential temperature" + alternative_names: + - "bpt" + 151181: + name: "Analysed potential temperature" + alternative_names: + - "apt" + 151182: + name: "Potential temperature background error" + alternative_names: + - "ptbe" + 151183: + name: "Analysed salinity" + alternative_names: + - "as" + 151184: + name: "Salinity increment" + alternative_names: + - "sali" + 151185: + name: "Estimated bias in temperature" + alternative_names: + - "ebt" + 151186: + name: "Estimated bias in salinity" + alternative_names: + - "ebs" + 151187: + name: "Zonal velocity increment (from balance operator)" + alternative_names: + - "uvi" + 151188: + name: "Meridional velocity increment (from balance operator)" + alternative_names: + - "vvi" + 151189: + name: "Sea surface temperature in degc" + alternative_names: + - "tos" + 151190: + name: "Salinity increment (from salinity data)" + alternative_names: + - "subi" + 151191: + name: "Salinity analysis error" + alternative_names: + - "sale" + 151192: + name: "Background salinity" + alternative_names: + - "bsal" + 151193: + name: "Reserved" + alternative_names: + - "_param_151193" + 151194: + name: "Salinity background error" + alternative_names: + - "salbe" + 151195: + name: "Depth of 14c isotherm" + alternative_names: + - "t14d" + 151196: + name: "Depth of 17c isotherm" + alternative_names: + - "t17d" + 151197: + name: "Depth of 26c isotherm" + alternative_names: + - "t26d" + 151198: + name: "Depth of 28c isotherm" + alternative_names: + - "t28d" + 151199: + name: "Estimated temperature bias from assimilation" + alternative_names: + - "ebta" + 151200: + name: "Estimated salinity bias from assimilation" + alternative_names: + - "ebsa" + 151201: + name: "Temperature increment from relaxation term" + alternative_names: + - "lti" + 151202: + name: "Salinity increment from relaxation term" + alternative_names: + - "lsi" + 151203: + name: "Bias in the zonal pressure gradient (applied)" + alternative_names: + - "bzpga" + 151204: + name: "Bias in the meridional pressure gradient (applied)" + alternative_names: + - "bmpga" + 151205: + name: "Estimated temperature bias from relaxation" + alternative_names: + - "ebtl" + 151206: + name: "Estimated salinity bias from relaxation" + alternative_names: + - "ebsl" + 151207: + name: "First guess bias in temperature" + alternative_names: + - "fgbt" + 151208: + name: "First guess bias in salinity" + alternative_names: + - "fgbs" + 151209: + name: "Applied bias in pressure" + alternative_names: + - "bpa" + 151210: + name: "Fg bias in pressure" + alternative_names: + - "fgbp" + 151211: + name: "Bias in temperature(applied)" + alternative_names: + - "pta" + 151212: + name: "Bias in salinity (applied)" + alternative_names: + - "psa" + 151213: + name: "Surface downward heat flux in sea water" + alternative_names: + - "hfds" + 151214: + name: "Ocean heat content 0-300m" + alternative_names: + - "hc300m" + 151215: + name: "Ocean heat content 0-700m" + alternative_names: + - "hc700m" + 151216: + name: "Ocean heat content 0-bottom" + alternative_names: + - "hcbtm" + 151217: + name: "Water flux correction" + alternative_names: + - "wfcorr" + 151218: + name: "Surface upward water flux" + alternative_names: + - "swfup" + 151219: + name: "Sea surface practical salinity" + alternative_names: + - "sos" + 151220: + name: "Surface downward northward stress" + alternative_names: + - "sdns" + 151221: + name: "Surface downward eastward stress" + alternative_names: + - "sdes" + 151222: + name: "Surface downward y stress" + alternative_names: + - "tauvo" + 151223: + name: "Surface downward x stress" + alternative_names: + - "tauuo" + 151224: + name: "Ocean mixed layer thickness defined by vertical tracer diffusivity threshold" + alternative_names: + - "mlotdev" + 151225: + name: "Ocean mixed layer thickness defined by sigma theta 0.01 kg/m3" + alternative_names: + - "mlotst010" + 151226: + name: "Ocean mixed layer thickness defined by sigma theta 0.03 kg/m3" + alternative_names: + - "mlotst030" + 151227: + name: "Ocean mixed layer thickness defined by sigma theta 0.125 kg/m3" + alternative_names: + - "mlotst125" + 151228: + name: "Ocean mixed layer thickness defined by temperature 0.2c" + alternative_names: + - "mlott02" + 151229: + name: "Ocean mixed layer thickness defined by temperature 0.5c" + alternative_names: + - "mlott05" + 151230: + name: "Virtual salt flux into sea water" + alternative_names: + - "vsf" + 151231: + name: "Virtual salt flux correction" + alternative_names: + - "vsfcorr" + 151232: + name: "Integrated salinity 0-700m" + alternative_names: + - "sc700m" + 151233: + name: "Integrated salinity 0-bottom" + alternative_names: + - "sabtm" + 151234: + name: "Sea water mass per unit area expressed as thickness" + alternative_names: + - "swmth" + 151235: + name: "Integrated salinity 0-300m" + alternative_names: + - "sc300m" + 151236: + name: "Surface net downward shortwave flux into ocean" + alternative_names: + - "rss" + 151240: + name: "Heat flux correction" + alternative_names: + - "hfcorr" + 151250: + name: "Sea water y velocity" + alternative_names: + - "voy" + 151251: + name: "Sea water x velocity" + alternative_names: + - "uox" + 151252: + name: "Northward sea water velocity" + alternative_names: + - "swnv" + 151253: + name: "Eastward sea water velocity" + alternative_names: + - "swev" + 151254: + name: "Upward sea water velocity" + alternative_names: + - "swzv" + 151255: + name: "Indicates a missing value" + alternative_names: + - "_param_151255" + 160049: + name: "10 metre wind gust during averaging time" + alternative_names: + - "10fgrea" + 160135: + name: "Vertical velocity (pressure)" + alternative_names: + - "wrea" + 160137: + name: "Precipitable water content" + alternative_names: + - "pwcrea" + 160140: + name: "Soil wetness level 1" + alternative_names: + - "swl1rea" + 160141: + name: "Snow depth" + alternative_names: + - "sdrea" + 160142: + name: "Large-scale precipitation" + alternative_names: + - "lsprea" + 160143: + name: "Convective precipitation" + alternative_names: + - "cprea" + 160144: + name: "Snowfall" + alternative_names: + - "sfrea" + 160156: + name: "Height" + alternative_names: + - "ghrea" + 160157: + name: "Relative humidity" + alternative_names: + - "rrea" + 160171: + name: "Soil wetness level 2" + alternative_names: + - "swl2rea" + 160180: + name: "East-west surface stress" + alternative_names: + - "ewssrea" + 160181: + name: "North-south surface stress" + alternative_names: + - "nsssrea" + 160182: + name: "Evaporation" + alternative_names: + - "erea" + 160184: + name: "Soil wetness level 3" + alternative_names: + - "swl3rea" + 160198: + name: "Skin reservoir content" + alternative_names: + - "srcrea" + 160199: + name: "Percentage of vegetation" + alternative_names: + - "vegrea" + 160201: + name: "Maximum temperature at 2 metres during averaging time" + alternative_names: + - "mx2trea" + 160202: + name: "Minimum temperature at 2 metres during averaging time" + alternative_names: + - "mn2trea" + 160205: + name: "Runoff" + alternative_names: + - "rorea" + 160206: + name: "Standard deviation of geopotential" + alternative_names: + - "zzrea" + 160207: + name: "Covariance of temperature and geopotential" + alternative_names: + - "tzrea" + 160208: + name: "Standard deviation of temperature" + alternative_names: + - "ttrea" + 160209: + name: "Covariance of specific humidity and geopotential" + alternative_names: + - "qzrea" + 160210: + name: "Covariance of specific humidity and temperature" + alternative_names: + - "qtrea" + 160211: + name: "Standard deviation of specific humidity" + alternative_names: + - "qqrea" + 160212: + name: "Covariance of u component and geopotential" + alternative_names: + - "uzrea" + 160213: + name: "Covariance of u component and temperature" + alternative_names: + - "utrea" + 160214: + name: "Covariance of u component and specific humidity" + alternative_names: + - "uqrea" + 160215: + name: "Standard deviation of u velocity" + alternative_names: + - "uurea" + 160216: + name: "Covariance of v component and geopotential" + alternative_names: + - "vzrea" + 160217: + name: "Covariance of v component and temperature" + alternative_names: + - "vtrea" + 160218: + name: "Covariance of v component and specific humidity" + alternative_names: + - "vqrea" + 160219: + name: "Covariance of v component and u component" + alternative_names: + - "vurea" + 160220: + name: "Standard deviation of v component" + alternative_names: + - "vvrea" + 160221: + name: "Covariance of w component and geopotential" + alternative_names: + - "wzrea" + 160222: + name: "Covariance of w component and temperature" + alternative_names: + - "wtrea" + 160223: + name: "Covariance of w component and specific humidity" + alternative_names: + - "wqrea" + 160224: + name: "Covariance of w component and u component" + alternative_names: + - "wurea" + 160225: + name: "Covariance of w component and v component" + alternative_names: + - "wvrea" + 160226: + name: "Standard deviation of vertical velocity" + alternative_names: + - "wwrea" + 160231: + name: "Instantaneous surface heat flux" + alternative_names: + - "ishfrea" + 160239: + name: "Convective snowfall" + alternative_names: + - "csfrea" + 160240: + name: "Large scale snowfall" + alternative_names: + - "lsfrea" + 160241: + name: "Cloud liquid water content" + alternative_names: + - "clwcerrea" + 160242: + name: "Cloud cover" + alternative_names: + - "ccrea" + 160243: + name: "Forecast albedo" + alternative_names: + - "falrea" + 160246: + name: "10 metre wind speed" + alternative_names: + - "10wsrea" + 160247: + name: "Momentum flux" + alternative_names: + - "moflrea" + 160249: + name: "Gravity wave dissipation flux" + alternative_names: + - "_param_160249" + 160254: + name: "Heaviside beta function" + alternative_names: + - "hsdrea" + 162045: + name: "Water vapour flux" + alternative_names: + - "wvf" + 162051: + name: "Surface geopotential" + alternative_names: + - "_param_162051" + 162053: + name: "Vertical integral of mass of atmosphere" + alternative_names: + - "vima" + 162054: + name: "Vertical integral of temperature" + alternative_names: + - "vit" + 162055: + name: "Vertical integral of water vapour" + alternative_names: + - "viwv" + 162056: + name: "Vertical integral of cloud liquid water" + alternative_names: + - "vilw" + 162057: + name: "Vertical integral of cloud frozen water" + alternative_names: + - "viiw" + 162058: + name: "Vertical integral of ozone" + alternative_names: + - "vioz" + 162059: + name: "Total column vertically-integrated kinetic energy" + alternative_names: + - "vike" + 162060: + name: "Total column vertically-integrated enthalpy" + alternative_names: + - "vithe" + 162061: + name: "Total column vertically-integrated potential + internal energy" + alternative_names: + - "vipie" + 162062: + name: "Vertical integral of potential+internal+latent energy" + alternative_names: + - "vipile" + 162063: + name: "Total column vertically-integrated total energy" + alternative_names: + - "vitoe" + 162064: + name: "Vertical integral of energy conversion" + alternative_names: + - "viec" + 162065: + name: "Vertical integral of eastward mass flux" + alternative_names: + - "vimae" + 162066: + name: "Vertical integral of northward mass flux" + alternative_names: + - "viman" + 162067: + name: "Vertical integral of eastward kinetic energy flux" + alternative_names: + - "vikee" + 162068: + name: "Vertical integral of northward kinetic energy flux" + alternative_names: + - "viken" + 162069: + name: "Vertical integral of eastward heat flux" + alternative_names: + - "vithee" + 162070: + name: "Vertical integral of northward heat flux" + alternative_names: + - "vithen" + 162071: + name: "Vertical integral of eastward water vapour flux" + alternative_names: + - "viwve" + 162072: + name: "Vertical integral of northward water vapour flux" + alternative_names: + - "viwvn" + 162073: + name: "Vertical integral of eastward geopotential flux" + alternative_names: + - "vige" + 162074: + name: "Vertical integral of northward geopotential flux" + alternative_names: + - "vign" + 162075: + name: "Vertical integral of eastward total energy flux" + alternative_names: + - "vitoee" + 162076: + name: "Vertical integral of northward total energy flux" + alternative_names: + - "vitoen" + 162077: + name: "Vertical integral of eastward ozone flux" + alternative_names: + - "vioze" + 162078: + name: "Vertical integral of northward ozone flux" + alternative_names: + - "viozn" + 162079: + name: "Vertical integral of divergence of cloud liquid water flux" + alternative_names: + - "vilwd" + 162080: + name: "Vertical integral of divergence of cloud frozen water flux" + alternative_names: + - "viiwd" + 162081: + name: "Vertical integral of divergence of mass flux" + alternative_names: + - "vimad" + 162082: + name: "Vertical integral of divergence of kinetic energy flux" + alternative_names: + - "viked" + 162083: + name: "Vertical integral of divergence of thermal energy flux" + alternative_names: + - "vithed" + 162084: + name: "Vertically integrated moisture divergence flux" + alternative_names: + - "viwvd" + 162085: + name: "Vertical integral of divergence of geopotential flux" + alternative_names: + - "vigd" + 162086: + name: "Vertical integral of divergence of total energy flux" + alternative_names: + - "vitoed" + 162087: + name: "Vertical integral of divergence of ozone flux" + alternative_names: + - "viozd" + 162088: + name: "Vertical integral of eastward cloud liquid water flux" + alternative_names: + - "vilwe" + 162089: + name: "Vertical integral of northward cloud liquid water flux" + alternative_names: + - "vilwn" + 162090: + name: "Vertical integral of eastward cloud frozen water flux" + alternative_names: + - "viiwe" + 162091: + name: "Vertical integral of northward cloud frozen water flux" + alternative_names: + - "viiwn" + 162092: + name: "Vertical integral of mass tendency" + alternative_names: + - "vimat" + 162093: + name: "Total column vertically-integrated water enthalpy" + alternative_names: + - "viwe" + 162100: + name: "Time-integrated temperature tendency due to short-wave radiation" + alternative_names: + - "srta" + 162101: + name: "Time-integrated temperature tendency due to long-wave radiation" + alternative_names: + - "trta" + 162102: + name: + "Time-integrated temperature tendency due to short wave radiation, clear + sky" + alternative_names: + - "srtca" + 162103: + name: + "Time-integrated temperature tendency due to long-wave radiation, clear + sky" + alternative_names: + - "trtca" + 162104: + name: "Time-integrated updraught mass flux" + alternative_names: + - "umfa" + 162105: + name: "Time-integrated downdraught mass flux" + alternative_names: + - "dmfa" + 162106: + name: "Time-integrated updraught detrainment rate" + alternative_names: + - "udra" + 162107: + name: "Time-integrated downdraught detrainment rate" + alternative_names: + - "ddra" + 162108: + name: "Time-integrated total precipitation flux" + alternative_names: + - "tpfa" + 162109: + name: "Time-integrated turbulent diffusion coefficient for heat" + alternative_names: + - "tdcha" + 162110: + name: "Time-integrated temperature tendency due to parametrisations" + alternative_names: + - "ttpha" + 162111: + name: "Time-integrated specific humidity tendency due to parametrisations" + alternative_names: + - "qtpha" + 162112: + name: "Time-integrated eastward wind tendency due to parametrisations" + alternative_names: + - "utpha" + 162113: + name: "Time-integrated northward wind tendency due to parametrisations" + alternative_names: + - "vtpha" + 162114: + name: "U-tendency from dynamics" + alternative_names: + - "utendd" + 162115: + name: "V-tendency from dynamics" + alternative_names: + - "vtendd" + 162116: + name: "T-tendency from dynamics" + alternative_names: + - "ttendd" + 162117: + name: "Q-tendency from dynamics" + alternative_names: + - "qtendd" + 162118: + name: "T-tendency from radiation" + alternative_names: + - "ttendr" + 162119: + name: "U-tendency from turbulent diffusion + subgrid orography" + alternative_names: + - "utendts" + 162120: + name: "V-tendency from turbulent diffusion + subgrid orography" + alternative_names: + - "vtendts" + 162121: + name: "T-tendency from turbulent diffusion + subgrid orography" + alternative_names: + - "ttendts" + 162122: + name: "Q-tendency from turbulent diffusion" + alternative_names: + - "qtendt" + 162123: + name: "U-tendency from subgrid orography" + alternative_names: + - "utends" + 162124: + name: "V-tendency from subgrid orography" + alternative_names: + - "vtends" + 162125: + name: "T-tendency from subgrid orography" + alternative_names: + - "ttends" + 162126: + name: "U-tendency from convection (deep+shallow)" + alternative_names: + - "utendcds" + 162127: + name: "V-tendency from convection (deep+shallow)" + alternative_names: + - "vtendcds" + 162128: + name: "T-tendency from convection (deep+shallow)" + alternative_names: + - "ttendcds" + 162129: + name: "Q-tendency from convection (deep+shallow)" + alternative_names: + - "qtendcds" + 162130: + name: "Liquid precipitation flux from convection" + alternative_names: + - "lpc" + 162131: + name: "Ice precipitation flux from convection" + alternative_names: + - "ipc" + 162132: + name: "T-tendency from cloud scheme" + alternative_names: + - "ttendcs" + 162133: + name: "Q-tendency from cloud scheme" + alternative_names: + - "qtendcs" + 162134: + name: "Ql-tendency from cloud scheme" + alternative_names: + - "qltendcs" + 162135: + name: "Qi-tendency from cloud scheme" + alternative_names: + - "qitendcs" + 162136: + name: "Liquid precip flux from cloud scheme (stratiform)" + alternative_names: + - "lpcs" + 162137: + name: "Ice precip flux from cloud scheme (stratiform)" + alternative_names: + - "ipcs" + 162138: + name: "U-tendency from shallow convection" + alternative_names: + - "utendcs" + 162139: + name: "V-tendency from shallow convection" + alternative_names: + - "vtendcs" + 162140: + name: "T-tendency from shallow convection" + alternative_names: + - "ttendsc" + 162141: + name: "Q-tendency from shallow convection" + alternative_names: + - "qtendsc" + 162206: + name: "Variance of geopotential" + alternative_names: + - "_param_162206" + 162207: + name: "Covariance of geopotential/temperature" + alternative_names: + - "_param_162207" + 162208: + name: "Variance of temperature" + alternative_names: + - "_param_162208" + 162209: + name: "Covariance of geopotential/specific humidity" + alternative_names: + - "_param_162209" + 162210: + name: "Covariance of temperature/specific humidity" + alternative_names: + - "_param_162210" + 162211: + name: "Variance of specific humidity" + alternative_names: + - "_param_162211" + 162212: + name: "Covariance of u component/geopotential" + alternative_names: + - "_param_162212" + 162213: + name: "Covariance of u component/temperature" + alternative_names: + - "_param_162213" + 162214: + name: "Covariance of u component/specific humidity" + alternative_names: + - "_param_162214" + 162215: + name: "Variance of u component" + alternative_names: + - "_param_162215" + 162216: + name: "Covariance of v component/geopotential" + alternative_names: + - "_param_162216" + 162217: + name: "Covariance of v component/temperature" + alternative_names: + - "_param_162217" + 162218: + name: "Covariance of v component/specific humidity" + alternative_names: + - "_param_162218" + 162219: + name: "Covariance of v component/u component" + alternative_names: + - "_param_162219" + 162220: + name: "Variance of v component" + alternative_names: + - "_param_162220" + 162221: + name: "Covariance of omega/geopotential" + alternative_names: + - "_param_162221" + 162222: + name: "Covariance of omega/temperature" + alternative_names: + - "_param_162222" + 162223: + name: "Covariance of omega/specific humidity" + alternative_names: + - "_param_162223" + 162224: + name: "Covariance of omega/u component" + alternative_names: + - "_param_162224" + 162225: + name: "Covariance of omega/v component" + alternative_names: + - "_param_162225" + 162226: + name: "Variance of omega" + alternative_names: + - "_param_162226" + 162227: + name: "Variance of surface pressure" + alternative_names: + - "_param_162227" + 162229: + name: "Variance of relative humidity" + alternative_names: + - "_param_162229" + 162230: + name: "Covariance of u component/ozone" + alternative_names: + - "_param_162230" + 162231: + name: "Covariance of v component/ozone" + alternative_names: + - "_param_162231" + 162232: + name: "Covariance of omega/ozone" + alternative_names: + - "_param_162232" + 162233: + name: "Variance of ozone" + alternative_names: + - "_param_162233" + 162255: + name: "Indicates a missing value" + alternative_names: + - "_param_162255" + 170001: + name: "Standardised precipitation index valid in the last 3 months" + alternative_names: + - "spi03" + 170002: + name: "Standardised precipitation index valid in the last 6 months" + alternative_names: + - "spi06" + 170003: + name: "Standardised precipitation index valid in the last 12 months" + alternative_names: + - "spi12" + 170149: + name: "Total soil moisture" + alternative_names: + - "tsw" + 170171: + name: "Soil wetness level 2" + alternative_names: + - "swl2" + 170179: + name: "Top net thermal radiation" + alternative_names: + - "ttr" + 171001: + name: "Stream function anomaly" + alternative_names: + - "strfa" + 171002: + name: "Velocity potential anomaly" + alternative_names: + - "vpota" + 171003: + name: "Potential temperature anomaly" + alternative_names: + - "pta" + 171004: + name: "Equivalent potential temperature anomaly" + alternative_names: + - "epta" + 171005: + name: "Saturated equivalent potential temperature anomaly" + alternative_names: + - "septa" + 171006: + name: "100 metre u wind component anomaly" + alternative_names: + - "100ua" + 171007: + name: "100 metre v wind component anomaly" + alternative_names: + - "100va" + 171011: + name: "U component of divergent wind anomaly" + alternative_names: + - "udwa" + 171012: + name: "V component of divergent wind anomaly" + alternative_names: + - "vdwa" + 171013: + name: "U component of rotational wind anomaly" + alternative_names: + - "urwa" + 171014: + name: "V component of rotational wind anomaly" + alternative_names: + - "vrwa" + 171021: + name: "Unbalanced component of temperature anomaly" + alternative_names: + - "uctpa" + 171022: + name: "Unbalanced component of logarithm of surface pressure anomaly" + alternative_names: + - "uclna" + 171023: + name: "Unbalanced component of divergence anomaly" + alternative_names: + - "ucdva" + 171024: + name: "Lake mix-layer temperature anomaly" + alternative_names: + - "lmlta" + 171025: + name: "Lake ice depth anomaly" + alternative_names: + - "licda" + 171026: + name: "Lake cover anomaly" + alternative_names: + - "cla" + 171027: + name: "Low vegetation cover anomaly" + alternative_names: + - "cvla" + 171028: + name: "High vegetation cover anomaly" + alternative_names: + - "cvha" + 171029: + name: "Type of low vegetation anomaly" + alternative_names: + - "tvla" + 171030: + name: "Type of high vegetation anomaly" + alternative_names: + - "tvha" + 171031: + name: "Ci" + alternative_names: + - "sica" + - "sea-ice cover anomaly" + 171032: + name: "Snow albedo anomaly" + alternative_names: + - "asna" + 171033: + name: "Snow density anomaly" + alternative_names: + - "rsna" + 171034: + name: "Sea surface temperature anomaly" + alternative_names: + - "ssta" + 171035: + name: "Ice surface temperature anomaly layer 1" + alternative_names: + - "istal1" + 171036: + name: "Ice surface temperature anomaly layer 2" + alternative_names: + - "istal2" + 171037: + name: "Ice surface temperature anomaly layer 3" + alternative_names: + - "istal3" + 171038: + name: "Ice surface temperature anomaly layer 4" + alternative_names: + - "istal4" + 171039: + name: "Swvl1a" + alternative_names: + - "swval1" + - "volumetric soil water anomaly layer 1" + - "swv1" + 171040: + name: "Swvl2a" + alternative_names: + - "swval2" + - "volumetric soil water anomaly layer 2" + - "swv2" + 171041: + name: "Swvl3a" + alternative_names: + - "swval3" + - "volumetric soil water anomaly layer 3" + - "swv3" + 171042: + name: "Swvl4a" + alternative_names: + - "swval4" + - "volumetric soil water anomaly layer 4" + - "swv4" + 171043: + name: "Soil type anomaly" + alternative_names: + - "slta" + 171044: + name: "Snow evaporation anomaly" + alternative_names: + - "esa" + 171045: + name: "Snowmelt anomaly" + alternative_names: + - "smlta" + 171046: + name: "Solar duration anomaly" + alternative_names: + - "sdura" + 171047: + name: "Direct solar radiation anomaly" + alternative_names: + - "dsrpa" + 171048: + name: "Magnitude of turbulent surface stress anomaly" + alternative_names: + - "magssa" + 171049: + name: "10 metre wind gust anomaly" + alternative_names: + - "10fga" + 171050: + name: "Large-scale precipitation fraction anomaly" + alternative_names: + - "lspfa" + 171051: + name: "Maximum 2 metre temperature in the last 24 hours anomaly" + alternative_names: + - "mx2t24a" + 171052: + name: "Minimum 2 metre temperature in the last 24 hours anomaly" + alternative_names: + - "mn2t24a" + 171053: + name: "Montgomery potential anomaly" + alternative_names: + - "monta" + 171054: + name: "Pressure anomaly" + alternative_names: + - "pa" + 171055: + name: "Mean 2 metre temperature in the last 24 hours anomaly" + alternative_names: + - "mean2t24a" + 171056: + name: "Mean 2 metre dewpoint temperature in the last 24 hours anomaly" + alternative_names: + - "mn2d24a" + 171057: + name: "Downward uv radiation at the surface anomaly" + alternative_names: + - "uvba" + 171058: + name: "Photosynthetically active radiation at the surface anomaly" + alternative_names: + - "para" + 171059: + name: "Convective available potential energy anomaly" + alternative_names: + - "capea" + 171060: + name: "Potential vorticity anomaly" + alternative_names: + - "pva" + 171061: + name: "Total precipitation from observations anomaly" + alternative_names: + - "tpoa" + 171062: + name: "Observation count anomaly" + alternative_names: + - "obcta" + 171063: + name: "Start time for skin temperature difference anomaly" + alternative_names: + - "stsktda" + 171064: + name: "Finish time for skin temperature difference anomaly" + alternative_names: + - "ftsktda" + 171065: + name: "Skin temperature difference anomaly" + alternative_names: + - "sktda" + 171078: + name: "Total column liquid water anomaly" + alternative_names: + - "tclwa" + 171079: + name: "Total column ice water anomaly" + alternative_names: + - "tciwa" + 171121: + name: "Maximum temperature at 2 metres in the last 6 hours anomaly" + alternative_names: + - "mx2t6a" + 171122: + name: "Minimum temperature at 2 metres in the last 6 hours anomaly" + alternative_names: + - "mn2t6a" + 171125: + name: "Vertically integrated total energy anomaly" + alternative_names: + - "vitea" + 171126: + name: "Generic parameter for sensitive area prediction" + alternative_names: + - "_param_171126" + 171127: + name: "Atmospheric tide anomaly" + alternative_names: + - "ata" + 171128: + name: "Budget values anomaly" + alternative_names: + - "bva" + 171129: + name: "Z" + alternative_names: + - "za" + - "geopotential anomaly" + 171130: + name: "T" + alternative_names: + - "ta" + - "temperature anomaly" + 171131: + name: "U" + alternative_names: + - "ua" + - "u component of wind anomaly" + 171132: + name: "V" + alternative_names: + - "va" + - "v component of wind anomaly" + 171133: + name: "Specific humidity anomaly" + alternative_names: + - "qa" + 171134: + name: "Surface pressure anomaly" + alternative_names: + - "spa" + 171135: + name: "Vertical velocity (pressure) anomaly" + alternative_names: + - "wa" + 171136: + name: "Total column water anomaly" + alternative_names: + - "tcwa" + 171137: + name: "Total column water vapour anomaly" + alternative_names: + - "tcwva" + 171138: + name: "Vo" + alternative_names: + - "voa" + - "relative vorticity anomaly" + 171139: + name: "St" + alternative_names: + - "stal1" + - "soil temperature anomaly level 1" + - "stl1" + 171140: + name: "Swl1" + alternative_names: + - "swal1" + - "soil wetness anomaly level 1" + 171141: + name: "Snow depth anomaly" + alternative_names: + - "sda" + 171142: + name: "Stratiform precipitation (large-scale precipitation) anomaly" + alternative_names: + - "lspa" + 171143: + name: "Convective precipitation anomaly" + alternative_names: + - "cpa" + 171144: + name: "Snowfall (convective + stratiform) anomaly" + alternative_names: + - "sfa" + 171145: + name: "Boundary layer dissipation anomaly" + alternative_names: + - "blda" + 171146: + name: "Surface sensible heat flux anomaly" + alternative_names: + - "sshfa" + 171147: + name: "Surface latent heat flux anomaly" + alternative_names: + - "slhfa" + 171148: + name: "Charnock anomaly" + alternative_names: + - "chnka" + 171149: + name: "Surface net radiation anomaly" + alternative_names: + - "snra" + 171150: + name: "Top net radiation anomaly" + alternative_names: + - "tnra" + 171151: + name: "Msl" + alternative_names: + - "msla" + - "mean sea level pressure anomaly" + 171152: + name: "Logarithm of surface pressure anomaly" + alternative_names: + - "lspa" + 171153: + name: "Short-wave heating rate anomaly" + alternative_names: + - "swhra" + 171154: + name: "Long-wave heating rate anomaly" + alternative_names: + - "lwhra" + 171155: + name: "D" + alternative_names: + - "da" + - "relative divergence anomaly" + 171156: + name: "Gh" + alternative_names: + - "gha" + - "height anomaly" + 171157: + name: "R" + alternative_names: + - "ra" + - "relative humidity anomaly" + 171158: + name: "Tendency of surface pressure anomaly" + alternative_names: + - "tspa" + 171159: + name: "Boundary layer height anomaly" + alternative_names: + - "blha" + 171160: + name: "Standard deviation of orography anomaly" + alternative_names: + - "sdora" + 171161: + name: "Anisotropy of sub-gridscale orography anomaly" + alternative_names: + - "isora" + 171162: + name: "Angle of sub-gridscale orography anomaly" + alternative_names: + - "anora" + 171163: + name: "Slope of sub-gridscale orography anomaly" + alternative_names: + - "slora" + 171164: + name: "Total cloud cover anomaly" + alternative_names: + - "tcca" + 171165: + name: "10 metre u wind component anomaly" + alternative_names: + - "10ua" + 171166: + name: "10 metre v wind component anomaly" + alternative_names: + - "10va" + 171167: + name: "2 metre temperature anomaly" + alternative_names: + - "2ta" + 171168: + name: "2 metre dewpoint temperature anomaly" + alternative_names: + - "2da" + 171169: + name: "Surface solar radiation downwards anomaly" + alternative_names: + - "ssrda" + 171170: + name: "Stl2" + alternative_names: + - "stal2" + - "soil temperature anomaly level 2" + - "slal2" + 171171: + name: "Swl2" + alternative_names: + - "swal2" + - "soil wetness anomaly level 2" + 171173: + name: "Surface roughness anomaly" + alternative_names: + - "sra" + 171174: + name: "Albedo anomaly" + alternative_names: + - "ala" + 171175: + name: "Surface thermal radiation downwards anomaly" + alternative_names: + - "strda" + 171176: + name: "Surface net solar radiation anomaly" + alternative_names: + - "ssra" + 171177: + name: "Surface net thermal radiation anomaly" + alternative_names: + - "stra" + 171178: + name: "Top net solar radiation anomaly" + alternative_names: + - "tsra" + 171179: + name: "Top net thermal radiation anomaly" + alternative_names: + - "ttra" + 171180: + name: "East-west surface stress anomaly" + alternative_names: + - "eqssa" + 171181: + name: "North-south surface stress anomaly" + alternative_names: + - "nsssa" + 171182: + name: "Evaporation anomaly" + alternative_names: + - "ea" + 171183: + name: "Stl3" + alternative_names: + - "stal3" + - "soil temperature anomaly level 3" + 171184: + name: "Swl3" + alternative_names: + - "swal3" + - "soil wetness anomaly level 3" + 171185: + name: "Convective cloud cover anomaly" + alternative_names: + - "ccca" + 171186: + name: "Low cloud cover anomaly" + alternative_names: + - "lcca" + 171187: + name: "Medium cloud cover anomaly" + alternative_names: + - "mcca" + 171188: + name: "High cloud cover anomaly" + alternative_names: + - "hcca" + 171189: + name: "Sunshine duration anomaly" + alternative_names: + - "sunda" + 171190: + name: "East-west component of sub-gridscale orographic variance anomaly" + alternative_names: + - "ewova" + 171191: + name: "North-south component of sub-gridscale orographic variance anomaly" + alternative_names: + - "nsova" + 171192: + name: "North-west/south-east component of sub-gridscale orographic variance anomaly" + alternative_names: + - "nwova" + 171193: + name: "North-east/south-west component of sub-gridscale orographic variance anomaly" + alternative_names: + - "neova" + 171194: + name: "Brightness temperature anomaly" + alternative_names: + - "btmpa" + 171195: + name: "Longitudinal component of gravity wave stress anomaly" + alternative_names: + - "lgwsa" + 171196: + name: "Meridional component of gravity wave stress anomaly" + alternative_names: + - "mgwsa" + 171197: + name: "Gravity wave dissipation anomaly" + alternative_names: + - "gwda" + 171198: + name: "Skin reservoir content anomaly" + alternative_names: + - "srca" + 171199: + name: "Vegetation fraction anomaly" + alternative_names: + - "vfa" + 171200: + name: "Variance of sub-gridscale orography anomaly" + alternative_names: + - "vsoa" + 171201: + name: "Maximum temperature at 2 metres anomaly" + alternative_names: + - "mx2ta" + 171202: + name: "Minimum temperature at 2 metres anomaly" + alternative_names: + - "mn2ta" + 171203: + name: "Ozone mass mixing ratio anomaly" + alternative_names: + - "o3a" + 171204: + name: "Precipitation analysis weights anomaly" + alternative_names: + - "pawa" + 171205: + name: "Runoff anomaly" + alternative_names: + - "roa" + 171206: + name: "Total column ozone anomaly" + alternative_names: + - "tco3a" + 171207: + name: "10si" + alternative_names: + - "10sia" + - "10 metre wind speed anomaly" + 171208: + name: "Top net solar radiation clear sky anomaly" + alternative_names: + - "tsrca" + 171209: + name: "Top net thermal radiation clear sky anomaly" + alternative_names: + - "ttrca" + 171210: + name: "Surface net solar radiation clear sky anomaly" + alternative_names: + - "ssrca" + 171211: + name: "Surface net thermal radiation, clear sky anomaly" + alternative_names: + - "strca" + 171212: + name: "Solar insolation anomaly" + alternative_names: + - "sia" + 171214: + name: "Diabatic heating by radiation anomaly" + alternative_names: + - "dhra" + 171215: + name: "Diabatic heating by vertical diffusion anomaly" + alternative_names: + - "dhvda" + 171216: + name: "Diabatic heating by cumulus convection anomaly" + alternative_names: + - "dhcca" + 171217: + name: "Diabatic heating by large-scale condensation anomaly" + alternative_names: + - "dhlca" + 171218: + name: "Vertical diffusion of zonal wind anomaly" + alternative_names: + - "vdzwa" + 171219: + name: "Vertical diffusion of meridional wind anomaly" + alternative_names: + - "vdmwa" + 171220: + name: "East-west gravity wave drag tendency anomaly" + alternative_names: + - "ewgda" + 171221: + name: "North-south gravity wave drag tendency anomaly" + alternative_names: + - "nsgda" + 171222: + name: "Convective tendency of zonal wind anomaly" + alternative_names: + - "ctzwa" + 171223: + name: "Convective tendency of meridional wind anomaly" + alternative_names: + - "ctmwa" + 171224: + name: "Vertical diffusion of humidity anomaly" + alternative_names: + - "vdha" + 171225: + name: "Humidity tendency by cumulus convection anomaly" + alternative_names: + - "htcca" + 171226: + name: "Humidity tendency by large-scale condensation anomaly" + alternative_names: + - "htlca" + 171227: + name: "Change from removal of negative humidity anomaly" + alternative_names: + - "crnha" + 171228: + name: "Total precipitation anomaly" + alternative_names: + - "tpa" + 171229: + name: "Instantaneous x surface stress anomaly" + alternative_names: + - "iewsa" + 171230: + name: "Instantaneous y surface stress anomaly" + alternative_names: + - "inssa" + 171231: + name: "Instantaneous surface heat flux anomaly" + alternative_names: + - "ishfa" + 171232: + name: "Instantaneous moisture flux anomaly" + alternative_names: + - "iea" + 171233: + name: "Apparent surface humidity anomaly" + alternative_names: + - "asqa" + 171234: + name: "Logarithm of surface roughness length for heat anomaly" + alternative_names: + - "lsrha" + 171235: + name: "Skin temperature anomaly" + alternative_names: + - "skta" + 171236: + name: "Soil temperature level 4 anomaly" + alternative_names: + - "stal4" + 171237: + name: "Swl4" + alternative_names: + - "swal4" + - "soil wetness level 4 anomaly" + 171238: + name: "Temperature of snow layer anomaly" + alternative_names: + - "tsna" + 171239: + name: "Convective snowfall anomaly" + alternative_names: + - "csfa" + 171240: + name: "Large scale snowfall anomaly" + alternative_names: + - "lsfa" + 171241: + name: "Accumulated cloud fraction tendency anomaly" + alternative_names: + - "acfa" + 171242: + name: "Accumulated liquid water tendency anomaly" + alternative_names: + - "alwa" + 171243: + name: "Forecast albedo anomaly" + alternative_names: + - "fala" + 171244: + name: "Forecast surface roughness anomaly" + alternative_names: + - "fsra" + 171245: + name: "Forecast logarithm of surface roughness for heat anomaly" + alternative_names: + - "flsra" + 171246: + name: "Cloud liquid water content anomaly" + alternative_names: + - "clwca" + 171247: + name: "Cloud ice water content anomaly" + alternative_names: + - "ciwca" + 171248: + name: "Cloud cover anomaly" + alternative_names: + - "cca" + 171249: + name: "Accumulated ice water tendency anomaly" + alternative_names: + - "aiwa" + 171250: + name: "Ice age anomaly" + alternative_names: + - "iaa" + 171251: + name: "Adiabatic tendency of temperature anomaly" + alternative_names: + - "attea" + 171252: + name: "Adiabatic tendency of humidity anomaly" + alternative_names: + - "athea" + 171253: + name: "Adiabatic tendency of zonal wind anomaly" + alternative_names: + - "atzea" + 171254: + name: "Adiabatic tendency of meridional wind anomaly" + alternative_names: + - "atmwa" + 171255: + name: "Indicates a missing value" + alternative_names: + - "_param_171255" + 172008: + name: "Mean surface runoff rate" + alternative_names: + - "msror" + 172009: + name: "Mean sub-surface runoff rate" + alternative_names: + - "mssror" + 172044: + name: "Es" + alternative_names: + - "esrate" + - "snow evaporation" + 172045: + name: "Snowmelt" + alternative_names: + - "_param_172045" + 172048: + name: "Magnitude of turbulent surface stress" + alternative_names: + - "_param_172048" + 172050: + name: "Lspf" + alternative_names: + - "mlspfr" + - "mean large-scale precipitation fraction" + 172142: + name: "Lsp" + alternative_names: + - "mlsprt" + - "mean large-scale precipitation rate" + 172143: + name: "Cp" + alternative_names: + - "cprate" + - "mean convective precipitation rate" + 172144: + name: "Sf" + alternative_names: + - "mtsfr" + - "mean total snowfall rate" + 172145: + name: "Boundary layer dissipation" + alternative_names: + - "bldrate" + 172146: + name: "146" + alternative_names: + - "msshfl" + - "mean surface sensible heat flux" + - "sshf" + 172147: + name: "147" + alternative_names: + - "mslhfl" + - "mean surface latent heat flux" + - "slhf" + 172149: + name: "Snr" + alternative_names: + - "msnrf" + - "time-mean surface net radiation flux (sw and lw)" + 172153: + name: "Swhr" + alternative_names: + - "mswhr" + - "mean short-wave heating rate" + 172154: + name: "Lwhr" + alternative_names: + - "mlwhr" + - "mean long-wave heating rate" + 172169: + name: "Ssrd" + alternative_names: + - "msdsrf" + - "mean surface downward solar radiation flux" + 172175: + name: "Strd" + alternative_names: + - "msdtrf" + - "mean surface downward thermal radiation flux" + 172176: + name: "Ssr" + alternative_names: + - "msnsrf" + - "mean surface net solar radiation flux" + 172177: + name: "Str" + alternative_names: + - "msntrf" + - "mean surface net thermal radiation flux" + 172178: + name: "Tsr" + alternative_names: + - "mtnsrf" + - "mean top net solar radiation flux" + 172179: + name: "Ttr" + alternative_names: + - "mtntrf" + - "mean top net thermal radiation flux" + 172180: + name: "Ewss" + alternative_names: + - "ewssra" + - "east-west surface stress rate of accumulation" + 172181: + name: "Nsss" + alternative_names: + - "nsssra" + - "north-south surface stress rate of accumulation" + 172182: + name: "E" + alternative_names: + - "erate" + - "evaporation" + 172189: + name: "Sund" + alternative_names: + - "msdr" + - "mean sunshine duration rate" + 172195: + name: "Longitudinal component of gravity wave stress" + alternative_names: + - "_param_172195" + 172196: + name: "Meridional component of gravity wave stress" + alternative_names: + - "_param_172196" + 172197: + name: "Gravity wave dissipation" + alternative_names: + - "gwdrate" + 172205: + name: "Ro" + alternative_names: + - "mrort" + - "mean runoff rate" + 172208: + name: "Top net solar radiation, clear sky" + alternative_names: + - "_param_172208" + 172209: + name: "Top net thermal radiation, clear sky" + alternative_names: + - "_param_172209" + 172210: + name: "Surface net solar radiation, clear sky" + alternative_names: + - "_param_172210" + 172211: + name: "Surface net thermal radiation, clear sky" + alternative_names: + - "_param_172211" + 172212: + name: "Solar insolation rate of accumulation" + alternative_names: + - "soira" + 172228: + name: "Tp" + alternative_names: + - "tprate" + - "mean total precipitation rate" + 172239: + name: "Convective snowfall" + alternative_names: + - "_param_172239" + 172240: + name: "Large scale snowfall" + alternative_names: + - "_param_172240" + 172255: + name: "Indicates a missing value" + alternative_names: + - "_param_172255" + 173008: + name: "Mean surface runoff rate anomaly" + alternative_names: + - "msrora" + 173009: + name: "Mean sub-surface runoff rate anomaly" + alternative_names: + - "mssrora" + 173044: + name: "Snow evaporation anomaly" + alternative_names: + - "_param_173044" + 173045: + name: "Snowmelt anomaly" + alternative_names: + - "_param_173045" + 173048: + name: "Magnitude of turbulent surface stress anomaly" + alternative_names: + - "_param_173048" + 173050: + name: "Large-scale precipitation fraction anomaly" + alternative_names: + - "_param_173050" + 173142: + name: "Lspa" + alternative_names: + - "lspara" + - "stratiform precipitation (large-scale precipitation) anomalous rate of accumulation" + 173143: + name: "Cpa" + alternative_names: + - "mcpra" + - "mean convective precipitation rate anomaly" + 173144: + name: "Snowfall (convective + stratiform) anomalous rate of accumulation" + alternative_names: + - "sfara" + 173145: + name: "Boundary layer dissipation anomaly" + alternative_names: + - "_param_173145" + 173146: + name: "Surface sensible heat flux anomalous rate of accumulation" + alternative_names: + - "sshfara" + 173147: + name: "Surface latent heat flux anomalous rate of accumulation" + alternative_names: + - "slhfara" + 173149: + name: "Surface net radiation anomaly" + alternative_names: + - "_param_173149" + 173153: + name: "Short-wave heating rate anomaly" + alternative_names: + - "_param_173153" + 173154: + name: "Long-wave heating rate anomaly" + alternative_names: + - "_param_173154" + 173169: + name: "Ssrd" + alternative_names: + - "ssrdara" + - "surface solar radiation downwards anomalous rate of accumulation" + - "ssrda" + 173175: + name: "Strda" + alternative_names: + - "strdara" + - "surface thermal radiation downwards anomalous rate of accumulation" + 173176: + name: "Ssr" + alternative_names: + - "ssrara" + - "surface solar radiation anomalous rate of accumulation" + - "ssra" + 173177: + name: "Str" + alternative_names: + - "strara" + - "surface thermal radiation anomalous rate of accumulation" + - "stra" + 173178: + name: "Tsr" + alternative_names: + - "tsrara" + - "top solar radiation anomalous rate of accumulation" + - "tsra" + 173179: + name: "Ttr" + alternative_names: + - "ttrara" + - "top thermal radiation anomalous rate of accumulation" + - "ttra" + 173180: + name: "East-west surface stress anomalous rate of accumulation" + alternative_names: + - "ewssara" + 173181: + name: "North-south surface stress anomalous rate of accumulation" + alternative_names: + - "nsssara" + 173182: + name: "E" + alternative_names: + - "evara" + - "evaporation anomalous rate of accumulation" + - "ea" + 173189: + name: "Sunshine duration anomalous rate of accumulation" + alternative_names: + - "sundara" + 173195: + name: "Longitudinal component of gravity wave stress anomaly" + alternative_names: + - "_param_173195" + 173196: + name: "Meridional component of gravity wave stress anomaly" + alternative_names: + - "_param_173196" + 173197: + name: "Gravity wave dissipation anomaly" + alternative_names: + - "_param_173197" + 173205: + name: "Runoff anomalous rate of accumulation" + alternative_names: + - "roara" + 173208: + name: "Top net solar radiation, clear sky anomaly" + alternative_names: + - "_param_173208" + 173209: + name: "Top net thermal radiation, clear sky anomaly" + alternative_names: + - "_param_173209" + 173210: + name: "Surface net solar radiation, clear sky anomaly" + alternative_names: + - "_param_173210" + 173211: + name: "Surface net thermal radiation, clear sky anomaly" + alternative_names: + - "_param_173211" + 173212: + name: "Solar insolation anomalous rate of accumulation" + alternative_names: + - "soiara" + 173228: + name: "Total precipitation anomalous rate of accumulation" + alternative_names: + - "tpara" + 173239: + name: "Convective snowfall anomaly" + alternative_names: + - "_param_173239" + 173240: + name: "Large scale snowfall anomaly" + alternative_names: + - "_param_173240" + 173255: + name: "Indicates a missing value" + alternative_names: + - "_param_173255" + 174006: + name: "Total soil moisture" + alternative_names: + - "_param_174006" + 174008: + name: "Surface runoff" + alternative_names: + - "sro" + 174009: + name: "Sub-surface runoff" + alternative_names: + - "ssro" + 174010: + name: "Clear-sky (ii) down surface sw flux" + alternative_names: + - "sswcsdown" + 174013: + name: "Clear-sky (ii) up surface sw flux" + alternative_names: + - "sswcsup" + 174025: + name: "Visibility at 1.5m" + alternative_names: + - "vis15" + 174031: + name: "Fraction of sea-ice in sea" + alternative_names: + - "_param_174031" + 174034: + name: "Open-sea surface temperature" + alternative_names: + - "_param_174034" + 174039: + name: "Volumetric soil water layer 1" + alternative_names: + - "_param_174039" + 174040: + name: "Volumetric soil water layer 2" + alternative_names: + - "_param_174040" + 174041: + name: "Volumetric soil water layer 3" + alternative_names: + - "_param_174041" + 174042: + name: "Volumetric soil water layer 4" + alternative_names: + - "_param_174042" + 174049: + name: "10 metre wind gust in the last 24 hours" + alternative_names: + - "_param_174049" + 174050: + name: "Minimum temperature at 1.5m since previous post-processing" + alternative_names: + - "mn15t" + 174051: + name: "Maximum temperature at 1.5m since previous post-processing" + alternative_names: + - "mx15t" + 174052: + name: "Relative humidity at 1.5m" + alternative_names: + - "rhum" + 174055: + name: "1.5m temperature - mean in the last 24 hours" + alternative_names: + - "_param_174055" + 174083: + name: "Net primary productivity" + alternative_names: + - "_param_174083" + 174085: + name: "10m u wind over land" + alternative_names: + - "_param_174085" + 174086: + name: "10m v wind over land" + alternative_names: + - "_param_174086" + 174087: + name: "1.5m temperature over land" + alternative_names: + - "_param_174087" + 174088: + name: "1.5m dewpoint temperature over land" + alternative_names: + - "_param_174088" + 174089: + name: "Top incoming solar radiation" + alternative_names: + - "_param_174089" + 174090: + name: "Top outgoing solar radiation" + alternative_names: + - "_param_174090" + 174092: + name: "Sea ice albedo" + alternative_names: + - "sialb" + 174093: + name: "Sea ice surface temperature" + alternative_names: + - "sitemptop" + 174094: + name: "Mean sea surface temperature" + alternative_names: + - "_param_174094" + 174095: + name: "1.5m specific humidity" + alternative_names: + - "_param_174095" + 174096: + name: "2 metre specific humidity" + alternative_names: + - "2sh" + 174097: + name: "Sea ice snow thickness" + alternative_names: + - "sisnthick" + 174098: + name: "Sea-ice thickness" + alternative_names: + - "sithick" + 174099: + name: "Liquid water potential temperature" + alternative_names: + - "_param_174099" + 174110: + name: "Ocean ice concentration" + alternative_names: + - "_param_174110" + 174111: + name: "Ocean mean ice depth" + alternative_names: + - "_param_174111" + 174112: + name: "Sea ice velocity along x" + alternative_names: + - "siue" + 174113: + name: "Sea ice velocity along y" + alternative_names: + - "sivn" + 174116: + name: "Short wave radiation flux at surface" + alternative_names: + - "swrsurf" + 174117: + name: "Short wave radiation flux at top of atmosphere" + alternative_names: + - "swrtop" + 174137: + name: "Total column water vapour" + alternative_names: + - "tcwvap" + 174139: + name: "Soil temperature layer 1" + alternative_names: + - "_param_174139" + 174142: + name: "Large scale rainfall rate" + alternative_names: + - "lsrrate" + 174143: + name: "Convective rainfall rate" + alternative_names: + - "crfrate" + 174164: + name: "Average potential temperature in upper 293.4m" + alternative_names: + - "_param_174164" + 174167: + name: "1.5m temperature" + alternative_names: + - "_param_174167" + 174168: + name: "1.5m dewpoint temperature" + alternative_names: + - "_param_174168" + 174170: + name: "Soil temperature layer 2" + alternative_names: + - "_param_174170" + 174175: + name: "Average salinity in upper 293.4m" + alternative_names: + - "_param_174175" + 174183: + name: "Soil temperature layer 3" + alternative_names: + - "_param_174183" + 174186: + name: "Very low cloud amount" + alternative_names: + - "vlca" + 174201: + name: "1.5m temperature - maximum in the last 24 hours" + alternative_names: + - "_param_174201" + 174202: + name: "1.5m temperature - minimum in the last 24 hours" + alternative_names: + - "_param_174202" + 174236: + name: "Soil temperature layer 4" + alternative_names: + - "_param_174236" + 174239: + name: "Convective snowfall rate" + alternative_names: + - "csfrate" + 174240: + name: "Large scale snowfall rate" + alternative_names: + - "lsfrate" + 174248: + name: "Total cloud amount - random overlap" + alternative_names: + - "tccro" + 174249: + name: "Total cloud amount in lw radiation" + alternative_names: + - "tcclwr" + 174255: + name: "Indicates a missing value" + alternative_names: + - "_param_174255" + 175006: + name: "Total soil moisture" + alternative_names: + - "_param_175006" + 175031: + name: "Fraction of sea-ice in sea" + alternative_names: + - "_param_175031" + 175034: + name: "Open-sea surface temperature" + alternative_names: + - "_param_175034" + 175039: + name: "Volumetric soil water layer 1" + alternative_names: + - "_param_175039" + 175040: + name: "Volumetric soil water layer 2" + alternative_names: + - "_param_175040" + 175041: + name: "Volumetric soil water layer 3" + alternative_names: + - "_param_175041" + 175042: + name: "Volumetric soil water layer 4" + alternative_names: + - "_param_175042" + 175049: + name: "10m wind gust in the last 24 hours" + alternative_names: + - "_param_175049" + 175055: + name: "1.5m temperature - mean in the last 24 hours" + alternative_names: + - "_param_175055" + 175083: + name: "Net primary productivity" + alternative_names: + - "_param_175083" + 175085: + name: "10m u wind over land" + alternative_names: + - "_param_175085" + 175086: + name: "10m v wind over land" + alternative_names: + - "_param_175086" + 175087: + name: "1.5m temperature over land" + alternative_names: + - "_param_175087" + 175088: + name: "1.5m dewpoint temperature over land" + alternative_names: + - "_param_175088" + 175089: + name: "Top incoming solar radiation" + alternative_names: + - "_param_175089" + 175090: + name: "Top outgoing solar radiation" + alternative_names: + - "_param_175090" + 175110: + name: "Ocean ice concentration" + alternative_names: + - "_param_175110" + 175111: + name: "Ocean mean ice depth" + alternative_names: + - "_param_175111" + 175139: + name: "Soil temperature layer 1" + alternative_names: + - "_param_175139" + 175164: + name: "Average potential temperature in upper 293.4m" + alternative_names: + - "_param_175164" + 175167: + name: "1.5m temperature" + alternative_names: + - "_param_175167" + 175168: + name: "1.5m dewpoint temperature" + alternative_names: + - "_param_175168" + 175170: + name: "Soil temperature layer 2" + alternative_names: + - "_param_175170" + 175175: + name: "Average salinity in upper 293.4m" + alternative_names: + - "_param_175175" + 175183: + name: "Soil temperature layer 3" + alternative_names: + - "_param_175183" + 175201: + name: "1.5m temperature - maximum in the last 24 hours" + alternative_names: + - "_param_175201" + 175202: + name: "1.5m temperature - minimum in the last 24 hours" + alternative_names: + - "_param_175202" + 175236: + name: "Soil temperature layer 4" + alternative_names: + - "_param_175236" + 175255: + name: "Indicates a missing value" + alternative_names: + - "_param_175255" + 180149: + name: "Total soil wetness" + alternative_names: + - "tsw" + 180176: + name: "Surface net solar radiation" + alternative_names: + - "ssr" + 180177: + name: "Surface net thermal radiation" + alternative_names: + - "str" + 180178: + name: "Top net solar radiation" + alternative_names: + - "tsr" + 180179: + name: "Top net thermal radiation" + alternative_names: + - "ttr" + 190141: + name: "Snow depth" + alternative_names: + - "sdsien" + 190170: + name: "Field capacity" + alternative_names: + - "cap" + 190171: + name: "Wilting point" + alternative_names: + - "wiltsien" + 190173: + name: "Roughness length" + alternative_names: + - "sr" + 190229: + name: "Total soil moisture" + alternative_names: + - "tsm" + 200001: + name: "Stream function difference" + alternative_names: + - "strfdiff" + 200002: + name: "Velocity potential difference" + alternative_names: + - "vpotdiff" + 200003: + name: "Potential temperature difference" + alternative_names: + - "ptdiff" + 200004: + name: "Equivalent potential temperature difference" + alternative_names: + - "eqptdiff" + 200005: + name: "Saturated equivalent potential temperature difference" + alternative_names: + - "septdiff" + 200011: + name: "U component of divergent wind difference" + alternative_names: + - "udvwdiff" + 200012: + name: "V component of divergent wind difference" + alternative_names: + - "vdvwdiff" + 200013: + name: "U component of rotational wind difference" + alternative_names: + - "urtwdiff" + 200014: + name: "V component of rotational wind difference" + alternative_names: + - "vrtwdiff" + 200021: + name: "Unbalanced component of temperature difference" + alternative_names: + - "uctpdiff" + 200022: + name: "Unbalanced component of logarithm of surface pressure difference" + alternative_names: + - "uclndiff" + 200023: + name: "Unbalanced component of divergence difference" + alternative_names: + - "ucdvdiff" + 200024: + name: "Reserved for future unbalanced components" + alternative_names: + - "_param_200024" + 200025: + name: "Reserved for future unbalanced components" + alternative_names: + - "_param_200025" + 200026: + name: "Lake cover difference" + alternative_names: + - "cldiff" + 200027: + name: "Low vegetation cover difference" + alternative_names: + - "cvldiff" + 200028: + name: "High vegetation cover difference" + alternative_names: + - "cvhdiff" + 200029: + name: "Type of low vegetation difference" + alternative_names: + - "tvldiff" + 200030: + name: "Type of high vegetation difference" + alternative_names: + - "tvhdiff" + 200031: + name: "Sea-ice cover difference" + alternative_names: + - "sicdiff" + 200032: + name: "Snow albedo difference" + alternative_names: + - "asndiff" + 200033: + name: "Snow density difference" + alternative_names: + - "rsndiff" + 200034: + name: "Sea surface temperature difference" + alternative_names: + - "sstdiff" + 200035: + name: "Ice surface temperature layer 1 difference" + alternative_names: + - "istl1diff" + 200036: + name: "Ice surface temperature layer 2 difference" + alternative_names: + - "istl2diff" + 200037: + name: "Ice surface temperature layer 3 difference" + alternative_names: + - "istl3diff" + 200038: + name: "Ice surface temperature layer 4 difference" + alternative_names: + - "istl4diff" + 200039: + name: "Volumetric soil water layer 1 difference" + alternative_names: + - "swvl1diff" + 200040: + name: "Volumetric soil water layer 2 difference" + alternative_names: + - "swvl2diff" + 200041: + name: "Volumetric soil water layer 3 difference" + alternative_names: + - "swvl3diff" + 200042: + name: "Volumetric soil water layer 4 difference" + alternative_names: + - "swvl4diff" + 200043: + name: "Soil type difference" + alternative_names: + - "sltdiff" + 200044: + name: "Snow evaporation difference" + alternative_names: + - "esdiff" + 200045: + name: "Snowmelt difference" + alternative_names: + - "smltdiff" + 200046: + name: "Solar duration difference" + alternative_names: + - "sdurdiff" + 200047: + name: "Direct solar radiation difference" + alternative_names: + - "dsrpdiff" + 200048: + name: "Magnitude of turbulent surface stress difference" + alternative_names: + - "magssdiff" + 200049: + name: "10 metre wind gust difference" + alternative_names: + - "10fgdiff" + 200050: + name: "Large-scale precipitation fraction difference" + alternative_names: + - "lspfdiff" + 200051: + name: "Maximum 2 metre temperature difference" + alternative_names: + - "mx2t24diff" + 200052: + name: "Minimum 2 metre temperature difference" + alternative_names: + - "mn2t24diff" + 200053: + name: "Montgomery potential difference" + alternative_names: + - "montdiff" + 200054: + name: "Pressure difference" + alternative_names: + - "presdiff" + 200055: + name: "Mean 2 metre temperature in the last 24 hours difference" + alternative_names: + - "mean2t24diff" + 200056: + name: "Mean 2 metre dewpoint temperature in the last 24 hours difference" + alternative_names: + - "mn2d24diff" + 200057: + name: "Downward uv radiation at the surface difference" + alternative_names: + - "uvbdiff" + 200058: + name: "Photosynthetically active radiation at the surface difference" + alternative_names: + - "pardiff" + 200059: + name: "Convective available potential energy difference" + alternative_names: + - "capediff" + 200060: + name: "Potential vorticity difference" + alternative_names: + - "pvdiff" + 200061: + name: "Total precipitation from observations difference" + alternative_names: + - "tpodiff" + 200062: + name: "Observation count difference" + alternative_names: + - "obctdiff" + 200063: + name: "Start time for skin temperature difference" + alternative_names: + - "_param_200063" + 200064: + name: "Finish time for skin temperature difference" + alternative_names: + - "_param_200064" + 200065: + name: "Skin temperature difference" + alternative_names: + - "_param_200065" + 200066: + name: "Leaf area index, low vegetation" + alternative_names: + - "_param_200066" + 200067: + name: "Leaf area index, high vegetation" + alternative_names: + - "_param_200067" + 200068: + name: "Minimum stomatal resistance, low vegetation" + alternative_names: + - "_param_200068" + 200069: + name: "Minimum stomatal resistance, high vegetation" + alternative_names: + - "_param_200069" + 200070: + name: "Biome cover, low vegetation" + alternative_names: + - "_param_200070" + 200071: + name: "Biome cover, high vegetation" + alternative_names: + - "_param_200071" + 200078: + name: "Total column liquid water" + alternative_names: + - "_param_200078" + 200079: + name: "Total column ice water" + alternative_names: + - "_param_200079" + 200080: + name: "Experimental product" + alternative_names: + - "_param_200080" + 200081: + name: "Experimental product" + alternative_names: + - "_param_200081" + 200082: + name: "Experimental product" + alternative_names: + - "_param_200082" + 200083: + name: "Experimental product" + alternative_names: + - "_param_200083" + 200084: + name: "Experimental product" + alternative_names: + - "_param_200084" + 200085: + name: "Experimental product" + alternative_names: + - "_param_200085" + 200086: + name: "Experimental product" + alternative_names: + - "_param_200086" + 200087: + name: "Experimental product" + alternative_names: + - "_param_200087" + 200088: + name: "Experimental product" + alternative_names: + - "_param_200088" + 200089: + name: "Experimental product" + alternative_names: + - "_param_200089" + 200090: + name: "Experimental product" + alternative_names: + - "_param_200090" + 200091: + name: "Experimental product" + alternative_names: + - "_param_200091" + 200092: + name: "Experimental product" + alternative_names: + - "_param_200092" + 200093: + name: "Experimental product" + alternative_names: + - "_param_200093" + 200094: + name: "Experimental product" + alternative_names: + - "_param_200094" + 200095: + name: "Experimental product" + alternative_names: + - "_param_200095" + 200096: + name: "Experimental product" + alternative_names: + - "_param_200096" + 200097: + name: "Experimental product" + alternative_names: + - "_param_200097" + 200098: + name: "Experimental product" + alternative_names: + - "_param_200098" + 200099: + name: "Experimental product" + alternative_names: + - "_param_200099" + 200100: + name: "Experimental product" + alternative_names: + - "_param_200100" + 200101: + name: "Experimental product" + alternative_names: + - "_param_200101" + 200102: + name: "Experimental product" + alternative_names: + - "_param_200102" + 200103: + name: "Experimental product" + alternative_names: + - "_param_200103" + 200104: + name: "Experimental product" + alternative_names: + - "_param_200104" + 200105: + name: "Experimental product" + alternative_names: + - "_param_200105" + 200106: + name: "Experimental product" + alternative_names: + - "_param_200106" + 200107: + name: "Experimental product" + alternative_names: + - "_param_200107" + 200108: + name: "Experimental product" + alternative_names: + - "_param_200108" + 200109: + name: "Experimental product" + alternative_names: + - "_param_200109" + 200110: + name: "Experimental product" + alternative_names: + - "_param_200110" + 200111: + name: "Experimental product" + alternative_names: + - "_param_200111" + 200112: + name: "Experimental product" + alternative_names: + - "_param_200112" + 200113: + name: "Experimental product" + alternative_names: + - "_param_200113" + 200114: + name: "Experimental product" + alternative_names: + - "_param_200114" + 200115: + name: "Experimental product" + alternative_names: + - "_param_200115" + 200116: + name: "Experimental product" + alternative_names: + - "_param_200116" + 200117: + name: "Experimental product" + alternative_names: + - "_param_200117" + 200118: + name: "Experimental product" + alternative_names: + - "_param_200118" + 200119: + name: "Experimental product" + alternative_names: + - "_param_200119" + 200120: + name: "Experimental product" + alternative_names: + - "_param_200120" + 200121: + name: "Maximum temperature at 2 metres difference" + alternative_names: + - "mx2t6diff" + 200122: + name: "Minimum temperature at 2 metres difference" + alternative_names: + - "mn2t6diff" + 200123: + name: "10 metre wind gust in the last 6 hours difference" + alternative_names: + - "10fg6diff" + 200125: + name: "Vertically integrated total energy" + alternative_names: + - "_param_200125" + 200126: + name: "Generic parameter for sensitive area prediction" + alternative_names: + - "_param_200126" + 200127: + name: "Atmospheric tide difference" + alternative_names: + - "atdiff" + 200128: + name: "Budget values difference" + alternative_names: + - "bvdiff" + 200129: + name: "Geopotential difference" + alternative_names: + - "zdiff" + 200130: + name: "Temperature difference" + alternative_names: + - "tdiff" + 200131: + name: "U component of wind difference" + alternative_names: + - "udiff" + 200132: + name: "V component of wind difference" + alternative_names: + - "vdiff" + 200133: + name: "Specific humidity difference" + alternative_names: + - "qdiff" + 200134: + name: "Surface pressure difference" + alternative_names: + - "spdiff" + 200135: + name: "Vertical velocity (pressure) difference" + alternative_names: + - "wdiff" + 200136: + name: "Total column water difference" + alternative_names: + - "tcwdiff" + 200137: + name: "Total column water vapour difference" + alternative_names: + - "tcwvdiff" + 200138: + name: "Vorticity (relative) difference" + alternative_names: + - "vodiff" + 200139: + name: "Soil temperature level 1 difference" + alternative_names: + - "stl1diff" + 200140: + name: "Soil wetness level 1 difference" + alternative_names: + - "swl1diff" + 200141: + name: "Snow depth difference" + alternative_names: + - "sddiff" + 200142: + name: "Stratiform precipitation (large-scale precipitation) difference" + alternative_names: + - "lspdiff" + 200143: + name: "Convective precipitation difference" + alternative_names: + - "cpdiff" + 200144: + name: "Snowfall (convective + stratiform) difference" + alternative_names: + - "sfdiff" + 200145: + name: "Boundary layer dissipation difference" + alternative_names: + - "blddiff" + 200146: + name: "Surface sensible heat flux difference" + alternative_names: + - "sshfdiff" + 200147: + name: "Surface latent heat flux difference" + alternative_names: + - "slhfdiff" + 200148: + name: "Charnock difference" + alternative_names: + - "chnkdiff" + 200149: + name: "Surface net radiation difference" + alternative_names: + - "snrdiff" + 200150: + name: "Top net radiation difference" + alternative_names: + - "tnrdiff" + 200151: + name: "Mean sea level pressure difference" + alternative_names: + - "msldiff" + 200152: + name: "Logarithm of surface pressure difference" + alternative_names: + - "lnspdiff" + 200153: + name: "Short-wave heating rate difference" + alternative_names: + - "swhrdiff" + 200154: + name: "Long-wave heating rate difference" + alternative_names: + - "lwhrdiff" + 200155: + name: "Divergence difference" + alternative_names: + - "ddiff" + 200156: + name: "Height difference" + alternative_names: + - "ghdiff" + 200157: + name: "Relative humidity difference" + alternative_names: + - "rdiff" + 200158: + name: "Tendency of surface pressure difference" + alternative_names: + - "tspdiff" + 200159: + name: "Boundary layer height difference" + alternative_names: + - "blhdiff" + 200160: + name: "Standard deviation of orography difference" + alternative_names: + - "sdordiff" + 200161: + name: "Anisotropy of sub-gridscale orography difference" + alternative_names: + - "isordiff" + 200162: + name: "Angle of sub-gridscale orography difference" + alternative_names: + - "anordiff" + 200163: + name: "Slope of sub-gridscale orography difference" + alternative_names: + - "slordiff" + 200164: + name: "Total cloud cover difference" + alternative_names: + - "tccdiff" + 200165: + name: "10 metre u wind component difference" + alternative_names: + - "10udiff" + 200166: + name: "10 metre v wind component difference" + alternative_names: + - "10vdiff" + 200167: + name: "2 metre temperature difference" + alternative_names: + - "2tdiff" + 200168: + name: "2 metre dewpoint temperature difference" + alternative_names: + - "2ddiff" + 200169: + name: "Surface solar radiation downwards difference" + alternative_names: + - "ssrddiff" + 200170: + name: "Soil temperature level 2 difference" + alternative_names: + - "stl2diff" + 200171: + name: "Soil wetness level 2 difference" + alternative_names: + - "swl2diff" + 200172: + name: "Land-sea mask difference" + alternative_names: + - "lsmdiff" + 200173: + name: "Surface roughness difference" + alternative_names: + - "srdiff" + 200174: + name: "Albedo difference" + alternative_names: + - "aldiff" + 200175: + name: "Surface thermal radiation downwards difference" + alternative_names: + - "strddiff" + 200176: + name: "Surface net solar radiation difference" + alternative_names: + - "ssrdiff" + 200177: + name: "Surface net thermal radiation difference" + alternative_names: + - "strdiff" + 200178: + name: "Top net solar radiation difference" + alternative_names: + - "tsrdiff" + 200179: + name: "Top net thermal radiation difference" + alternative_names: + - "ttrdiff" + 200180: + name: "East-west surface stress difference" + alternative_names: + - "ewssdiff" + 200181: + name: "North-south surface stress difference" + alternative_names: + - "nsssdiff" + 200182: + name: "Evaporation difference" + alternative_names: + - "ediff" + 200183: + name: "Soil temperature level 3 difference" + alternative_names: + - "stl3diff" + 200184: + name: "Soil wetness level 3 difference" + alternative_names: + - "swl3diff" + 200185: + name: "Convective cloud cover difference" + alternative_names: + - "cccdiff" + 200186: + name: "Low cloud cover difference" + alternative_names: + - "lccdiff" + 200187: + name: "Medium cloud cover difference" + alternative_names: + - "mccdiff" + 200188: + name: "High cloud cover difference" + alternative_names: + - "hccdiff" + 200189: + name: "Sunshine duration difference" + alternative_names: + - "sunddiff" + 200190: + name: "East-west component of sub-gridscale orographic variance difference" + alternative_names: + - "ewovdiff" + 200191: + name: "North-south component of sub-gridscale orographic variance difference" + alternative_names: + - "nsovdiff" + 200192: + name: "North-west/south-east component of sub-gridscale orographic variance difference" + alternative_names: + - "nwovdiff" + 200193: + name: "North-east/south-west component of sub-gridscale orographic variance difference" + alternative_names: + - "neovdiff" + 200194: + name: "Brightness temperature difference" + alternative_names: + - "btmpdiff" + 200195: + name: "Longitudinal component of gravity wave stress difference" + alternative_names: + - "lgwsdiff" + 200196: + name: "Meridional component of gravity wave stress difference" + alternative_names: + - "mgwsdiff" + 200197: + name: "Gravity wave dissipation difference" + alternative_names: + - "gwddiff" + 200198: + name: "Skin reservoir content difference" + alternative_names: + - "srcdiff" + 200199: + name: "Vegetation fraction difference" + alternative_names: + - "vegdiff" + 200200: + name: "Variance of sub-gridscale orography difference" + alternative_names: + - "vsodiff" + 200201: + name: "Maximum temperature at 2 metres since previous post-processing difference" + alternative_names: + - "mx2tdiff" + 200202: + name: "Minimum temperature at 2 metres since previous post-processing difference" + alternative_names: + - "mn2tdiff" + 200203: + name: "Ozone mass mixing ratio difference" + alternative_names: + - "o3diff" + 200204: + name: "Precipitation analysis weights difference" + alternative_names: + - "pawdiff" + 200205: + name: "Runoff difference" + alternative_names: + - "rodiff" + 200206: + name: "Total column ozone difference" + alternative_names: + - "tco3diff" + 200207: + name: "10 metre wind speed difference" + alternative_names: + - "10sidiff" + 200208: + name: "Top net solar radiation, clear sky difference" + alternative_names: + - "tsrcdiff" + 200209: + name: "Top net thermal radiation, clear sky difference" + alternative_names: + - "ttrcdiff" + 200210: + name: "Surface net solar radiation, clear sky difference" + alternative_names: + - "ssrcdiff" + 200211: + name: "Surface net thermal radiation, clear sky difference" + alternative_names: + - "strcdiff" + 200212: + name: "Toa incident solar radiation difference" + alternative_names: + - "tisrdiff" + 200214: + name: "Diabatic heating by radiation difference" + alternative_names: + - "dhrdiff" + 200215: + name: "Diabatic heating by vertical diffusion difference" + alternative_names: + - "dhvddiff" + 200216: + name: "Diabatic heating by cumulus convection difference" + alternative_names: + - "dhccdiff" + 200217: + name: "Diabatic heating large-scale condensation difference" + alternative_names: + - "dhlcdiff" + 200218: + name: "Vertical diffusion of zonal wind difference" + alternative_names: + - "vdzwdiff" + 200219: + name: "Vertical diffusion of meridional wind difference" + alternative_names: + - "vdmwdiff" + 200220: + name: "East-west gravity wave drag tendency difference" + alternative_names: + - "ewgddiff" + 200221: + name: "North-south gravity wave drag tendency difference" + alternative_names: + - "nsgddiff" + 200222: + name: "Convective tendency of zonal wind difference" + alternative_names: + - "ctzwdiff" + 200223: + name: "Convective tendency of meridional wind difference" + alternative_names: + - "ctmwdiff" + 200224: + name: "Vertical diffusion of humidity difference" + alternative_names: + - "vdhdiff" + 200225: + name: "Humidity tendency by cumulus convection difference" + alternative_names: + - "htccdiff" + 200226: + name: "Humidity tendency by large-scale condensation difference" + alternative_names: + - "htlcdiff" + 200227: + name: "Change from removal of negative humidity difference" + alternative_names: + - "crnhdiff" + 200228: + name: "Total precipitation difference" + alternative_names: + - "tpdiff" + 200229: + name: "Instantaneous x surface stress difference" + alternative_names: + - "iewsdiff" + 200230: + name: "Instantaneous y surface stress difference" + alternative_names: + - "inssdiff" + 200231: + name: "Instantaneous surface heat flux difference" + alternative_names: + - "ishfdiff" + 200232: + name: "Instantaneous moisture flux difference" + alternative_names: + - "iediff" + 200233: + name: "Apparent surface humidity difference" + alternative_names: + - "asqdiff" + 200234: + name: "Logarithm of surface roughness length for heat difference" + alternative_names: + - "lsrhdiff" + 200235: + name: "Skin temperature difference" + alternative_names: + - "sktdiff" + 200236: + name: "Soil temperature level 4 difference" + alternative_names: + - "stl4diff" + 200237: + name: "Soil wetness level 4 difference" + alternative_names: + - "swl4diff" + 200238: + name: "Temperature of snow layer difference" + alternative_names: + - "tsndiff" + 200239: + name: "Convective snowfall difference" + alternative_names: + - "csfdiff" + 200240: + name: "Large scale snowfall difference" + alternative_names: + - "lsfdiff" + 200241: + name: "Accumulated cloud fraction tendency difference" + alternative_names: + - "acfdiff" + 200242: + name: "Accumulated liquid water tendency difference" + alternative_names: + - "alwdiff" + 200243: + name: "Forecast albedo difference" + alternative_names: + - "faldiff" + 200244: + name: "Forecast surface roughness difference" + alternative_names: + - "fsrdiff" + 200245: + name: "Forecast logarithm of surface roughness for heat difference" + alternative_names: + - "flsrdiff" + 200246: + name: "Specific cloud liquid water content difference" + alternative_names: + - "clwcdiff" + 200247: + name: "Specific cloud ice water content difference" + alternative_names: + - "ciwcdiff" + 200248: + name: "Cloud cover difference" + alternative_names: + - "ccdiff" + 200249: + name: "Accumulated ice water tendency difference" + alternative_names: + - "aiwdiff" + 200250: + name: "Ice age difference" + alternative_names: + - "icediff" + 200251: + name: "Adiabatic tendency of temperature difference" + alternative_names: + - "attediff" + 200252: + name: "Adiabatic tendency of humidity difference" + alternative_names: + - "athediff" + 200253: + name: "Adiabatic tendency of zonal wind difference" + alternative_names: + - "atzediff" + 200254: + name: "Adiabatic tendency of meridional wind difference" + alternative_names: + - "atmwdiff" + 200255: + name: "Indicates a missing value" + alternative_names: + - "_param_200255" + 201001: + name: "Downward shortwave radiant flux density" + alternative_names: + - "_param_201001" + 201002: + name: "Upward shortwave radiant flux density" + alternative_names: + - "_param_201002" + 201003: + name: "Downward longwave radiant flux density" + alternative_names: + - "_param_201003" + 201004: + name: "Upward longwave radiant flux density" + alternative_names: + - "_param_201004" + 201005: + name: "Downwd photosynthetic active radiant flux density" + alternative_names: + - "apab_s" + 201006: + name: "Net shortwave flux" + alternative_names: + - "_param_201006" + 201007: + name: "Net longwave flux" + alternative_names: + - "_param_201007" + 201008: + name: "Total net radiative flux density" + alternative_names: + - "_param_201008" + 201009: + name: "Downw shortw radiant flux density, cloudfree part" + alternative_names: + - "_param_201009" + 201010: + name: "Upw shortw radiant flux density, cloudy part" + alternative_names: + - "_param_201010" + 201011: + name: "Downw longw radiant flux density, cloudfree part" + alternative_names: + - "_param_201011" + 201012: + name: "Upw longw radiant flux density, cloudy part" + alternative_names: + - "_param_201012" + 201013: + name: "Shortwave radiative heating rate" + alternative_names: + - "sohr_rad" + 201014: + name: "Longwave radiative heating rate" + alternative_names: + - "thhr_rad" + 201015: + name: "Total radiative heating rate" + alternative_names: + - "_param_201015" + 201016: + name: "Soil heat flux, surface" + alternative_names: + - "_param_201016" + 201017: + name: "Soil heat flux, bottom of layer" + alternative_names: + - "_param_201017" + 201029: + name: "Fractional cloud cover" + alternative_names: + - "clc" + 201030: + name: "Cloud cover, grid scale" + alternative_names: + - "_param_201030" + 201031: + name: "Specific cloud water content" + alternative_names: + - "qc" + 201032: + name: "Cloud water content, grid scale, vert integrated" + alternative_names: + - "_param_201032" + 201033: + name: "Specific cloud ice content, grid scale" + alternative_names: + - "qi" + 201034: + name: "Cloud ice content, grid scale, vert integrated" + alternative_names: + - "_param_201034" + 201035: + name: "Specific rainwater content, grid scale" + alternative_names: + - "_param_201035" + 201036: + name: "Specific snow content, grid scale" + alternative_names: + - "_param_201036" + 201037: + name: "Specific rainwater content, gs, vert. integrated" + alternative_names: + - "_param_201037" + 201038: + name: "Specific snow content, gs, vert. integrated" + alternative_names: + - "_param_201038" + 201041: + name: "Total column water" + alternative_names: + - "twater" + 201042: + name: "Vert. integral of divergence of tot. water content" + alternative_names: + - "_param_201042" + 201050: + name: "Cloud covers ch_cm_cl (000...888)" + alternative_names: + - "ch_cm_cl" + 201051: + name: "Cloud cover ch (0..8)" + alternative_names: + - "_param_201051" + 201052: + name: "Cloud cover cm (0..8)" + alternative_names: + - "_param_201052" + 201053: + name: "Cloud cover cl (0..8)" + alternative_names: + - "_param_201053" + 201054: + name: "Total cloud cover (0..8)" + alternative_names: + - "_param_201054" + 201055: + name: "Fog (0..8)" + alternative_names: + - "_param_201055" + 201056: + name: "Fog" + alternative_names: + - "_param_201056" + 201060: + name: "Cloud cover, convective cirrus" + alternative_names: + - "_param_201060" + 201061: + name: "Specific cloud water content, convective clouds" + alternative_names: + - "_param_201061" + 201062: + name: "Cloud water content, conv clouds, vert integrated" + alternative_names: + - "_param_201062" + 201063: + name: "Specific cloud ice content, convective clouds" + alternative_names: + - "_param_201063" + 201064: + name: "Cloud ice content, conv clouds, vert integrated" + alternative_names: + - "_param_201064" + 201065: + name: "Convective mass flux" + alternative_names: + - "_param_201065" + 201066: + name: "Updraft velocity, convection" + alternative_names: + - "_param_201066" + 201067: + name: "Entrainment parameter, convection" + alternative_names: + - "_param_201067" + 201068: + name: "Cloud base, convective clouds (above msl)" + alternative_names: + - "hbas_con" + 201069: + name: "Cloud top, convective clouds (above msl)" + alternative_names: + - "htop_con" + 201070: + name: "Convective layers (00...77) (bke)" + alternative_names: + - "_param_201070" + 201071: + name: "Ko-index" + alternative_names: + - "_param_201071" + 201072: + name: "Convection base index" + alternative_names: + - "bas_con" + 201073: + name: "Convection top index" + alternative_names: + - "top_con" + 201074: + name: "Convective temperature tendency" + alternative_names: + - "dt_con" + 201075: + name: "Convective tendency of specific humidity" + alternative_names: + - "dqv_con" + 201076: + name: "Convective tendency of total heat" + alternative_names: + - "_param_201076" + 201077: + name: "Convective tendency of total water" + alternative_names: + - "_param_201077" + 201078: + name: "Convective momentum tendency (x-component)" + alternative_names: + - "du_con" + 201079: + name: "Convective momentum tendency (y-component)" + alternative_names: + - "dv_con" + 201080: + name: "Convective vorticity tendency" + alternative_names: + - "_param_201080" + 201081: + name: "Convective divergence tendency" + alternative_names: + - "_param_201081" + 201082: + name: "Top of dry convection (above msl)" + alternative_names: + - "htop_dc" + 201083: + name: "Dry convection top index" + alternative_names: + - "_param_201083" + 201084: + name: "Height of 0 degree celsius isotherm above msl" + alternative_names: + - "hzerocl" + 201085: + name: "Height of snow-fall limit" + alternative_names: + - "snowlmt" + 201099: + name: "Spec. content of precip. particles" + alternative_names: + - "qrs_gsp" + 201100: + name: "Surface precipitation rate, rain, grid scale" + alternative_names: + - "prr_gsp" + 201101: + name: "Surface precipitation rate, snow, grid scale" + alternative_names: + - "prs_gsp" + 201102: + name: "Surface precipitation amount, rain, grid scale" + alternative_names: + - "rain_gsp" + 201111: + name: "Surface precipitation rate, rain, convective" + alternative_names: + - "prr_con" + 201112: + name: "Surface precipitation rate, snow, convective" + alternative_names: + - "prs_con" + 201113: + name: "Surface precipitation amount, rain, convective" + alternative_names: + - "rain_con" + 201139: + name: "Deviation of pressure from reference value" + alternative_names: + - "pp" + 201150: + name: "Coefficient of horizontal diffusion" + alternative_names: + - "_param_201150" + 201187: + name: "Maximum wind velocity" + alternative_names: + - "vmax_10m" + 201200: + name: "Water content of interception store" + alternative_names: + - "w_i" + 201203: + name: "Snow temperature" + alternative_names: + - "t_snow" + 201215: + name: "Ice surface temperature" + alternative_names: + - "t_ice" + 201241: + name: "Convective available potential energy" + alternative_names: + - "cape_con" + 201255: + name: "Indicates a missing value" + alternative_names: + - "_param_201255" + 210001: + name: "Sea salt aerosol (0.03 - 0.5 um) mixing ratio" + alternative_names: + - "aermr01" + 210002: + name: "Sea salt aerosol (0.5 - 5 um) mixing ratio" + alternative_names: + - "aermr02" + 210003: + name: "Sea salt aerosol (5 - 20 um) mixing ratio" + alternative_names: + - "aermr03" + 210004: + name: "Dust aerosol (0.03 - 0.55 um) mixing ratio" + alternative_names: + - "aermr04" + 210005: + name: "Dust aerosol (0.55 - 0.9 um) mixing ratio" + alternative_names: + - "aermr05" + 210006: + name: "Dust aerosol (0.9 - 20 um) mixing ratio" + alternative_names: + - "aermr06" + 210007: + name: "Hydrophilic organic matter aerosol mixing ratio" + alternative_names: + - "aermr07" + 210008: + name: "Hydrophobic organic matter aerosol mixing ratio" + alternative_names: + - "aermr08" + 210009: + name: "Hydrophilic black carbon aerosol mixing ratio" + alternative_names: + - "aermr09" + 210010: + name: "Hydrophobic black carbon aerosol mixing ratio" + alternative_names: + - "aermr10" + 210011: + name: "Sulphate aerosol mixing ratio" + alternative_names: + - "aermr11" + 210012: + name: "So2 precursor mixing ratio" + alternative_names: + - "aermr12" + 210013: + name: "Volcanic ash aerosol mixing ratio" + alternative_names: + - "aermr13" + 210014: + name: "Volcanic sulphate aerosol mixing ratio" + alternative_names: + - "aermr14" + 210015: + name: "Volcanic so2 precursor mixing ratio" + alternative_names: + - "aermr15" + 210016: + name: "Aerosol type 1 source/gain accumulated" + alternative_names: + - "aergn01" + 210017: + name: "Aerosol type 2 source/gain accumulated" + alternative_names: + - "aergn02" + 210018: + name: "Aerosol type 3 source/gain accumulated" + alternative_names: + - "aergn03" + 210019: + name: "Aerosol type 4 source/gain accumulated" + alternative_names: + - "aergn04" + 210020: + name: "Aerosol type 5 source/gain accumulated" + alternative_names: + - "aergn05" + 210021: + name: "Aerosol type 6 source/gain accumulated" + alternative_names: + - "aergn06" + 210022: + name: "Aerosol type 7 source/gain accumulated" + alternative_names: + - "aergn07" + 210023: + name: "Aerosol type 8 source/gain accumulated" + alternative_names: + - "aergn08" + 210024: + name: "Aerosol type 9 source/gain accumulated" + alternative_names: + - "aergn09" + 210025: + name: "Aerosol type 10 source/gain accumulated" + alternative_names: + - "aergn10" + 210026: + name: "Aerosol type 11 source/gain accumulated" + alternative_names: + - "aergn11" + 210027: + name: "Aerosol type 12 source/gain accumulated" + alternative_names: + - "aergn12" + 210028: + name: "So4 aerosol precursor mass mixing ratio" + alternative_names: + - "aerpr03" + 210029: + name: "Water vapour mixing ratio for hydrophilic aerosols in mode 1" + alternative_names: + - "aerwv01" + 210030: + name: "Water vapour mixing ratio for hydrophilic aerosols in mode 2" + alternative_names: + - "aerwv02" + 210031: + name: "Aerosol type 1 sink/loss accumulated" + alternative_names: + - "aerls01" + 210032: + name: "Aerosol type 2 sink/loss accumulated" + alternative_names: + - "aerls02" + 210033: + name: "Aerosol type 3 sink/loss accumulated" + alternative_names: + - "aerls03" + 210034: + name: "Aerosol type 4 sink/loss accumulated" + alternative_names: + - "aerls04" + 210035: + name: "Aerosol type 5 sink/loss accumulated" + alternative_names: + - "aerls05" + 210036: + name: "Aerosol type 6 sink/loss accumulated" + alternative_names: + - "aerls06" + 210037: + name: "Aerosol type 7 sink/loss accumulated" + alternative_names: + - "aerls07" + 210038: + name: "Aerosol type 8 sink/loss accumulated" + alternative_names: + - "aerls08" + 210039: + name: "Aerosol type 9 sink/loss accumulated" + alternative_names: + - "aerls09" + 210040: + name: "Aerosol type 10 sink/loss accumulated" + alternative_names: + - "aerls10" + 210041: + name: "Aerosol type 11 sink/loss accumulated" + alternative_names: + - "aerls11" + 210042: + name: "Aerosol type 12 sink/loss accumulated" + alternative_names: + - "aerls12" + 210043: + name: "Dms surface emission" + alternative_names: + - "emdms" + 210044: + name: "Water vapour mixing ratio for hydrophilic aerosols in mode 3" + alternative_names: + - "aerwv03" + 210045: + name: "Water vapour mixing ratio for hydrophilic aerosols in mode 4" + alternative_names: + - "aerwv04" + 210046: + name: "Aerosol precursor mixing ratio" + alternative_names: + - "aerpr" + 210047: + name: "Aerosol small mode mixing ratio" + alternative_names: + - "aersm" + 210048: + name: "Aerosol large mode mixing ratio" + alternative_names: + - "aerlg" + 210049: + name: "Aerosol precursor optical depth" + alternative_names: + - "aodpr" + 210050: + name: "Aerosol small mode optical depth" + alternative_names: + - "aodsm" + 210051: + name: "Aerosol large mode optical depth" + alternative_names: + - "aodlg" + 210052: + name: "Dust emission potential" + alternative_names: + - "aerdep" + 210053: + name: "Lifting threshold speed" + alternative_names: + - "aerlts" + 210054: + name: "Soil clay content" + alternative_names: + - "aerscc" + 210055: + name: "Experimental product" + alternative_names: + - "_param_210055" + 210056: + name: "Experimental product" + alternative_names: + - "_param_210056" + 210057: + name: "Mixing ration of organic carbon aerosol, nucleation mode" + alternative_names: + - "ocnuc" + 210058: + name: "Monoterpene precursor mixing ratio" + alternative_names: + - "monot" + 210059: + name: "Secondary organic precursor mixing ratio" + alternative_names: + - "soapr" + 210060: + name: "Injection height (from is4fires)" + alternative_names: + - "injh" + 210061: + name: "Carbon dioxide mass mixing ratio" + alternative_names: + - "co2" + 210062: + name: "Methane" + alternative_names: + - "ch4" + 210063: + name: "Nitrous oxide" + alternative_names: + - "n2o" + 210064: + name: "Co2 column-mean molar fraction" + alternative_names: + - "tcco2" + 210065: + name: "Ch4 column-mean molar fraction" + alternative_names: + - "tcch4" + 210066: + name: "Total column nitrous oxide" + alternative_names: + - "tcn2o" + 210067: + name: "Ocean flux of carbon dioxide" + alternative_names: + - "co2of" + 210068: + name: "Natural biosphere flux of carbon dioxide" + alternative_names: + - "co2nbf" + 210069: + name: "Anthropogenic emissions of carbon dioxide" + alternative_names: + - "co2apf" + 210070: + name: "Methane surface fluxes" + alternative_names: + - "ch4f" + 210071: + name: "Methane loss rate due to radical hydroxyl (oh)" + alternative_names: + - "kch4" + 210072: + name: "Particulate matter d <= 1 um" + alternative_names: + - "pm1" + 210073: + name: "Particulate matter d <= 2.5 um" + alternative_names: + - "pm2p5" + 210074: + name: "Particulate matter d <= 10 um" + alternative_names: + - "pm10" + 210079: + name: "Wildfire viewing angle of observation" + alternative_names: + - "vafire" + 210080: + name: "Wildfire flux of carbon dioxide" + alternative_names: + - "co2fire" + 210081: + name: "Wildfire flux of carbon monoxide" + alternative_names: + - "cofire" + 210082: + name: "Wildfire flux of methane" + alternative_names: + - "ch4fire" + 210083: + name: "Wildfire flux of non-methane hydro-carbons" + alternative_names: + - "nmhcfire" + 210084: + name: "Wildfire flux of hydrogen" + alternative_names: + - "h2fire" + 210085: + name: "Wildfire flux of nitrogen oxides nox" + alternative_names: + - "noxfire" + 210086: + name: "Wildfire flux of nitrous oxide" + alternative_names: + - "n2ofire" + 210087: + name: "Wildfire flux of particulate matter pm2.5" + alternative_names: + - "pm2p5fire" + 210088: + name: "Wildfire flux of total particulate matter" + alternative_names: + - "tpmfire" + 210089: + name: "Wildfire flux of total carbon in aerosols" + alternative_names: + - "tcfire" + 210090: + name: "Wildfire flux of organic carbon" + alternative_names: + - "ocfire" + 210091: + name: "Wildfire flux of black carbon" + alternative_names: + - "bcfire" + 210092: + name: "Wildfire overall flux of burnt carbon" + alternative_names: + - "cfire" + 210093: + name: "Wildfire fraction of c4 plants" + alternative_names: + - "c4ffire" + 210094: + name: "Wildfire vegetation map index" + alternative_names: + - "vegfire" + 210095: + name: "Wildfire combustion completeness" + alternative_names: + - "ccfire" + 210096: + name: "Wildfire fuel load: carbon per unit area" + alternative_names: + - "flfire" + 210097: + name: "Wildfire fraction of area observed" + alternative_names: + - "offire" + 210098: + name: "Number of positive frp pixels per grid cell" + alternative_names: + - "nofrp" + 210099: + name: "Wildfire radiative power" + alternative_names: + - "frpfire" + 210100: + name: "Wildfire combustion rate" + alternative_names: + - "crfire" + 210101: + name: "Wildfire radiative power maximum" + alternative_names: + - "maxfrpfire" + 210102: + name: "Wildfire flux of sulfur dioxide" + alternative_names: + - "so2fire" + 210103: + name: "Wildfire flux of methanol (ch3oh)" + alternative_names: + - "ch3ohfire" + 210104: + name: "Wildfire flux of ethanol (c2h5oh)" + alternative_names: + - "c2h5ohfire" + 210105: + name: "Wildfire flux of propane (c3h8)" + alternative_names: + - "c3h8fire" + 210106: + name: "Wildfire flux of ethene (c2h4)" + alternative_names: + - "c2h4fire" + 210107: + name: "Wildfire flux of propene (c3h6)" + alternative_names: + - "c3h6fire" + 210108: + name: "Wildfire flux of isoprene (c5h8)" + alternative_names: + - "c5h8fire" + 210109: + name: "Wildfire flux of terpenes (c5h8)n" + alternative_names: + - "terpenesfire" + 210110: + name: "Wildfire flux of toluene_lump (c7h8+ c6h6 + c8h10)" + alternative_names: + - "toluenefire" + 210111: + name: "Wildfire flux of higher alkenes (cnh2n, c>=4)" + alternative_names: + - "hialkenesfire" + 210112: + name: "Wildfire flux of higher alkanes (cnh2n+2, c>=4)" + alternative_names: + - "hialkanesfire" + 210113: + name: "Wildfire flux of formaldehyde (ch2o)" + alternative_names: + - "ch2ofire" + 210114: + name: "Wildfire flux of acetaldehyde (c2h4o)" + alternative_names: + - "c2h4ofire" + 210115: + name: "Wildfire flux of acetone (c3h6o)" + alternative_names: + - "c3h6ofire" + 210116: + name: "Wildfire flux of ammonia (nh3)" + alternative_names: + - "nh3fire" + 210117: + name: "Wildfire flux of dimethyl sulfide (dms) (c2h6s)" + alternative_names: + - "c2h6sfire" + 210118: + name: "Wildfire flux of ethane (c2h6)" + alternative_names: + - "c2h6fire" + 210119: + name: "Mean height of maximum injection" + alternative_names: + - "mami" + 210120: + name: "Plume top height above surface" + alternative_names: + - "apt" + 210121: + name: "Nitrogen dioxide mass mixing ratio" + alternative_names: + - "no2" + 210122: + name: "Sulphur dioxide mass mixing ratio" + alternative_names: + - "so2" + 210123: + name: "Carbon monoxide mass mixing ratio" + alternative_names: + - "co" + 210124: + name: "Formaldehyde" + alternative_names: + - "hcho" + 210125: + name: "Total column nitrogen dioxide" + alternative_names: + - "tcno2" + 210126: + name: "Total column sulphur dioxide" + alternative_names: + - "tcso2" + 210127: + name: "Total column carbon monoxide" + alternative_names: + - "tcco" + 210128: + name: "Total column formaldehyde" + alternative_names: + - "tchcho" + 210129: + name: "Nitrogen oxides" + alternative_names: + - "nox" + 210130: + name: "Total column nitrogen oxides" + alternative_names: + - "tcnox" + 210131: + name: "Reactive tracer 1 mass mixing ratio" + alternative_names: + - "grg1" + 210132: + name: "Total column grg tracer 1" + alternative_names: + - "tcgrg1" + 210133: + name: "Reactive tracer 2 mass mixing ratio" + alternative_names: + - "grg2" + 210134: + name: "Total column grg tracer 2" + alternative_names: + - "tcgrg2" + 210135: + name: "Reactive tracer 3 mass mixing ratio" + alternative_names: + - "grg3" + 210136: + name: "Total column grg tracer 3" + alternative_names: + - "tcgrg3" + 210137: + name: "Reactive tracer 4 mass mixing ratio" + alternative_names: + - "grg4" + 210138: + name: "Total column grg tracer 4" + alternative_names: + - "tcgrg4" + 210139: + name: "Reactive tracer 5 mass mixing ratio" + alternative_names: + - "grg5" + 210140: + name: "Total column grg tracer 5" + alternative_names: + - "tcgrg5" + 210141: + name: "Reactive tracer 6 mass mixing ratio" + alternative_names: + - "grg6" + 210142: + name: "Total column grg tracer 6" + alternative_names: + - "tcgrg6" + 210143: + name: "Reactive tracer 7 mass mixing ratio" + alternative_names: + - "grg7" + 210144: + name: "Total column grg tracer 7" + alternative_names: + - "tcgrg7" + 210145: + name: "Reactive tracer 8 mass mixing ratio" + alternative_names: + - "grg8" + 210146: + name: "Total column grg tracer 8" + alternative_names: + - "tcgrg8" + 210147: + name: "Reactive tracer 9 mass mixing ratio" + alternative_names: + - "grg9" + 210148: + name: "Total column grg tracer 9" + alternative_names: + - "tcgrg9" + 210149: + name: "Reactive tracer 10 mass mixing ratio" + alternative_names: + - "grg10" + 210150: + name: "Total column grg tracer 10" + alternative_names: + - "tcgrg10" + 210151: + name: "Surface flux nitrogen oxides" + alternative_names: + - "sfnox" + 210152: + name: "Surface flux nitrogen dioxide" + alternative_names: + - "sfno2" + 210153: + name: "Surface flux sulphur dioxide" + alternative_names: + - "sfso2" + 210154: + name: "Surface flux carbon monoxide" + alternative_names: + - "sfco2" + 210155: + name: "Surface flux formaldehyde" + alternative_names: + - "sfhcho" + 210156: + name: "Surface flux gems ozone" + alternative_names: + - "sfgo3" + 210157: + name: "Surface flux reactive tracer 1" + alternative_names: + - "sfgr1" + 210158: + name: "Surface flux reactive tracer 2" + alternative_names: + - "sfgr2" + 210159: + name: "Surface flux reactive tracer 3" + alternative_names: + - "sfgr3" + 210160: + name: "Surface flux reactive tracer 4" + alternative_names: + - "sfgr4" + 210161: + name: "Surface flux reactive tracer 5" + alternative_names: + - "sfgr5" + 210162: + name: "Surface flux reactive tracer 6" + alternative_names: + - "sfgr6" + 210163: + name: "Surface flux reactive tracer 7" + alternative_names: + - "sfgr7" + 210164: + name: "Surface flux reactive tracer 8" + alternative_names: + - "sfgr8" + 210165: + name: "Surface flux reactive tracer 9" + alternative_names: + - "sfgr9" + 210166: + name: "Surface flux reactive tracer 10" + alternative_names: + - "sfgr10" + 210167: + name: "Wildfire day-time radiative power" + alternative_names: + - "frpdayfire" + 210169: + name: "Wildfire night-time radiative power" + alternative_names: + - "frpngtfire" + 210170: + name: "Volcanic sulfur dioxide mass mixing ratio" + alternative_names: + - "vso2" + 210177: + name: "Wildfire day-time inverse variance of radiative power" + alternative_names: + - "frpdayivar" + 210179: + name: "Wildfire night-time inverse variance of radiative power" + alternative_names: + - "frpngtivar" + 210181: + name: "Radon" + alternative_names: + - "ra" + 210182: + name: "Sulphur hexafluoride" + alternative_names: + - "sf6" + 210183: + name: "Total column radon" + alternative_names: + - "tcra" + 210184: + name: "Total column sulphur hexafluoride" + alternative_names: + - "tcsf6" + 210185: + name: "Anthropogenic emissions of sulphur hexafluoride" + alternative_names: + - "sf6apf" + 210186: + name: "Uv visible albedo for direct radiation, isotropic component (climatological)" + alternative_names: + - "aluvpi" + 210187: + name: "Uv visible albedo for direct radiation, volumetric component (climatological)" + alternative_names: + - "aluvpv" + 210188: + name: "Uv visible albedo for direct radiation, geometric component (climatological)" + alternative_names: + - "aluvpg" + 210189: + name: "Near ir albedo for direct radiation, isotropic component (climatological)" + alternative_names: + - "alnipi" + 210190: + name: "Near ir albedo for direct radiation, volumetric component (climatological)" + alternative_names: + - "alnipv" + 210191: + name: "Near ir albedo for direct radiation, geometric component (climatological)" + alternative_names: + - "alnipg" + 210192: + name: "Uv visible albedo for diffuse radiation, isotropic component (climatological)" + alternative_names: + - "aluvdi" + 210193: + name: "Uv visible albedo for diffuse radiation, volumetric component (climatological)" + alternative_names: + - "aluvdv" + 210194: + name: "Uv visible albedo for diffuse radiation, geometric component (climatological)" + alternative_names: + - "aluvdg" + 210195: + name: "Near ir albedo for diffuse radiation, isotropic component (climatological)" + alternative_names: + - "alnidi" + 210196: + name: "Near ir albedo for diffuse radiation, volumetric component (climatological)" + alternative_names: + - "alnidv" + 210197: + name: "Near ir albedo for diffuse radiation, geometric component (climatological)" + alternative_names: + - "alnidg" + 210198: + name: "Uv visible albedo for diffuse radiation (climatological)" + alternative_names: + - "aluvd_p" + 210199: + name: "Uv visible albedo for direct radiation (climatological)" + alternative_names: + - "aluvp_p" + 210200: + name: "Uv visible albedo for direct radiation, geometric component (climatological)" + alternative_names: + - "aluvpg_p" + 210201: + name: "Uv visible albedo for direct radiation, isotropic component (climatological)" + alternative_names: + - "aluvpi_p" + 210202: + name: "Uv visible albedo for direct radiation, volumetric component (climatological)" + alternative_names: + - "aluvpv_p" + 210203: + name: "Ozone mass mixing ratio (full chemistry scheme)" + alternative_names: + - "go3" + 210206: + name: "Gems total column ozone" + alternative_names: + - "gtco3" + 210207: + name: "Total aerosol optical depth at 550nm" + alternative_names: + - "aod550" + 210208: + name: "Sea salt aerosol optical depth at 550nm" + alternative_names: + - "ssaod550" + 210209: + name: "Dust aerosol optical depth at 550nm" + alternative_names: + - "duaod550" + 210210: + name: "Organic matter aerosol optical depth at 550nm" + alternative_names: + - "omaod550" + 210211: + name: "Black carbon aerosol optical depth at 550nm" + alternative_names: + - "bcaod550" + 210212: + name: "Sulphate aerosol optical depth at 550nm" + alternative_names: + - "suaod550" + 210213: + name: "Total aerosol optical depth at 469nm" + alternative_names: + - "aod469" + 210214: + name: "Total aerosol optical depth at 670nm" + alternative_names: + - "aod670" + 210215: + name: "Total aerosol optical depth at 865nm" + alternative_names: + - "aod865" + 210216: + name: "Total aerosol optical depth at 1240nm" + alternative_names: + - "aod1240" + 210217: + name: "Total aerosol optical depth at 340 nm" + alternative_names: + - "aod340" + 210218: + name: "Total aerosol optical depth at 355 nm" + alternative_names: + - "aod355" + 210219: + name: "Total aerosol optical depth at 380 nm" + alternative_names: + - "aod380" + 210220: + name: "Total aerosol optical depth at 400 nm" + alternative_names: + - "aod400" + 210221: + name: "Total aerosol optical depth at 440 nm" + alternative_names: + - "aod440" + 210222: + name: "Total aerosol optical depth at 500 nm" + alternative_names: + - "aod500" + 210223: + name: "Total aerosol optical depth at 532 nm" + alternative_names: + - "aod532" + 210224: + name: "Total aerosol optical depth at 645 nm" + alternative_names: + - "aod645" + 210225: + name: "Total aerosol optical depth at 800 nm" + alternative_names: + - "aod800" + 210226: + name: "Total aerosol optical depth at 858 nm" + alternative_names: + - "aod858" + 210227: + name: "Total aerosol optical depth at 1020 nm" + alternative_names: + - "aod1020" + 210228: + name: "Total aerosol optical depth at 1064 nm" + alternative_names: + - "aod1064" + 210229: + name: "Total aerosol optical depth at 1640 nm" + alternative_names: + - "aod1640" + 210230: + name: "Total aerosol optical depth at 2130 nm" + alternative_names: + - "aod2130" + 210231: + name: "Wildfire flux of toluene (c7h8)" + alternative_names: + - "c7h8fire" + 210232: + name: "Wildfire flux of benzene (c6h6)" + alternative_names: + - "c6h6fire" + 210233: + name: "Wildfire flux of xylene (c8h10)" + alternative_names: + - "c8h10fire" + 210234: + name: "Wildfire flux of butenes (c4h8)" + alternative_names: + - "c4h8fire" + 210235: + name: "Wildfire flux of pentenes (c5h10)" + alternative_names: + - "c5h10fire" + 210236: + name: "Wildfire flux of hexene (c6h12)" + alternative_names: + - "c6h12fire" + 210237: + name: "Wildfire flux of octene (c8h16)" + alternative_names: + - "c8h16fire" + 210238: + name: "Wildfire flux of butanes (c4h10)" + alternative_names: + - "c4h10fire" + 210239: + name: "Wildfire flux of pentanes (c5h12)" + alternative_names: + - "c5h12fire" + 210240: + name: "Wildfire flux of hexanes (c6h14)" + alternative_names: + - "c6h14fire" + 210241: + name: "Wildfire flux of heptane (c7h16)" + alternative_names: + - "c7h16fire" + 210242: + name: "Plume bottom height above surface" + alternative_names: + - "apb" + 210243: + name: "Volcanic sulphate aerosol optical depth at 550 nm" + alternative_names: + - "vsuaod550" + 210244: + name: "Volcanic ash optical depth at 550 nm" + alternative_names: + - "vashaod550" + 210245: + name: "Profile of total aerosol dry extinction coefficient" + alternative_names: + - "taedec550" + 210246: + name: "Profile of total aerosol dry absorption coefficient" + alternative_names: + - "taedab550" + 210247: + name: "Nitrate fine mode aerosol mass mixing ratio" + alternative_names: + - "aermr16" + 210248: + name: "Nitrate coarse mode aerosol mass mixing ratio" + alternative_names: + - "aermr17" + 210249: + name: "Ammonium aerosol mass mixing ratio" + alternative_names: + - "aermr18" + 210250: + name: "Nitrate aerosol optical depth at 550 nm" + alternative_names: + - "niaod550" + 210251: + name: "Ammonium aerosol optical depth at 550 nm" + alternative_names: + - "amaod550" + 210252: + name: "Biogenic secondary organic aerosol mass mixing ratio" + alternative_names: + - "aermr19" + 210253: + name: "Anthropogenic secondary organic aerosol mass mixing ratio" + alternative_names: + - "aermr20" + 210260: + name: "Near ir albedo for diffuse radiation (climatological)" + alternative_names: + - "alnid_p" + 210261: + name: "Near ir albedo for direct radiation (climatological)" + alternative_names: + - "alnip_p" + 210262: + name: "Near ir albedo for direct radiation, geometric component (climatological)" + alternative_names: + - "alnipg_p" + 210263: + name: "Near ir albedo for direct radiation, isotropic component (climatological)" + alternative_names: + - "alnipi_p" + 210264: + name: "Near ir albedo for direct radiation, volumetric component (climatological)" + alternative_names: + - "alnipv_p" + 211001: + name: "Sea salt aerosol (0.03 - 0.5 um) mixing ratio" + alternative_names: + - "aermr01diff" + 211002: + name: "Sea salt aerosol (0.5 - 5 um) mixing ratio" + alternative_names: + - "aermr02diff" + 211003: + name: "Sea salt aerosol (5 - 20 um) mixing ratio" + alternative_names: + - "aermr03diff" + 211004: + name: "Dust aerosol (0.03 - 0.55 um) mixing ratio" + alternative_names: + - "aermr04diff" + 211005: + name: "Dust aerosol (0.55 - 0.9 um) mixing ratio" + alternative_names: + - "aermr05diff" + 211006: + name: "Dust aerosol (0.9 - 20 um) mixing ratio" + alternative_names: + - "aermr06diff" + 211007: + name: "Hydrophilic organic matter aerosol mixing ratio" + alternative_names: + - "aermr07diff" + 211008: + name: "Hydrophobic organic matter aerosol mixing ratio" + alternative_names: + - "aermr08diff" + 211009: + name: "Hydrophilic black carbon aerosol mixing ratio" + alternative_names: + - "aermr09diff" + 211010: + name: "Hydrophobic black carbon aerosol mixing ratio" + alternative_names: + - "aermr10diff" + 211011: + name: "Sulphate aerosol mixing ratio" + alternative_names: + - "aermr11diff" + 211012: + name: "Aerosol type 12 mixing ratio" + alternative_names: + - "aermr12diff" + 211013: + name: "Aerosol type 13 mass mixing ratio" + alternative_names: + - "aermr13diff" + 211014: + name: "Aerosol type 14 mass mixing ratio" + alternative_names: + - "aermr14diff" + 211015: + name: "Aerosol type 15 mass mixing ratio" + alternative_names: + - "aermr15diff" + 211016: + name: "Aerosol type 1 source/gain accumulated" + alternative_names: + - "aergn01diff" + 211017: + name: "Aerosol type 2 source/gain accumulated" + alternative_names: + - "aergn02diff" + 211018: + name: "Aerosol type 3 source/gain accumulated" + alternative_names: + - "aergn03diff" + 211019: + name: "Aerosol type 4 source/gain accumulated" + alternative_names: + - "aergn04diff" + 211020: + name: "Aerosol type 5 source/gain accumulated" + alternative_names: + - "aergn05diff" + 211021: + name: "Aerosol type 6 source/gain accumulated" + alternative_names: + - "aergn06diff" + 211022: + name: "Aerosol type 7 source/gain accumulated" + alternative_names: + - "aergn07diff" + 211023: + name: "Aerosol type 8 source/gain accumulated" + alternative_names: + - "aergn08diff" + 211024: + name: "Aerosol type 9 source/gain accumulated" + alternative_names: + - "aergn09diff" + 211025: + name: "Aerosol type 10 source/gain accumulated" + alternative_names: + - "aergn10diff" + 211026: + name: "Aerosol type 11 source/gain accumulated" + alternative_names: + - "aergn11diff" + 211027: + name: "Aerosol type 12 source/gain accumulated" + alternative_names: + - "aergn12diff" + 211028: + name: "So4 aerosol precursor mass mixing ratio" + alternative_names: + - "aerpr03diff" + 211029: + name: "Water vapour mixing ratio for hydrophilic aerosols in mode 1" + alternative_names: + - "aerwv01diff" + 211030: + name: "Water vapour mixing ratio for hydrophilic aerosols in mode 2" + alternative_names: + - "aerwv02diff" + 211031: + name: "Aerosol type 1 sink/loss accumulated" + alternative_names: + - "aerls01diff" + 211032: + name: "Aerosol type 2 sink/loss accumulated" + alternative_names: + - "aerls02diff" + 211033: + name: "Aerosol type 3 sink/loss accumulated" + alternative_names: + - "aerls03diff" + 211034: + name: "Aerosol type 4 sink/loss accumulated" + alternative_names: + - "aerls04diff" + 211035: + name: "Aerosol type 5 sink/loss accumulated" + alternative_names: + - "aerls05diff" + 211036: + name: "Aerosol type 6 sink/loss accumulated" + alternative_names: + - "aerls06diff" + 211037: + name: "Aerosol type 7 sink/loss accumulated" + alternative_names: + - "aerls07diff" + 211038: + name: "Aerosol type 8 sink/loss accumulated" + alternative_names: + - "aerls08diff" + 211039: + name: "Aerosol type 9 sink/loss accumulated" + alternative_names: + - "aerls09diff" + 211040: + name: "Aerosol type 10 sink/loss accumulated" + alternative_names: + - "aerls10diff" + 211041: + name: "Aerosol type 11 sink/loss accumulated" + alternative_names: + - "aerls11diff" + 211042: + name: "Aerosol type 12 sink/loss accumulated" + alternative_names: + - "aerls12diff" + 211043: + name: "Dms surface emission" + alternative_names: + - "emdmsdiff" + 211044: + name: "Water vapour mixing ratio for hydrophilic aerosols in mode 3" + alternative_names: + - "aerwv03diff" + 211045: + name: "Water vapour mixing ratio for hydrophilic aerosols in mode 4" + alternative_names: + - "aerwv04diff" + 211046: + name: "Aerosol precursor mixing ratio" + alternative_names: + - "aerprdiff" + 211047: + name: "Aerosol small mode mixing ratio" + alternative_names: + - "aersmdiff" + 211048: + name: "Aerosol large mode mixing ratio" + alternative_names: + - "aerlgdiff" + 211049: + name: "Aerosol precursor optical depth" + alternative_names: + - "aodprdiff" + 211050: + name: "Aerosol small mode optical depth" + alternative_names: + - "aodsmdiff" + 211051: + name: "Aerosol large mode optical depth" + alternative_names: + - "aodlgdiff" + 211052: + name: "Dust emission potential" + alternative_names: + - "aerdepdiff" + 211053: + name: "Lifting threshold speed" + alternative_names: + - "aerltsdiff" + 211054: + name: "Soil clay content" + alternative_names: + - "aersccdiff" + 211055: + name: "Experimental product" + alternative_names: + - "_param_211055" + 211056: + name: "Experimental product" + alternative_names: + - "_param_211056" + 211061: + name: "Carbon dioxide" + alternative_names: + - "co2diff" + 211062: + name: "Methane" + alternative_names: + - "ch4diff" + 211063: + name: "Nitrous oxide" + alternative_names: + - "n2odiff" + 211064: + name: "Total column carbon dioxide" + alternative_names: + - "tcco2diff" + 211065: + name: "Total column methane" + alternative_names: + - "tcch4diff" + 211066: + name: "Total column nitrous oxide" + alternative_names: + - "tcn2odiff" + 211067: + name: "Ocean flux of carbon dioxide" + alternative_names: + - "co2ofdiff" + 211068: + name: "Natural biosphere flux of carbon dioxide" + alternative_names: + - "co2nbfdiff" + 211069: + name: "Anthropogenic emissions of carbon dioxide" + alternative_names: + - "co2apfdiff" + 211070: + name: "Methane surface fluxes" + alternative_names: + - "ch4fdiff" + 211071: + name: "Methane loss rate due to radical hydroxyl (oh)" + alternative_names: + - "kch4diff" + 211080: + name: "Wildfire flux of carbon dioxide" + alternative_names: + - "co2firediff" + 211081: + name: "Wildfire flux of carbon monoxide" + alternative_names: + - "cofirediff" + 211082: + name: "Wildfire flux of methane" + alternative_names: + - "ch4firediff" + 211083: + name: "Wildfire flux of non-methane hydro-carbons" + alternative_names: + - "nmhcfirediff" + 211084: + name: "Wildfire flux of hydrogen" + alternative_names: + - "h2firediff" + 211085: + name: "Wildfire flux of nitrogen oxides nox" + alternative_names: + - "noxfirediff" + 211086: + name: "Wildfire flux of nitrous oxide" + alternative_names: + - "n2ofirediff" + 211087: + name: "Wildfire flux of particulate matter pm2.5" + alternative_names: + - "pm2p5firediff" + 211088: + name: "Wildfire flux of total particulate matter" + alternative_names: + - "tpmfirediff" + 211089: + name: "Wildfire flux of total carbon in aerosols" + alternative_names: + - "tcfirediff" + 211090: + name: "Wildfire flux of organic carbon" + alternative_names: + - "ocfirediff" + 211091: + name: "Wildfire flux of black carbon" + alternative_names: + - "bcfirediff" + 211092: + name: "Wildfire overall flux of burnt carbon" + alternative_names: + - "cfirediff" + 211093: + name: "Wildfire fraction of c4 plants" + alternative_names: + - "c4ffirediff" + 211094: + name: "Wildfire vegetation map index" + alternative_names: + - "vegfirediff" + 211095: + name: "Wildfire combustion completeness" + alternative_names: + - "ccfirediff" + 211096: + name: "Wildfire fuel load: carbon per unit area" + alternative_names: + - "flfirediff" + 211097: + name: "Wildfire fraction of area observed" + alternative_names: + - "offirediff" + 211098: + name: "Wildfire observed area" + alternative_names: + - "oafirediff" + 211099: + name: "Wildfire radiative power" + alternative_names: + - "frpfirediff" + 211100: + name: "Wildfire combustion rate" + alternative_names: + - "crfirediff" + 211101: + name: "Wildfire radiative power maximum" + alternative_names: + - "maxfrpfirediff" + 211102: + name: "Wildfire flux of sulfur dioxide" + alternative_names: + - "so2firediff" + 211103: + name: "Wildfire flux of methanol (ch3oh)" + alternative_names: + - "ch3ohfirediff" + 211104: + name: "Wildfire flux of ethanol (c2h5oh)" + alternative_names: + - "c2h5ohfirediff" + 211105: + name: "Wildfire flux of propane (c3h8)" + alternative_names: + - "c3h8firediff" + 211106: + name: "Wildfire flux of ethene (c2h4)" + alternative_names: + - "c2h4firediff" + 211107: + name: "Wildfire flux of propene (c3h6)" + alternative_names: + - "c3h6firediff" + 211108: + name: "Wildfire flux of isoprene (c5h8)" + alternative_names: + - "c5h8firediff" + 211109: + name: "Wildfire flux of terpenes (c5h8)n" + alternative_names: + - "terpenesfirediff" + 211110: + name: "Wildfire flux of toluene_lump (c7h8+ c6h6 + c8h10)" + alternative_names: + - "toluenefirediff" + 211111: + name: "Wildfire flux of higher alkenes (cnh2n, c>=4)" + alternative_names: + - "hialkenesfirediff" + 211112: + name: "Wildfire flux of higher alkanes (cnh2n+2, c>=4)" + alternative_names: + - "hialkanesfirediff" + 211113: + name: "Wildfire flux of formaldehyde (ch2o)" + alternative_names: + - "ch2ofirediff" + 211114: + name: "Wildfire flux of acetaldehyde (c2h4o)" + alternative_names: + - "c2h4ofirediff" + 211115: + name: "Wildfire flux of acetone (c3h6o)" + alternative_names: + - "c3h6ofirediff" + 211116: + name: "Wildfire flux of ammonia (nh3)" + alternative_names: + - "nh3firediff" + 211117: + name: "Wildfire flux of dimethyl sulfide (dms) (c2h6s)" + alternative_names: + - "c2h6sfirediff" + 211118: + name: "Wildfire flux of ethane (c2h6)" + alternative_names: + - "c2h6firediff" + 211119: + name: "Altitude of emitter" + alternative_names: + - "alediff" + 211120: + name: "Altitude of plume top" + alternative_names: + - "aptdiff" + 211121: + name: "Nitrogen dioxide mass mixing ratio difference" + alternative_names: + - "no2diff" + 211122: + name: "Sulphur dioxide mass mixing ratio difference" + alternative_names: + - "so2diff" + 211123: + name: "Carbon monoxide mass mixing ratio difference" + alternative_names: + - "codiff" + 211124: + name: "Formaldehyde" + alternative_names: + - "hchodiff" + 211125: + name: "Total column nitrogen dioxide" + alternative_names: + - "tcno2diff" + 211126: + name: "Total column sulphur dioxide" + alternative_names: + - "tcso2diff" + 211127: + name: "Total column carbon monoxide" + alternative_names: + - "tccodiff" + 211128: + name: "Total column formaldehyde" + alternative_names: + - "tchchodiff" + 211129: + name: "Nitrogen oxides" + alternative_names: + - "noxdiff" + 211130: + name: "Total column nitrogen oxides" + alternative_names: + - "tcnoxdiff" + 211131: + name: "Reactive tracer 1 mass mixing ratio" + alternative_names: + - "grg1diff" + 211132: + name: "Total column grg tracer 1" + alternative_names: + - "tcgrg1diff" + 211133: + name: "Reactive tracer 2 mass mixing ratio" + alternative_names: + - "grg2diff" + 211134: + name: "Total column grg tracer 2" + alternative_names: + - "tcgrg2diff" + 211135: + name: "Reactive tracer 3 mass mixing ratio" + alternative_names: + - "grg3diff" + 211136: + name: "Total column grg tracer 3" + alternative_names: + - "tcgrg3diff" + 211137: + name: "Reactive tracer 4 mass mixing ratio" + alternative_names: + - "grg4diff" + 211138: + name: "Total column grg tracer 4" + alternative_names: + - "tcgrg4diff" + 211139: + name: "Reactive tracer 5 mass mixing ratio" + alternative_names: + - "grg5diff" + 211140: + name: "Total column grg tracer 5" + alternative_names: + - "tcgrg5diff" + 211141: + name: "Reactive tracer 6 mass mixing ratio" + alternative_names: + - "grg6diff" + 211142: + name: "Total column grg tracer 6" + alternative_names: + - "tcgrg6diff" + 211143: + name: "Reactive tracer 7 mass mixing ratio" + alternative_names: + - "grg7diff" + 211144: + name: "Total column grg tracer 7" + alternative_names: + - "tcgrg7diff" + 211145: + name: "Reactive tracer 8 mass mixing ratio" + alternative_names: + - "grg8diff" + 211146: + name: "Total column grg tracer 8" + alternative_names: + - "tcgrg8diff" + 211147: + name: "Reactive tracer 9 mass mixing ratio" + alternative_names: + - "grg9diff" + 211148: + name: "Total column grg tracer 9" + alternative_names: + - "tcgrg9diff" + 211149: + name: "Reactive tracer 10 mass mixing ratio" + alternative_names: + - "grg10diff" + 211150: + name: "Total column grg tracer 10" + alternative_names: + - "tcgrg10diff" + 211151: + name: "Surface flux nitrogen oxides" + alternative_names: + - "sfnoxdiff" + 211152: + name: "Surface flux nitrogen dioxide" + alternative_names: + - "sfno2diff" + 211153: + name: "Surface flux sulphur dioxide" + alternative_names: + - "sfso2diff" + 211154: + name: "Surface flux carbon monoxide" + alternative_names: + - "sfco2diff" + 211155: + name: "Surface flux formaldehyde" + alternative_names: + - "sfhchodiff" + 211156: + name: "Surface flux gems ozone" + alternative_names: + - "sfgo3diff" + 211157: + name: "Surface flux reactive tracer 1" + alternative_names: + - "sfgr1diff" + 211158: + name: "Surface flux reactive tracer 2" + alternative_names: + - "sfgr2diff" + 211159: + name: "Surface flux reactive tracer 3" + alternative_names: + - "sfgr3diff" + 211160: + name: "Surface flux reactive tracer 4" + alternative_names: + - "sfgr4diff" + 211161: + name: "Surface flux reactive tracer 5" + alternative_names: + - "sfgr5diff" + 211162: + name: "Surface flux reactive tracer 6" + alternative_names: + - "sfgr6diff" + 211163: + name: "Surface flux reactive tracer 7" + alternative_names: + - "sfgr7diff" + 211164: + name: "Surface flux reactive tracer 8" + alternative_names: + - "sfgr8diff" + 211165: + name: "Surface flux reactive tracer 9" + alternative_names: + - "sfgr9diff" + 211166: + name: "Surface flux reactive tracer 10" + alternative_names: + - "sfgr10diff" + 211170: + name: "Volcanic sulfur dioxide mass mixing ratio increment" + alternative_names: + - "vso2diff" + 211181: + name: "Radon" + alternative_names: + - "radiff" + 211182: + name: "Sulphur hexafluoride" + alternative_names: + - "sf6diff" + 211183: + name: "Total column radon" + alternative_names: + - "tcradiff" + 211184: + name: "Total column sulphur hexafluoride" + alternative_names: + - "tcsf6diff" + 211185: + name: "Anthropogenic emissions of sulphur hexafluoride" + alternative_names: + - "sf6apfdiff" + 211203: + name: "Ozone mass mixing ratio difference (full chemistry scheme)" + alternative_names: + - "go3diff" + 211206: + name: "Gems total column ozone" + alternative_names: + - "gtco3diff" + 211207: + name: "Total aerosol optical depth at 550nm" + alternative_names: + - "aod550diff" + 211208: + name: "Sea salt aerosol optical depth at 550nm" + alternative_names: + - "ssaod550diff" + 211209: + name: "Dust aerosol optical depth at 550nm" + alternative_names: + - "duaod550diff" + 211210: + name: "Organic matter aerosol optical depth at 550nm" + alternative_names: + - "omaod550diff" + 211211: + name: "Black carbon aerosol optical depth at 550nm" + alternative_names: + - "bcaod550diff" + 211212: + name: "Sulphate aerosol optical depth at 550nm" + alternative_names: + - "suaod550diff" + 211213: + name: "Total aerosol optical depth at 469nm" + alternative_names: + - "aod469diff" + 211214: + name: "Total aerosol optical depth at 670nm" + alternative_names: + - "aod670diff" + 211215: + name: "Total aerosol optical depth at 865nm" + alternative_names: + - "aod865diff" + 211216: + name: "Total aerosol optical depth at 1240nm" + alternative_names: + - "aod1240diff" + 211247: + name: "Nitrate fine mode aerosol mass mixing ratio" + alternative_names: + - "aermr16diff" + 211248: + name: "Nitrate coarse mode aerosol mass mixing ratio" + alternative_names: + - "aermr17diff" + 211249: + name: "Ammonium aerosol mass mixing ratio" + alternative_names: + - "aermr18diff" + 211252: + name: "Biogenic secondary organic aerosol mass mixing ratio increment" + alternative_names: + - "aermr19diff" + 211253: + name: "Anthropogenic secondary organic aerosol mass mixing ratio increment" + alternative_names: + - "aermr20diff" + 212001: + name: "Experimental product" + alternative_names: + - "_param_212001" + 212002: + name: "Experimental product" + alternative_names: + - "_param_212002" + 212003: + name: "Experimental product" + alternative_names: + - "_param_212003" + 212004: + name: "Experimental product" + alternative_names: + - "_param_212004" + 212005: + name: "Experimental product" + alternative_names: + - "_param_212005" + 212006: + name: "Experimental product" + alternative_names: + - "_param_212006" + 212007: + name: "Experimental product" + alternative_names: + - "_param_212007" + 212008: + name: "Experimental product" + alternative_names: + - "_param_212008" + 212009: + name: "Experimental product" + alternative_names: + - "_param_212009" + 212010: + name: "Experimental product" + alternative_names: + - "_param_212010" + 212011: + name: "Experimental product" + alternative_names: + - "_param_212011" + 212012: + name: "Experimental product" + alternative_names: + - "_param_212012" + 212013: + name: "Experimental product" + alternative_names: + - "_param_212013" + 212014: + name: "Experimental product" + alternative_names: + - "_param_212014" + 212015: + name: "Experimental product" + alternative_names: + - "_param_212015" + 212016: + name: "Experimental product" + alternative_names: + - "_param_212016" + 212017: + name: "Experimental product" + alternative_names: + - "_param_212017" + 212018: + name: "Experimental product" + alternative_names: + - "_param_212018" + 212019: + name: "Experimental product" + alternative_names: + - "_param_212019" + 212020: + name: "Experimental product" + alternative_names: + - "_param_212020" + 212021: + name: "Experimental product" + alternative_names: + - "_param_212021" + 212022: + name: "Experimental product" + alternative_names: + - "_param_212022" + 212023: + name: "Experimental product" + alternative_names: + - "_param_212023" + 212024: + name: "Experimental product" + alternative_names: + - "_param_212024" + 212025: + name: "Experimental product" + alternative_names: + - "_param_212025" + 212026: + name: "Experimental product" + alternative_names: + - "_param_212026" + 212027: + name: "Experimental product" + alternative_names: + - "_param_212027" + 212028: + name: "Experimental product" + alternative_names: + - "_param_212028" + 212029: + name: "Experimental product" + alternative_names: + - "_param_212029" + 212030: + name: "Experimental product" + alternative_names: + - "_param_212030" + 212031: + name: "Experimental product" + alternative_names: + - "_param_212031" + 212032: + name: "Experimental product" + alternative_names: + - "_param_212032" + 212033: + name: "Experimental product" + alternative_names: + - "_param_212033" + 212034: + name: "Experimental product" + alternative_names: + - "_param_212034" + 212035: + name: "Experimental product" + alternative_names: + - "_param_212035" + 212036: + name: "Experimental product" + alternative_names: + - "_param_212036" + 212037: + name: "Experimental product" + alternative_names: + - "_param_212037" + 212038: + name: "Experimental product" + alternative_names: + - "_param_212038" + 212039: + name: "Experimental product" + alternative_names: + - "_param_212039" + 212040: + name: "Experimental product" + alternative_names: + - "_param_212040" + 212041: + name: "Experimental product" + alternative_names: + - "_param_212041" + 212042: + name: "Experimental product" + alternative_names: + - "_param_212042" + 212043: + name: "Experimental product" + alternative_names: + - "_param_212043" + 212044: + name: "Experimental product" + alternative_names: + - "_param_212044" + 212045: + name: "Experimental product" + alternative_names: + - "_param_212045" + 212046: + name: "Experimental product" + alternative_names: + - "_param_212046" + 212047: + name: "Experimental product" + alternative_names: + - "_param_212047" + 212048: + name: "Experimental product" + alternative_names: + - "_param_212048" + 212049: + name: "Experimental product" + alternative_names: + - "_param_212049" + 212050: + name: "Experimental product" + alternative_names: + - "_param_212050" + 212051: + name: "Experimental product" + alternative_names: + - "_param_212051" + 212052: + name: "Experimental product" + alternative_names: + - "_param_212052" + 212053: + name: "Experimental product" + alternative_names: + - "_param_212053" + 212054: + name: "Experimental product" + alternative_names: + - "_param_212054" + 212055: + name: "Experimental product" + alternative_names: + - "_param_212055" + 212056: + name: "Experimental product" + alternative_names: + - "_param_212056" + 212057: + name: "Experimental product" + alternative_names: + - "_param_212057" + 212058: + name: "Experimental product" + alternative_names: + - "_param_212058" + 212059: + name: "Experimental product" + alternative_names: + - "_param_212059" + 212060: + name: "Experimental product" + alternative_names: + - "_param_212060" + 212061: + name: "Experimental product" + alternative_names: + - "_param_212061" + 212062: + name: "Experimental product" + alternative_names: + - "_param_212062" + 212063: + name: "Experimental product" + alternative_names: + - "_param_212063" + 212064: + name: "Experimental product" + alternative_names: + - "_param_212064" + 212065: + name: "Experimental product" + alternative_names: + - "_param_212065" + 212066: + name: "Experimental product" + alternative_names: + - "_param_212066" + 212067: + name: "Experimental product" + alternative_names: + - "_param_212067" + 212068: + name: "Experimental product" + alternative_names: + - "_param_212068" + 212069: + name: "Experimental product" + alternative_names: + - "_param_212069" + 212070: + name: "Experimental product" + alternative_names: + - "_param_212070" + 212071: + name: "Experimental product" + alternative_names: + - "_param_212071" + 212072: + name: "Experimental product" + alternative_names: + - "_param_212072" + 212073: + name: "Experimental product" + alternative_names: + - "_param_212073" + 212074: + name: "Experimental product" + alternative_names: + - "_param_212074" + 212075: + name: "Experimental product" + alternative_names: + - "_param_212075" + 212076: + name: "Experimental product" + alternative_names: + - "_param_212076" + 212077: + name: "Experimental product" + alternative_names: + - "_param_212077" + 212078: + name: "Experimental product" + alternative_names: + - "_param_212078" + 212079: + name: "Experimental product" + alternative_names: + - "_param_212079" + 212080: + name: "Experimental product" + alternative_names: + - "_param_212080" + 212081: + name: "Experimental product" + alternative_names: + - "_param_212081" + 212082: + name: "Experimental product" + alternative_names: + - "_param_212082" + 212083: + name: "Experimental product" + alternative_names: + - "_param_212083" + 212084: + name: "Experimental product" + alternative_names: + - "_param_212084" + 212085: + name: "Experimental product" + alternative_names: + - "_param_212085" + 212086: + name: "Experimental product" + alternative_names: + - "_param_212086" + 212087: + name: "Experimental product" + alternative_names: + - "_param_212087" + 212088: + name: "Experimental product" + alternative_names: + - "_param_212088" + 212089: + name: "Experimental product" + alternative_names: + - "_param_212089" + 212090: + name: "Experimental product" + alternative_names: + - "_param_212090" + 212091: + name: "Experimental product" + alternative_names: + - "_param_212091" + 212092: + name: "Experimental product" + alternative_names: + - "_param_212092" + 212093: + name: "Experimental product" + alternative_names: + - "_param_212093" + 212094: + name: "Experimental product" + alternative_names: + - "_param_212094" + 212095: + name: "Experimental product" + alternative_names: + - "_param_212095" + 212096: + name: "Experimental product" + alternative_names: + - "_param_212096" + 212097: + name: "Experimental product" + alternative_names: + - "_param_212097" + 212098: + name: "Experimental product" + alternative_names: + - "_param_212098" + 212099: + name: "Experimental product" + alternative_names: + - "_param_212099" + 212100: + name: "Experimental product" + alternative_names: + - "_param_212100" + 212101: + name: "Experimental product" + alternative_names: + - "_param_212101" + 212102: + name: "Experimental product" + alternative_names: + - "_param_212102" + 212103: + name: "Experimental product" + alternative_names: + - "_param_212103" + 212104: + name: "Experimental product" + alternative_names: + - "_param_212104" + 212105: + name: "Experimental product" + alternative_names: + - "_param_212105" + 212106: + name: "Experimental product" + alternative_names: + - "_param_212106" + 212107: + name: "Experimental product" + alternative_names: + - "_param_212107" + 212108: + name: "Experimental product" + alternative_names: + - "_param_212108" + 212109: + name: "Experimental product" + alternative_names: + - "_param_212109" + 212110: + name: "Experimental product" + alternative_names: + - "_param_212110" + 212111: + name: "Experimental product" + alternative_names: + - "_param_212111" + 212112: + name: "Experimental product" + alternative_names: + - "_param_212112" + 212113: + name: "Experimental product" + alternative_names: + - "_param_212113" + 212114: + name: "Experimental product" + alternative_names: + - "_param_212114" + 212115: + name: "Experimental product" + alternative_names: + - "_param_212115" + 212116: + name: "Experimental product" + alternative_names: + - "_param_212116" + 212117: + name: "Experimental product" + alternative_names: + - "_param_212117" + 212118: + name: "Experimental product" + alternative_names: + - "_param_212118" + 212119: + name: "Experimental product" + alternative_names: + - "_param_212119" + 212120: + name: "Experimental product" + alternative_names: + - "_param_212120" + 212121: + name: "Experimental product" + alternative_names: + - "_param_212121" + 212122: + name: "Experimental product" + alternative_names: + - "_param_212122" + 212123: + name: "Experimental product" + alternative_names: + - "_param_212123" + 212124: + name: "Experimental product" + alternative_names: + - "_param_212124" + 212125: + name: "Experimental product" + alternative_names: + - "_param_212125" + 212126: + name: "Experimental product" + alternative_names: + - "_param_212126" + 212127: + name: "Experimental product" + alternative_names: + - "_param_212127" + 212128: + name: "Experimental product" + alternative_names: + - "_param_212128" + 212129: + name: "Experimental product" + alternative_names: + - "_param_212129" + 212130: + name: "Experimental product" + alternative_names: + - "_param_212130" + 212131: + name: "Experimental product" + alternative_names: + - "_param_212131" + 212132: + name: "Experimental product" + alternative_names: + - "_param_212132" + 212133: + name: "Experimental product" + alternative_names: + - "_param_212133" + 212134: + name: "Experimental product" + alternative_names: + - "_param_212134" + 212135: + name: "Experimental product" + alternative_names: + - "_param_212135" + 212136: + name: "Experimental product" + alternative_names: + - "_param_212136" + 212137: + name: "Experimental product" + alternative_names: + - "_param_212137" + 212138: + name: "Experimental product" + alternative_names: + - "_param_212138" + 212139: + name: "Experimental product" + alternative_names: + - "_param_212139" + 212140: + name: "Experimental product" + alternative_names: + - "_param_212140" + 212141: + name: "Experimental product" + alternative_names: + - "_param_212141" + 212142: + name: "Experimental product" + alternative_names: + - "_param_212142" + 212143: + name: "Experimental product" + alternative_names: + - "_param_212143" + 212144: + name: "Experimental product" + alternative_names: + - "_param_212144" + 212145: + name: "Experimental product" + alternative_names: + - "_param_212145" + 212146: + name: "Experimental product" + alternative_names: + - "_param_212146" + 212147: + name: "Experimental product" + alternative_names: + - "_param_212147" + 212148: + name: "Experimental product" + alternative_names: + - "_param_212148" + 212149: + name: "Experimental product" + alternative_names: + - "_param_212149" + 212150: + name: "Experimental product" + alternative_names: + - "_param_212150" + 212151: + name: "Experimental product" + alternative_names: + - "_param_212151" + 212152: + name: "Experimental product" + alternative_names: + - "_param_212152" + 212153: + name: "Experimental product" + alternative_names: + - "_param_212153" + 212154: + name: "Experimental product" + alternative_names: + - "_param_212154" + 212155: + name: "Experimental product" + alternative_names: + - "_param_212155" + 212156: + name: "Experimental product" + alternative_names: + - "_param_212156" + 212157: + name: "Experimental product" + alternative_names: + - "_param_212157" + 212158: + name: "Experimental product" + alternative_names: + - "_param_212158" + 212159: + name: "Experimental product" + alternative_names: + - "_param_212159" + 212160: + name: "Experimental product" + alternative_names: + - "_param_212160" + 212161: + name: "Experimental product" + alternative_names: + - "_param_212161" + 212162: + name: "Experimental product" + alternative_names: + - "_param_212162" + 212163: + name: "Experimental product" + alternative_names: + - "_param_212163" + 212164: + name: "Experimental product" + alternative_names: + - "_param_212164" + 212165: + name: "Experimental product" + alternative_names: + - "_param_212165" + 212166: + name: "Experimental product" + alternative_names: + - "_param_212166" + 212167: + name: "Experimental product" + alternative_names: + - "_param_212167" + 212168: + name: "Experimental product" + alternative_names: + - "_param_212168" + 212169: + name: "Experimental product" + alternative_names: + - "_param_212169" + 212170: + name: "Experimental product" + alternative_names: + - "_param_212170" + 212171: + name: "Experimental product" + alternative_names: + - "_param_212171" + 212172: + name: "Experimental product" + alternative_names: + - "_param_212172" + 212173: + name: "Experimental product" + alternative_names: + - "_param_212173" + 212174: + name: "Experimental product" + alternative_names: + - "_param_212174" + 212175: + name: "Experimental product" + alternative_names: + - "_param_212175" + 212176: + name: "Experimental product" + alternative_names: + - "_param_212176" + 212177: + name: "Experimental product" + alternative_names: + - "_param_212177" + 212178: + name: "Experimental product" + alternative_names: + - "_param_212178" + 212179: + name: "Experimental product" + alternative_names: + - "_param_212179" + 212180: + name: "Experimental product" + alternative_names: + - "_param_212180" + 212181: + name: "Experimental product" + alternative_names: + - "_param_212181" + 212182: + name: "Experimental product" + alternative_names: + - "_param_212182" + 212183: + name: "Experimental product" + alternative_names: + - "_param_212183" + 212184: + name: "Experimental product" + alternative_names: + - "_param_212184" + 212185: + name: "Experimental product" + alternative_names: + - "_param_212185" + 212186: + name: "Experimental product" + alternative_names: + - "_param_212186" + 212187: + name: "Experimental product" + alternative_names: + - "_param_212187" + 212188: + name: "Experimental product" + alternative_names: + - "_param_212188" + 212189: + name: "Experimental product" + alternative_names: + - "_param_212189" + 212190: + name: "Experimental product" + alternative_names: + - "_param_212190" + 212191: + name: "Experimental product" + alternative_names: + - "_param_212191" + 212192: + name: "Experimental product" + alternative_names: + - "_param_212192" + 212193: + name: "Experimental product" + alternative_names: + - "_param_212193" + 212194: + name: "Experimental product" + alternative_names: + - "_param_212194" + 212195: + name: "Experimental product" + alternative_names: + - "_param_212195" + 212196: + name: "Experimental product" + alternative_names: + - "_param_212196" + 212197: + name: "Experimental product" + alternative_names: + - "_param_212197" + 212198: + name: "Experimental product" + alternative_names: + - "_param_212198" + 212199: + name: "Experimental product" + alternative_names: + - "_param_212199" + 212200: + name: "Experimental product" + alternative_names: + - "_param_212200" + 212201: + name: "Experimental product" + alternative_names: + - "_param_212201" + 212202: + name: "Experimental product" + alternative_names: + - "_param_212202" + 212203: + name: "Experimental product" + alternative_names: + - "_param_212203" + 212204: + name: "Experimental product" + alternative_names: + - "_param_212204" + 212205: + name: "Experimental product" + alternative_names: + - "_param_212205" + 212206: + name: "Experimental product" + alternative_names: + - "_param_212206" + 212207: + name: "Experimental product" + alternative_names: + - "_param_212207" + 212208: + name: "Experimental product" + alternative_names: + - "_param_212208" + 212209: + name: "Experimental product" + alternative_names: + - "_param_212209" + 212210: + name: "Experimental product" + alternative_names: + - "_param_212210" + 212211: + name: "Experimental product" + alternative_names: + - "_param_212211" + 212212: + name: "Experimental product" + alternative_names: + - "_param_212212" + 212213: + name: "Experimental product" + alternative_names: + - "_param_212213" + 212214: + name: "Experimental product" + alternative_names: + - "_param_212214" + 212215: + name: "Experimental product" + alternative_names: + - "_param_212215" + 212216: + name: "Experimental product" + alternative_names: + - "_param_212216" + 212217: + name: "Experimental product" + alternative_names: + - "_param_212217" + 212218: + name: "Experimental product" + alternative_names: + - "_param_212218" + 212219: + name: "Experimental product" + alternative_names: + - "_param_212219" + 212220: + name: "Experimental product" + alternative_names: + - "_param_212220" + 212221: + name: "Experimental product" + alternative_names: + - "_param_212221" + 212222: + name: "Experimental product" + alternative_names: + - "_param_212222" + 212223: + name: "Experimental product" + alternative_names: + - "_param_212223" + 212224: + name: "Experimental product" + alternative_names: + - "_param_212224" + 212225: + name: "Experimental product" + alternative_names: + - "_param_212225" + 212226: + name: "Experimental product" + alternative_names: + - "_param_212226" + 212227: + name: "Experimental product" + alternative_names: + - "_param_212227" + 212228: + name: "Experimental product" + alternative_names: + - "_param_212228" + 212229: + name: "Experimental product" + alternative_names: + - "_param_212229" + 212230: + name: "Experimental product" + alternative_names: + - "_param_212230" + 212231: + name: "Experimental product" + alternative_names: + - "_param_212231" + 212232: + name: "Experimental product" + alternative_names: + - "_param_212232" + 212233: + name: "Experimental product" + alternative_names: + - "_param_212233" + 212234: + name: "Experimental product" + alternative_names: + - "_param_212234" + 212235: + name: "Experimental product" + alternative_names: + - "_param_212235" + 212236: + name: "Experimental product" + alternative_names: + - "_param_212236" + 212237: + name: "Experimental product" + alternative_names: + - "_param_212237" + 212238: + name: "Experimental product" + alternative_names: + - "_param_212238" + 212239: + name: "Experimental product" + alternative_names: + - "_param_212239" + 212240: + name: "Experimental product" + alternative_names: + - "_param_212240" + 212241: + name: "Experimental product" + alternative_names: + - "_param_212241" + 212242: + name: "Experimental product" + alternative_names: + - "_param_212242" + 212243: + name: "Experimental product" + alternative_names: + - "_param_212243" + 212244: + name: "Experimental product" + alternative_names: + - "_param_212244" + 212245: + name: "Experimental product" + alternative_names: + - "_param_212245" + 212246: + name: "Experimental product" + alternative_names: + - "_param_212246" + 212247: + name: "Experimental product" + alternative_names: + - "_param_212247" + 212248: + name: "Experimental product" + alternative_names: + - "_param_212248" + 212249: + name: "Experimental product" + alternative_names: + - "_param_212249" + 212250: + name: "Experimental product" + alternative_names: + - "_param_212250" + 212251: + name: "Experimental product" + alternative_names: + - "_param_212251" + 212252: + name: "Experimental product" + alternative_names: + - "_param_212252" + 212253: + name: "Experimental product" + alternative_names: + - "_param_212253" + 212254: + name: "Experimental product" + alternative_names: + - "_param_212254" + 212255: + name: "Experimental product" + alternative_names: + - "_param_212255" + 213001: + name: "Random pattern 1 for sppt" + alternative_names: + - "sppt1" + 213002: + name: "Random pattern 2 for sppt" + alternative_names: + - "sppt2" + 213003: + name: "Random pattern 3 for sppt" + alternative_names: + - "sppt3" + 213004: + name: "Random pattern 4 for sppt" + alternative_names: + - "sppt4" + 213005: + name: "Random pattern 5 for sppt" + alternative_names: + - "sppt5" + 213101: + name: "Random pattern 1 for spp scheme" + alternative_names: + - "spp1" + 213102: + name: "Random pattern 2 for spp scheme" + alternative_names: + - "spp2" + 213103: + name: "Random pattern 3 for spp scheme" + alternative_names: + - "spp3" + 213104: + name: "Random pattern 4 for spp scheme" + alternative_names: + - "spp4" + 213105: + name: "Random pattern 5 for spp scheme" + alternative_names: + - "spp5" + 213106: + name: "Random pattern 6 for spp scheme" + alternative_names: + - "spp6" + 213107: + name: "Random pattern 7 for spp scheme" + alternative_names: + - "spp7" + 213108: + name: "Random pattern 8 for spp scheme" + alternative_names: + - "spp8" + 213109: + name: "Random pattern 9 for spp scheme" + alternative_names: + - "spp9" + 213110: + name: "Random pattern 10 for spp scheme" + alternative_names: + - "spp10" + 213111: + name: "Random pattern 11 for spp scheme" + alternative_names: + - "spp11" + 213112: + name: "Random pattern 12 for spp scheme" + alternative_names: + - "spp12" + 213113: + name: "Random pattern 13 for spp scheme" + alternative_names: + - "spp13" + 213114: + name: "Random pattern 14 for spp scheme" + alternative_names: + - "spp14" + 213115: + name: "Random pattern 15 for spp scheme" + alternative_names: + - "spp15" + 213116: + name: "Random pattern 16 for spp scheme" + alternative_names: + - "spp16" + 213117: + name: "Random pattern 17 for spp scheme" + alternative_names: + - "spp17" + 213118: + name: "Random pattern 18 for spp scheme" + alternative_names: + - "spp18" + 213119: + name: "Random pattern 19 for spp scheme" + alternative_names: + - "spp19" + 213120: + name: "Random pattern 20 for spp scheme" + alternative_names: + - "spp20" + 213121: + name: "Random pattern 21 for spp scheme" + alternative_names: + - "spp21" + 213122: + name: "Random pattern 22 for spp scheme" + alternative_names: + - "spp22" + 213123: + name: "Random pattern 23 for spp scheme" + alternative_names: + - "spp23" + 213124: + name: "Random pattern 24 for spp scheme" + alternative_names: + - "spp24" + 213125: + name: "Random pattern 25 for spp scheme" + alternative_names: + - "spp25" + 213126: + name: "Random pattern 26 for spp scheme" + alternative_names: + - "spp26" + 213127: + name: "Random pattern 27 for spp scheme" + alternative_names: + - "spp27" + 213128: + name: "Random pattern 28 for spp scheme" + alternative_names: + - "spp28" + 213129: + name: "Random pattern 29 for spp scheme" + alternative_names: + - "spp29" + 213130: + name: "Random pattern 30 for spp scheme" + alternative_names: + - "spp30" + 213131: + name: "Random pattern 31 for spp scheme" + alternative_names: + - "spp31" + 213132: + name: "Random pattern 32 for spp scheme" + alternative_names: + - "spp32" + 213133: + name: "Random pattern 33 for spp scheme" + alternative_names: + - "spp33" + 213134: + name: "Random pattern 34 for spp scheme" + alternative_names: + - "spp34" + 213135: + name: "Random pattern 35 for spp scheme" + alternative_names: + - "spp35" + 213136: + name: "Random pattern 36 for spp scheme" + alternative_names: + - "spp36" + 213137: + name: "Random pattern 37 for spp scheme" + alternative_names: + - "spp37" + 213138: + name: "Random pattern 38 for spp scheme" + alternative_names: + - "spp38" + 213139: + name: "Random pattern 39 for spp scheme" + alternative_names: + - "spp39" + 213140: + name: "Random pattern 40 for spp scheme" + alternative_names: + - "spp40" + 213141: + name: "Random pattern 41 for spp scheme" + alternative_names: + - "spp41" + 213142: + name: "Random pattern 42 for spp scheme" + alternative_names: + - "spp42" + 213143: + name: "Random pattern 43 for spp scheme" + alternative_names: + - "spp43" + 213144: + name: "Random pattern 44 for spp scheme" + alternative_names: + - "spp44" + 213145: + name: "Random pattern 45 for spp scheme" + alternative_names: + - "spp45" + 213146: + name: "Random pattern 46 for spp scheme" + alternative_names: + - "spp46" + 213147: + name: "Random pattern 47 for spp scheme" + alternative_names: + - "spp47" + 213148: + name: "Random pattern 48 for spp scheme" + alternative_names: + - "spp48" + 213149: + name: "Random pattern 49 for spp scheme" + alternative_names: + - "spp49" + 213150: + name: "Random pattern 50 for spp scheme" + alternative_names: + - "spp50" + 213151: + name: "Random pattern 51 for spp scheme" + alternative_names: + - "spp51" + 213152: + name: "Random pattern 52 for spp scheme" + alternative_names: + - "spp52" + 213153: + name: "Random pattern 53 for spp scheme" + alternative_names: + - "spp53" + 213154: + name: "Random pattern 54 for spp scheme" + alternative_names: + - "spp54" + 213155: + name: "Random pattern 55 for spp scheme" + alternative_names: + - "spp55" + 213156: + name: "Random pattern 56 for spp scheme" + alternative_names: + - "spp56" + 213157: + name: "Random pattern 57 for spp scheme" + alternative_names: + - "spp57" + 213158: + name: "Random pattern 58 for spp scheme" + alternative_names: + - "spp58" + 213159: + name: "Random pattern 59 for spp scheme" + alternative_names: + - "spp59" + 213160: + name: "Random pattern 60 for spp scheme" + alternative_names: + - "spp60" + 213161: + name: "Random pattern 61 for spp scheme" + alternative_names: + - "spp61" + 213162: + name: "Random pattern 62 for spp scheme" + alternative_names: + - "spp62" + 213163: + name: "Random pattern 63 for spp scheme" + alternative_names: + - "spp63" + 213164: + name: "Random pattern 64 for spp scheme" + alternative_names: + - "spp64" + 213165: + name: "Random pattern 65 for spp scheme" + alternative_names: + - "spp65" + 213166: + name: "Random pattern 66 for spp scheme" + alternative_names: + - "spp66" + 213167: + name: "Random pattern 67 for spp scheme" + alternative_names: + - "spp67" + 213168: + name: "Random pattern 68 for spp scheme" + alternative_names: + - "spp68" + 213169: + name: "Random pattern 69 for spp scheme" + alternative_names: + - "spp69" + 213170: + name: "Random pattern 70 for spp scheme" + alternative_names: + - "spp70" + 213171: + name: "Random pattern 71 for spp scheme" + alternative_names: + - "spp71" + 213172: + name: "Random pattern 72 for spp scheme" + alternative_names: + - "spp72" + 213173: + name: "Random pattern 73 for spp scheme" + alternative_names: + - "spp73" + 213174: + name: "Random pattern 74 for spp scheme" + alternative_names: + - "spp74" + 213175: + name: "Random pattern 75 for spp scheme" + alternative_names: + - "spp75" + 213176: + name: "Random pattern 76 for spp scheme" + alternative_names: + - "spp76" + 213177: + name: "Random pattern 77 for spp scheme" + alternative_names: + - "spp77" + 213178: + name: "Random pattern 78 for spp scheme" + alternative_names: + - "spp78" + 213179: + name: "Random pattern 79 for spp scheme" + alternative_names: + - "spp79" + 213180: + name: "Random pattern 80 for spp scheme" + alternative_names: + - "spp80" + 213181: + name: "Random pattern 81 for spp scheme" + alternative_names: + - "spp81" + 213182: + name: "Random pattern 82 for spp scheme" + alternative_names: + - "spp82" + 213183: + name: "Random pattern 83 for spp scheme" + alternative_names: + - "spp83" + 213184: + name: "Random pattern 84 for spp scheme" + alternative_names: + - "spp84" + 213185: + name: "Random pattern 85 for spp scheme" + alternative_names: + - "spp85" + 213186: + name: "Random pattern 86 for spp scheme" + alternative_names: + - "spp86" + 213187: + name: "Random pattern 87 for spp scheme" + alternative_names: + - "spp87" + 213188: + name: "Random pattern 88 for spp scheme" + alternative_names: + - "spp88" + 213189: + name: "Random pattern 89 for spp scheme" + alternative_names: + - "spp89" + 213190: + name: "Random pattern 90 for spp scheme" + alternative_names: + - "spp90" + 213191: + name: "Random pattern 91 for spp scheme" + alternative_names: + - "spp91" + 213192: + name: "Random pattern 92 for spp scheme" + alternative_names: + - "spp92" + 213193: + name: "Random pattern 93 for spp scheme" + alternative_names: + - "spp93" + 213194: + name: "Random pattern 94 for spp scheme" + alternative_names: + - "spp94" + 213195: + name: "Random pattern 95 for spp scheme" + alternative_names: + - "spp95" + 213196: + name: "Random pattern 96 for spp scheme" + alternative_names: + - "spp96" + 213197: + name: "Random pattern 97 for spp scheme" + alternative_names: + - "spp97" + 213198: + name: "Random pattern 98 for spp scheme" + alternative_names: + - "spp98" + 213199: + name: "Random pattern 99 for spp scheme" + alternative_names: + - "spp99" + 213200: + name: "Random pattern 100 for spp scheme" + alternative_names: + - "spp100" + 213201: + name: "Random pattern 101 for spp scheme" + alternative_names: + - "spp101" + 213202: + name: "Random pattern 102 for spp scheme" + alternative_names: + - "spp102" + 213203: + name: "Random pattern 103 for spp scheme" + alternative_names: + - "spp103" + 213204: + name: "Random pattern 104 for spp scheme" + alternative_names: + - "spp104" + 213205: + name: "Random pattern 105 for spp scheme" + alternative_names: + - "spp105" + 213206: + name: "Random pattern 106 for spp scheme" + alternative_names: + - "spp106" + 213207: + name: "Random pattern 107 for spp scheme" + alternative_names: + - "spp107" + 213208: + name: "Random pattern 108 for spp scheme" + alternative_names: + - "spp108" + 213209: + name: "Random pattern 109 for spp scheme" + alternative_names: + - "spp109" + 213210: + name: "Random pattern 110 for spp scheme" + alternative_names: + - "spp110" + 213211: + name: "Random pattern 111 for spp scheme" + alternative_names: + - "spp111" + 213212: + name: "Random pattern 112 for spp scheme" + alternative_names: + - "spp112" + 213213: + name: "Random pattern 113 for spp scheme" + alternative_names: + - "spp113" + 213214: + name: "Random pattern 114 for spp scheme" + alternative_names: + - "spp114" + 213215: + name: "Random pattern 115 for spp scheme" + alternative_names: + - "spp115" + 213216: + name: "Random pattern 116 for spp scheme" + alternative_names: + - "spp116" + 213217: + name: "Random pattern 117 for spp scheme" + alternative_names: + - "spp117" + 213218: + name: "Random pattern 118 for spp scheme" + alternative_names: + - "spp118" + 213219: + name: "Random pattern 119 for spp scheme" + alternative_names: + - "spp119" + 213220: + name: "Random pattern 120 for spp scheme" + alternative_names: + - "spp120" + 213221: + name: "Random pattern 121 for spp scheme" + alternative_names: + - "spp121" + 214001: + name: "Cosine of solar zenith angle" + alternative_names: + - "uvcossza" + 214002: + name: "Uv biologically effective dose" + alternative_names: + - "uvbed" + 214003: + name: "Uv biologically effective dose clear-sky" + alternative_names: + - "uvbedcs" + 214004: + name: "Total surface uv spectral flux (280-285 nm)" + alternative_names: + - "uvsflxt280285" + 214005: + name: "Total surface uv spectral flux (285-290 nm)" + alternative_names: + - "uvsflxt285290" + 214006: + name: "Total surface uv spectral flux (290-295 nm)" + alternative_names: + - "uvsflxt290295" + 214007: + name: "Total surface uv spectral flux (295-300 nm)" + alternative_names: + - "uvsflxt295300" + 214008: + name: "Total surface uv spectral flux (300-305 nm)" + alternative_names: + - "uvsflxt300305" + 214009: + name: "Total surface uv spectral flux (305-310 nm)" + alternative_names: + - "uvsflxt305310" + 214010: + name: "Total surface uv spectral flux (310-315 nm)" + alternative_names: + - "uvsflxt310315" + 214011: + name: "Total surface uv spectral flux (315-320 nm)" + alternative_names: + - "uvsflxt315320" + 214012: + name: "Total surface uv spectral flux (320-325 nm)" + alternative_names: + - "uvsflxt320325" + 214013: + name: "Total surface uv spectral flux (325-330 nm)" + alternative_names: + - "uvsflxt325330" + 214014: + name: "Total surface uv spectral flux (330-335 nm)" + alternative_names: + - "uvsflxt330335" + 214015: + name: "Total surface uv spectral flux (335-340 nm)" + alternative_names: + - "uvsflxt335340" + 214016: + name: "Total surface uv spectral flux (340-345 nm)" + alternative_names: + - "uvsflxt340345" + 214017: + name: "Total surface uv spectral flux (345-350 nm)" + alternative_names: + - "uvsflxt345350" + 214018: + name: "Total surface uv spectral flux (350-355 nm)" + alternative_names: + - "uvsflxt350355" + 214019: + name: "Total surface uv spectral flux (355-360 nm)" + alternative_names: + - "uvsflxt355360" + 214020: + name: "Total surface uv spectral flux (360-365 nm)" + alternative_names: + - "uvsflxt360365" + 214021: + name: "Total surface uv spectral flux (365-370 nm)" + alternative_names: + - "uvsflxt365370" + 214022: + name: "Total surface uv spectral flux (370-375 nm)" + alternative_names: + - "uvsflxt370375" + 214023: + name: "Total surface uv spectral flux (375-380 nm)" + alternative_names: + - "uvsflxt375380" + 214024: + name: "Total surface uv spectral flux (380-385 nm)" + alternative_names: + - "uvsflxt380385" + 214025: + name: "Total surface uv spectral flux (385-390 nm)" + alternative_names: + - "uvsflxt385390" + 214026: + name: "Total surface uv spectral flux (390-395 nm)" + alternative_names: + - "uvsflxt390395" + 214027: + name: "Total surface uv spectral flux (395-400 nm)" + alternative_names: + - "uvsflxt395400" + 214028: + name: "Clear-sky surface uv spectral flux (280-285 nm)" + alternative_names: + - "uvsflxcs280285" + 214029: + name: "Clear-sky surface uv spectral flux (285-290 nm)" + alternative_names: + - "uvsflxcs285290" + 214030: + name: "Clear-sky surface uv spectral flux (290-295 nm)" + alternative_names: + - "uvsflxcs290295" + 214031: + name: "Clear-sky surface uv spectral flux (295-300 nm)" + alternative_names: + - "uvsflxcs295300" + 214032: + name: "Clear-sky surface uv spectral flux (300-305 nm)" + alternative_names: + - "uvsflxcs300305" + 214033: + name: "Clear-sky surface uv spectral flux (305-310 nm)" + alternative_names: + - "uvsflxcs305310" + 214034: + name: "Clear-sky surface uv spectral flux (310-315 nm)" + alternative_names: + - "uvsflxcs310315" + 214035: + name: "Clear-sky surface uv spectral flux (315-320 nm)" + alternative_names: + - "uvsflxcs315320" + 214036: + name: "Clear-sky surface uv spectral flux (320-325 nm)" + alternative_names: + - "uvsflxcs320325" + 214037: + name: "Clear-sky surface uv spectral flux (325-330 nm)" + alternative_names: + - "uvsflxcs325330" + 214038: + name: "Clear-sky surface uv spectral flux (330-335 nm)" + alternative_names: + - "uvsflxcs330335" + 214039: + name: "Clear-sky surface uv spectral flux (335-340 nm)" + alternative_names: + - "uvsflxcs335340" + 214040: + name: "Clear-sky surface uv spectral flux (340-345 nm)" + alternative_names: + - "uvsflxcs340345" + 214041: + name: "Clear-sky surface uv spectral flux (345-350 nm)" + alternative_names: + - "uvsflxcs345350" + 214042: + name: "Clear-sky surface uv spectral flux (350-355 nm)" + alternative_names: + - "uvsflxcs350355" + 214043: + name: "Clear-sky surface uv spectral flux (355-360 nm)" + alternative_names: + - "uvsflxcs355360" + 214044: + name: "Clear-sky surface uv spectral flux (360-365 nm)" + alternative_names: + - "uvsflxcs360365" + 214045: + name: "Clear-sky surface uv spectral flux (365-370 nm)" + alternative_names: + - "uvsflxcs365370" + 214046: + name: "Clear-sky surface uv spectral flux (370-375 nm)" + alternative_names: + - "uvsflxcs370375" + 214047: + name: "Clear-sky surface uv spectral flux (375-380 nm)" + alternative_names: + - "uvsflxcs375380" + 214048: + name: "Clear-sky surface uv spectral flux (380-385 nm)" + alternative_names: + - "uvsflxcs380385" + 214049: + name: "Clear-sky surface uv spectral flux (385-390 nm)" + alternative_names: + - "uvsflxcs385390" + 214050: + name: "Clear-sky surface uv spectral flux (390-395 nm)" + alternative_names: + - "uvsflxcs390395" + 214051: + name: "Clear-sky surface uv spectral flux (395-400 nm)" + alternative_names: + - "uvsflxcs395400" + 214052: + name: "Profile of optical thickness at 340 nm" + alternative_names: + - "aot340" + 215001: + name: "Source/gain of sea salt aerosol (0.03 - 0.5 um)" + alternative_names: + - "aersrcsss" + 215002: + name: "Source/gain of sea salt aerosol (0.5 - 5 um)" + alternative_names: + - "aersrcssm" + 215003: + name: "Source/gain of sea salt aerosol (5 - 20 um)" + alternative_names: + - "aersrcssl" + 215004: + name: "Dry deposition of sea salt aerosol (0.03 - 0.5 um)" + alternative_names: + - "aerddpsss" + 215005: + name: "Dry deposition of sea salt aerosol (0.5 - 5 um)" + alternative_names: + - "aerddpssm" + 215006: + name: "Dry deposition of sea salt aerosol (5 - 20 um)" + alternative_names: + - "aerddpssl" + 215007: + name: "Sedimentation of sea salt aerosol (0.03 - 0.5 um)" + alternative_names: + - "aersdmsss" + 215008: + name: "Sedimentation of sea salt aerosol (0.5 - 5 um)" + alternative_names: + - "aersdmssm" + 215009: + name: "Sedimentation of sea salt aerosol (5 - 20 um)" + alternative_names: + - "aersdmssl" + 215010: + name: "Wet deposition of sea salt aerosol (0.03 - 0.5 um) by large-scale precipitation" + alternative_names: + - "aerwdlssss" + 215011: + name: "Wet deposition of sea salt aerosol (0.5 - 5 um) by large-scale precipitation" + alternative_names: + - "aerwdlsssm" + 215012: + name: "Wet deposition of sea salt aerosol (5 - 20 um) by large-scale precipitation" + alternative_names: + - "aerwdlsssl" + 215013: + name: "Wet deposition of sea salt aerosol (0.03 - 0.5 um) by convective precipitation" + alternative_names: + - "aerwdccsss" + 215014: + name: "Wet deposition of sea salt aerosol (0.5 - 5 um) by convective precipitation" + alternative_names: + - "aerwdccssm" + 215015: + name: "Wet deposition of sea salt aerosol (5 - 20 um) by convective precipitation" + alternative_names: + - "aerwdccssl" + 215016: + name: "Negative fixer of sea salt aerosol (0.03 - 0.5 um)" + alternative_names: + - "aerngtsss" + 215017: + name: "Negative fixer of sea salt aerosol (0.5 - 5 um)" + alternative_names: + - "aerngtssm" + 215018: + name: "Negative fixer of sea salt aerosol (5 - 20 um)" + alternative_names: + - "aerngtssl" + 215019: + name: "Vertically integrated mass of sea salt aerosol (0.03 - 0.5 um)" + alternative_names: + - "aermsssss" + 215020: + name: "Vertically integrated mass of sea salt aerosol (0.5 - 5 um)" + alternative_names: + - "aermssssm" + 215021: + name: "Vertically integrated mass of sea salt aerosol (5 - 20 um)" + alternative_names: + - "aermssssl" + 215022: + name: "Sea salt aerosol (0.03 - 0.5 um) optical depth" + alternative_names: + - "aerodsss" + 215023: + name: "Sea salt aerosol (0.5 - 5 um) optical depth" + alternative_names: + - "aerodssm" + 215024: + name: "Sea salt aerosol (5 - 20 um) optical depth" + alternative_names: + - "aerodssl" + 215025: + name: "Source/gain of dust aerosol (0.03 - 0.55 um)" + alternative_names: + - "aersrcdus" + 215026: + name: "Source/gain of dust aerosol (0.55 - 9 um)" + alternative_names: + - "aersrcdum" + 215027: + name: "Source/gain of dust aerosol (9 - 20 um)" + alternative_names: + - "aersrcdul" + 215028: + name: "Dry deposition of dust aerosol (0.03 - 0.55 um)" + alternative_names: + - "aerddpdus" + 215029: + name: "Dry deposition of dust aerosol (0.55 - 9 um)" + alternative_names: + - "aerddpdum" + 215030: + name: "Dry deposition of dust aerosol (9 - 20 um)" + alternative_names: + - "aerddpdul" + 215031: + name: "Sedimentation of dust aerosol (0.03 - 0.55 um)" + alternative_names: + - "aersdmdus" + 215032: + name: "Sedimentation of dust aerosol (0.55 - 9 um)" + alternative_names: + - "aersdmdum" + 215033: + name: "Sedimentation of dust aerosol (9 - 20 um)" + alternative_names: + - "aersdmdul" + 215034: + name: "Wet deposition of dust aerosol (0.03 - 0.55 um) by large-scale precipitation" + alternative_names: + - "aerwdlsdus" + 215035: + name: "Wet deposition of dust aerosol (0.55 - 9 um) by large-scale precipitation" + alternative_names: + - "aerwdlsdum" + 215036: + name: "Wet deposition of dust aerosol (9 - 20 um) by large-scale precipitation" + alternative_names: + - "aerwdlsdul" + 215037: + name: "Wet deposition of dust aerosol (0.03 - 0.55 um) by convective precipitation" + alternative_names: + - "aerwdccdus" + 215038: + name: "Wet deposition of dust aerosol (0.55 - 9 um) by convective precipitation" + alternative_names: + - "aerwdccdum" + 215039: + name: "Wet deposition of dust aerosol (9 - 20 um) by convective precipitation" + alternative_names: + - "aerwdccdul" + 215040: + name: "Negative fixer of dust aerosol (0.03 - 0.55 um)" + alternative_names: + - "aerngtdus" + 215041: + name: "Negative fixer of dust aerosol (0.55 - 9 um)" + alternative_names: + - "aerngtdum" + 215042: + name: "Negative fixer of dust aerosol (9 - 20 um)" + alternative_names: + - "aerngtdul" + 215043: + name: "Vertically integrated mass of dust aerosol (0.03 - 0.55 um)" + alternative_names: + - "aermssdus" + 215044: + name: "Vertically integrated mass of dust aerosol (0.55 - 9 um)" + alternative_names: + - "aermssdum" + 215045: + name: "Vertically integrated mass of dust aerosol (9 - 20 um)" + alternative_names: + - "aermssdul" + 215046: + name: "Dust aerosol (0.03 - 0.55 um) optical depth" + alternative_names: + - "aeroddus" + 215047: + name: "Dust aerosol (0.55 - 9 um) optical depth" + alternative_names: + - "aeroddum" + 215048: + name: "Dust aerosol (9 - 20 um) optical depth" + alternative_names: + - "aeroddul" + 215049: + name: "Source/gain of hydrophobic organic matter aerosol" + alternative_names: + - "aersrcomhphob" + 215050: + name: "Source/gain of hydrophilic organic matter aerosol" + alternative_names: + - "aersrcomhphil" + 215051: + name: "Dry deposition of hydrophobic organic matter aerosol" + alternative_names: + - "aerddpomhphob" + 215052: + name: "Dry deposition of hydrophilic organic matter aerosol" + alternative_names: + - "aerddpomhphil" + 215053: + name: "Sedimentation of hydrophobic organic matter aerosol" + alternative_names: + - "aersdmomhphob" + 215054: + name: "Sedimentation of hydrophilic organic matter aerosol" + alternative_names: + - "aersdmomhphil" + 215055: + name: "Wet deposition of hydrophobic organic matter aerosol by large-scale precipitation" + alternative_names: + - "aerwdlsomhphob" + 215056: + name: "Wet deposition of hydrophilic organic matter aerosol by large-scale precipitation" + alternative_names: + - "aerwdlsomhphil" + 215057: + name: "Wet deposition of hydrophobic organic matter aerosol by convective precipitation" + alternative_names: + - "aerwdccomhphob" + 215058: + name: "Wet deposition of hydrophilic organic matter aerosol by convective precipitation" + alternative_names: + - "aerwdccomhphil" + 215059: + name: "Negative fixer of hydrophobic organic matter aerosol" + alternative_names: + - "aerngtomhphob" + 215060: + name: "Negative fixer of hydrophilic organic matter aerosol" + alternative_names: + - "aerngtomhphil" + 215061: + name: "Vertically integrated mass of hydrophobic organic matter aerosol" + alternative_names: + - "aermssomhphob" + 215062: + name: "Vertically integrated mass of hydrophilic organic matter aerosol" + alternative_names: + - "aermssomhphil" + 215063: + name: "Hydrophobic organic matter aerosol optical depth" + alternative_names: + - "aerodomhphob" + 215064: + name: "Hydrophilic organic matter aerosol optical depth" + alternative_names: + - "aerodomhphil" + 215065: + name: "Source/gain of hydrophobic black carbon aerosol" + alternative_names: + - "aersrcbchphob" + 215066: + name: "Source/gain of hydrophilic black carbon aerosol" + alternative_names: + - "aersrcbchphil" + 215067: + name: "Dry deposition of hydrophobic black carbon aerosol" + alternative_names: + - "aerddpbchphob" + 215068: + name: "Dry deposition of hydrophilic black carbon aerosol" + alternative_names: + - "aerddpbchphil" + 215069: + name: "Sedimentation of hydrophobic black carbon aerosol" + alternative_names: + - "aersdmbchphob" + 215070: + name: "Sedimentation of hydrophilic black carbon aerosol" + alternative_names: + - "aersdmbchphil" + 215071: + name: "Wet deposition of hydrophobic black carbon aerosol by large-scale precipitation" + alternative_names: + - "aerwdlsbchphob" + 215072: + name: "Wet deposition of hydrophilic black carbon aerosol by large-scale precipitation" + alternative_names: + - "aerwdlsbchphil" + 215073: + name: "Wet deposition of hydrophobic black carbon aerosol by convective precipitation" + alternative_names: + - "aerwdccbchphob" + 215074: + name: "Wet deposition of hydrophilic black carbon aerosol by convective precipitation" + alternative_names: + - "aerwdccbchphil" + 215075: + name: "Negative fixer of hydrophobic black carbon aerosol" + alternative_names: + - "aerngtbchphob" + 215076: + name: "Negative fixer of hydrophilic black carbon aerosol" + alternative_names: + - "aerngtbchphil" + 215077: + name: "Vertically integrated mass of hydrophobic black carbon aerosol" + alternative_names: + - "aermssbchphob" + 215078: + name: "Vertically integrated mass of hydrophilic black carbon aerosol" + alternative_names: + - "aermssbchphil" + 215079: + name: "Hydrophobic black carbon aerosol optical depth" + alternative_names: + - "aerodbchphob" + 215080: + name: "Hydrophilic black carbon aerosol optical depth" + alternative_names: + - "aerodbchphil" + 215081: + name: "Source/gain of sulphate aerosol" + alternative_names: + - "aersrcsu" + 215082: + name: "Dry deposition of sulphate aerosol" + alternative_names: + - "aerddpsu" + 215083: + name: "Sedimentation of sulphate aerosol" + alternative_names: + - "aersdmsu" + 215084: + name: "Wet deposition of sulphate aerosol by large-scale precipitation" + alternative_names: + - "aerwdlssu" + 215085: + name: "Wet deposition of sulphate aerosol by convective precipitation" + alternative_names: + - "aerwdccsu" + 215086: + name: "Negative fixer of sulphate aerosol" + alternative_names: + - "aerngtsu" + 215087: + name: "Vertically integrated mass of sulphate aerosol" + alternative_names: + - "aermsssu" + 215088: + name: "Sulphate aerosol optical depth" + alternative_names: + - "aerodsu" + 215089: + name: "Accumulated total aerosol optical depth at 550 nm" + alternative_names: + - "accaod550" + 215090: + name: "Effective (snow effect included) uv visible albedo for direct radiation" + alternative_names: + - "aluvpsn" + 215091: + name: "10 metre wind speed dust emission potential" + alternative_names: + - "aerdep10si" + 215092: + name: "10 metre wind gustiness dust emission potential" + alternative_names: + - "aerdep10fg" + 215093: + name: "Total aerosol optical thickness at 532 nm" + alternative_names: + - "aot532" + 215094: + name: "Natural (sea-salt and dust) aerosol optical thickness at 532 nm" + alternative_names: + - "naot532" + 215095: + name: + "Anthropogenic (black carbon, organic matter, sulphate) aerosol optical + thickness at 532 nm" + alternative_names: + - "aaot532" + 215096: + name: "Total absorption aerosol optical depth at 340 nm" + alternative_names: + - "aodabs340" + 215097: + name: "Total absorption aerosol optical depth at 355 nm" + alternative_names: + - "aodabs355" + 215098: + name: "Total absorption aerosol optical depth at 380 nm" + alternative_names: + - "aodabs380" + 215099: + name: "Total absorption aerosol optical depth at 400 nm" + alternative_names: + - "aodabs400" + 215100: + name: "Total absorption aerosol optical depth at 440 nm" + alternative_names: + - "aodabs440" + 215101: + name: "Total absorption aerosol optical depth at 469 nm" + alternative_names: + - "aodabs469" + 215102: + name: "Total absorption aerosol optical depth at 500 nm" + alternative_names: + - "aodabs500" + 215103: + name: "Total absorption aerosol optical depth at 532 nm" + alternative_names: + - "aodabs532" + 215104: + name: "Total absorption aerosol optical depth at 550 nm" + alternative_names: + - "aodabs550" + 215105: + name: "Total absorption aerosol optical depth at 645 nm" + alternative_names: + - "aodabs645" + 215106: + name: "Total absorption aerosol optical depth at 670 nm" + alternative_names: + - "aodabs670" + 215107: + name: "Total absorption aerosol optical depth at 800 nm" + alternative_names: + - "aodabs800" + 215108: + name: "Total absorption aerosol optical depth at 858 nm" + alternative_names: + - "aodabs858" + 215109: + name: "Total absorption aerosol optical depth at 865 nm" + alternative_names: + - "aodabs865" + 215110: + name: "Total absorption aerosol optical depth at 1020 nm" + alternative_names: + - "aodabs1020" + 215111: + name: "Total absorption aerosol optical depth at 1064 nm" + alternative_names: + - "aodabs1064" + 215112: + name: "Total absorption aerosol optical depth at 1240 nm" + alternative_names: + - "aodabs1240" + 215113: + name: "Total absorption aerosol optical depth at 1640 nm" + alternative_names: + - "aodabs1640" + 215114: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 340 nm" + alternative_names: + - "aodfm340" + 215115: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 355 nm" + alternative_names: + - "aodfm355" + 215116: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 380 nm" + alternative_names: + - "aodfm380" + 215117: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 400 nm" + alternative_names: + - "aodfm400" + 215118: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 440 nm" + alternative_names: + - "aodfm440" + 215119: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 469 nm" + alternative_names: + - "aodfm469" + 215120: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 500 nm" + alternative_names: + - "aodfm500" + 215121: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 532 nm" + alternative_names: + - "aodfm532" + 215122: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 550 nm" + alternative_names: + - "aodfm550" + 215123: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 645 nm" + alternative_names: + - "aodfm645" + 215124: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 670 nm" + alternative_names: + - "aodfm670" + 215125: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 800 nm" + alternative_names: + - "aodfm800" + 215126: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 858 nm" + alternative_names: + - "aodfm858" + 215127: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 865 nm" + alternative_names: + - "aodfm865" + 215128: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 1020 nm" + alternative_names: + - "aodfm1020" + 215129: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 1064 nm" + alternative_names: + - "aodfm1064" + 215130: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 1240 nm" + alternative_names: + - "aodfm1240" + 215131: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 1640 nm" + alternative_names: + - "aodfm1640" + 215132: + name: "Single scattering albedo at 340 nm" + alternative_names: + - "ssa340" + 215133: + name: "Single scattering albedo at 355 nm" + alternative_names: + - "ssa355" + 215134: + name: "Single scattering albedo at 380 nm" + alternative_names: + - "ssa380" + 215135: + name: "Single scattering albedo at 400 nm" + alternative_names: + - "ssa400" + 215136: + name: "Single scattering albedo at 440 nm" + alternative_names: + - "ssa440" + 215137: + name: "Single scattering albedo at 469 nm" + alternative_names: + - "ssa469" + 215138: + name: "Single scattering albedo at 500 nm" + alternative_names: + - "ssa500" + 215139: + name: "Single scattering albedo at 532 nm" + alternative_names: + - "ssa532" + 215140: + name: "Single scattering albedo at 550 nm" + alternative_names: + - "ssa550" + 215141: + name: "Single scattering albedo at 645 nm" + alternative_names: + - "ssa645" + 215142: + name: "Single scattering albedo at 670 nm" + alternative_names: + - "ssa670" + 215143: + name: "Single scattering albedo at 800 nm" + alternative_names: + - "ssa800" + 215144: + name: "Single scattering albedo at 858 nm" + alternative_names: + - "ssa858" + 215145: + name: "Single scattering albedo at 865 nm" + alternative_names: + - "ssa865" + 215146: + name: "Single scattering albedo at 1020 nm" + alternative_names: + - "ssa1020" + 215147: + name: "Single scattering albedo at 1064 nm" + alternative_names: + - "ssa1064" + 215148: + name: "Single scattering albedo at 1240 nm" + alternative_names: + - "ssa1240" + 215149: + name: "Single scattering albedo at 1640 nm" + alternative_names: + - "ssa1640" + 215150: + name: "Asymmetry factor at 340 nm" + alternative_names: + - "asymmetry340" + 215151: + name: "Asymmetry factor at 355 nm" + alternative_names: + - "asymmetry355" + 215152: + name: "Asymmetry factor at 380 nm" + alternative_names: + - "asymmetry380" + 215153: + name: "Asymmetry factor at 400 nm" + alternative_names: + - "asymmetry400" + 215154: + name: "Asymmetry factor at 440 nm" + alternative_names: + - "asymmetry440" + 215155: + name: "Asymmetry factor at 469 nm" + alternative_names: + - "asymmetry469" + 215156: + name: "Asymmetry factor at 500 nm" + alternative_names: + - "asymmetry500" + 215157: + name: "Asymmetry factor at 532 nm" + alternative_names: + - "asymmetry532" + 215158: + name: "Asymmetry factor at 550 nm" + alternative_names: + - "asymmetry550" + 215159: + name: "Asymmetry factor at 645 nm" + alternative_names: + - "asymmetry645" + 215160: + name: "Asymmetry factor at 670 nm" + alternative_names: + - "asymmetry670" + 215161: + name: "Asymmetry factor at 800 nm" + alternative_names: + - "asymmetry800" + 215162: + name: "Asymmetry factor at 858 nm" + alternative_names: + - "asymmetry858" + 215163: + name: "Asymmetry factor at 865 nm" + alternative_names: + - "asymmetry865" + 215164: + name: "Asymmetry factor at 1020 nm" + alternative_names: + - "asymmetry1020" + 215165: + name: "Asymmetry factor at 1064 nm" + alternative_names: + - "asymmetry1064" + 215166: + name: "Asymmetry factor at 1240 nm" + alternative_names: + - "asymmetry1240" + 215167: + name: "Asymmetry factor at 1640 nm" + alternative_names: + - "asymmetry1640" + 215168: + name: "Source/gain of sulphur dioxide" + alternative_names: + - "aersrcso2" + 215169: + name: "Dry deposition of sulphur dioxide" + alternative_names: + - "aerddpso2" + 215170: + name: "Sedimentation of sulphur dioxide" + alternative_names: + - "aersdmso2" + 215171: + name: "Wet deposition of sulphur dioxide by large-scale precipitation" + alternative_names: + - "aerwdlsso2" + 215172: + name: "Wet deposition of sulphur dioxide by convective precipitation" + alternative_names: + - "aerwdccso2" + 215173: + name: "Negative fixer of sulphur dioxide" + alternative_names: + - "aerngtso2" + 215174: + name: "Vertically integrated mass of sulphur dioxide" + alternative_names: + - "aermssso2" + 215175: + name: "Sulphur dioxide optical depth" + alternative_names: + - "aerodso2" + 215176: + name: "Total absorption aerosol optical depth at 2130 nm" + alternative_names: + - "aodabs2130" + 215177: + name: "Total fine mode (r < 0.5 um) aerosol optical depth at 2130 nm" + alternative_names: + - "aodfm2130" + 215178: + name: "Single scattering albedo at 2130 nm" + alternative_names: + - "ssa2130" + 215179: + name: "Asymmetry factor at 2130 nm" + alternative_names: + - "asymmetry2130" + 215180: + name: "Aerosol extinction coefficient at 355 nm" + alternative_names: + - "aerext355" + 215181: + name: "Aerosol extinction coefficient at 532 nm" + alternative_names: + - "aerext532" + 215182: + name: "Aerosol extinction coefficient at 1064 nm" + alternative_names: + - "aerext1064" + 215183: + name: "Aerosol backscatter coefficient at 355 nm (from top of atmosphere)" + alternative_names: + - "aerbackscattoa355" + 215184: + name: "Aerosol backscatter coefficient at 532 nm (from top of atmosphere)" + alternative_names: + - "aerbackscattoa532" + 215185: + name: "Aerosol backscatter coefficient at 1064 nm (from top of atmosphere)" + alternative_names: + - "aerbackscattoa1064" + 215186: + name: "Aerosol backscatter coefficient at 355 nm (from ground)" + alternative_names: + - "aerbackscatgnd355" + 215187: + name: "Aerosol backscatter coefficient at 532 nm (from ground)" + alternative_names: + - "aerbackscatgnd532" + 215188: + name: "Aerosol backscatter coefficient at 1064 nm (from ground)" + alternative_names: + - "aerbackscatgnd1064" + 215189: + name: "Source/gain of fine-mode nitrate aerosol" + alternative_names: + - "aersrcnif" + 215190: + name: "Source/gain of coarse-mode nitrate aerosol" + alternative_names: + - "aersrcnic" + 215191: + name: "Dry deposition of fine-mode nitrate aerosol" + alternative_names: + - "aerddpnif" + 215192: + name: "Dry deposition of coarse-mode nitrate aerosol" + alternative_names: + - "aerddpnic" + 215193: + name: "Sedimentation of fine-mode nitrate aerosol" + alternative_names: + - "aersdmnif" + 215194: + name: "Sedimentation of coarse-mode nitrate aerosol" + alternative_names: + - "aersdmnic" + 215195: + name: "Wet deposition of fine-mode nitrate aerosol by large-scale precipitation" + alternative_names: + - "aerwdlnif" + 215196: + name: "Wet deposition of coarse-mode nitrate aerosol by large-scale precipitation" + alternative_names: + - "aerwdlnic" + 215197: + name: "Wet deposition of fine-mode nitrate aerosol by convective precipitation" + alternative_names: + - "aerwdcnif" + 215198: + name: "Wet deposition of coarse-mode nitrate aerosol by convective precipitation" + alternative_names: + - "aerwdcnic" + 215199: + name: "Negative fixer of fine-mode nitrate aerosol" + alternative_names: + - "aerngtnif" + 215200: + name: "Negative fixer of coarse-mode nitrate aerosol" + alternative_names: + - "aerngtnic" + 215201: + name: "Vertically integrated mass of fine-mode nitrate aerosol" + alternative_names: + - "aermssnif" + 215202: + name: "Vertically integrated mass of coarse-mode nitrate aerosol" + alternative_names: + - "aermssnic" + 215203: + name: "Fine-mode nitrate aerosol optical depth at 550 nm" + alternative_names: + - "aerodnif" + 215204: + name: "Coarse-mode nitrate aerosol optical depth at 550 nm" + alternative_names: + - "aerodnic" + 215205: + name: "Source/gain of ammonium aerosol" + alternative_names: + - "aersrcam" + 215206: + name: "Dry deposition of ammonium aerosol" + alternative_names: + - "aerddpam" + 215207: + name: "Sedimentation of ammonium aerosol" + alternative_names: + - "aersdmam" + 215208: + name: "Wet deposition of ammonium aerosol by large-scale precipitation" + alternative_names: + - "aerwdlam" + 215209: + name: "Wet deposition of ammonium aerosol by convective precipitation" + alternative_names: + - "aerwdcam" + 215210: + name: "Negative fixer of ammonium aerosol" + alternative_names: + - "aerngtam" + 215211: + name: "Vertically integrated mass of ammonium aerosol" + alternative_names: + - "aermssam" + 215212: + name: "Source/gain of biogenic secondary organic aerosol" + alternative_names: + - "aersrcsoab" + 215213: + name: "Dry deposition of biogenic secondary organic aerosol" + alternative_names: + - "aerddpsoab" + 215214: + name: "Sedimentation of biogenic secondary organic aerosol" + alternative_names: + - "aersdmsoab" + 215215: + name: "Wet deposition of biogenic secondary organic aerosol by large-scale precipitation" + alternative_names: + - "aerwdlsoab" + 215216: + name: "Wet deposition of biogenic secondary organic aerosol by convective precipitation" + alternative_names: + - "aerwdcsoab" + 215217: + name: "Negative fixer of biogenic secondary organic aerosol" + alternative_names: + - "aerngtsoab" + 215218: + name: "Vertically integrated mass of biogenic secondary organic aerosol" + alternative_names: + - "aermsssoab" + 215219: + name: "Source/gain of anthropogenic secondary organic aerosol" + alternative_names: + - "aersrcsoaa" + 215220: + name: "Dry deposition of anthropogenic secondary organic aerosol" + alternative_names: + - "aerddpsoaa" + 215221: + name: "Sedimentation of anthropogenic secondary organic aerosol" + alternative_names: + - "aersdmsoaa" + 215222: + name: + "Wet deposition of anthropogenic secondary organic aerosol by large-scale + precipitation" + alternative_names: + - "aerwdlsoaa" + 215223: + name: + "Wet deposition of anthropogenic secondary organic aerosol by convective + precipitation" + alternative_names: + - "aerwdcsoaa" + 215224: + name: "Negative fixer of anthropogenic secondary organic aerosol" + alternative_names: + - "aerngtsoaa" + 215225: + name: "Vertically integrated mass of anthropogenic secondary organic aerosol" + alternative_names: + - "aermsssoaa" + 215226: + name: "Secondary organic aerosol optical depth at 550 nm" + alternative_names: + - "soaod550" + 216001: + name: "Experimental product" + alternative_names: + - "_param_216001" + 216002: + name: "Experimental product" + alternative_names: + - "_param_216002" + 216003: + name: "Experimental product" + alternative_names: + - "_param_216003" + 216004: + name: "Experimental product" + alternative_names: + - "_param_216004" + 216005: + name: "Experimental product" + alternative_names: + - "_param_216005" + 216006: + name: "Experimental product" + alternative_names: + - "_param_216006" + 216007: + name: "Experimental product" + alternative_names: + - "_param_216007" + 216008: + name: "Experimental product" + alternative_names: + - "_param_216008" + 216009: + name: "Experimental product" + alternative_names: + - "_param_216009" + 216010: + name: "Experimental product" + alternative_names: + - "_param_216010" + 216011: + name: "Experimental product" + alternative_names: + - "_param_216011" + 216012: + name: "Experimental product" + alternative_names: + - "_param_216012" + 216013: + name: "Experimental product" + alternative_names: + - "_param_216013" + 216014: + name: "Experimental product" + alternative_names: + - "_param_216014" + 216015: + name: "Experimental product" + alternative_names: + - "_param_216015" + 216016: + name: "Experimental product" + alternative_names: + - "_param_216016" + 216017: + name: "Experimental product" + alternative_names: + - "_param_216017" + 216018: + name: "Experimental product" + alternative_names: + - "_param_216018" + 216019: + name: "Experimental product" + alternative_names: + - "_param_216019" + 216020: + name: "Experimental product" + alternative_names: + - "_param_216020" + 216021: + name: "Experimental product" + alternative_names: + - "_param_216021" + 216022: + name: "Experimental product" + alternative_names: + - "_param_216022" + 216023: + name: "Experimental product" + alternative_names: + - "_param_216023" + 216024: + name: "Experimental product" + alternative_names: + - "_param_216024" + 216025: + name: "Experimental product" + alternative_names: + - "_param_216025" + 216026: + name: "Experimental product" + alternative_names: + - "_param_216026" + 216027: + name: "Experimental product" + alternative_names: + - "_param_216027" + 216028: + name: "Experimental product" + alternative_names: + - "_param_216028" + 216029: + name: "Experimental product" + alternative_names: + - "_param_216029" + 216030: + name: "Experimental product" + alternative_names: + - "_param_216030" + 216031: + name: "Experimental product" + alternative_names: + - "_param_216031" + 216032: + name: "Experimental product" + alternative_names: + - "_param_216032" + 216033: + name: "Experimental product" + alternative_names: + - "_param_216033" + 216034: + name: "Experimental product" + alternative_names: + - "_param_216034" + 216035: + name: "Experimental product" + alternative_names: + - "_param_216035" + 216036: + name: "Experimental product" + alternative_names: + - "_param_216036" + 216037: + name: "Experimental product" + alternative_names: + - "_param_216037" + 216038: + name: "Experimental product" + alternative_names: + - "_param_216038" + 216039: + name: "Experimental product" + alternative_names: + - "_param_216039" + 216040: + name: "Experimental product" + alternative_names: + - "_param_216040" + 216041: + name: "Experimental product" + alternative_names: + - "_param_216041" + 216042: + name: "Experimental product" + alternative_names: + - "_param_216042" + 216043: + name: "Experimental product" + alternative_names: + - "_param_216043" + 216044: + name: "Experimental product" + alternative_names: + - "_param_216044" + 216045: + name: "Experimental product" + alternative_names: + - "_param_216045" + 216046: + name: "Experimental product" + alternative_names: + - "_param_216046" + 216047: + name: "Experimental product" + alternative_names: + - "_param_216047" + 216048: + name: "Experimental product" + alternative_names: + - "_param_216048" + 216049: + name: "Experimental product" + alternative_names: + - "_param_216049" + 216050: + name: "Experimental product" + alternative_names: + - "_param_216050" + 216051: + name: "Experimental product" + alternative_names: + - "_param_216051" + 216052: + name: "Experimental product" + alternative_names: + - "_param_216052" + 216053: + name: "Experimental product" + alternative_names: + - "_param_216053" + 216054: + name: "Experimental product" + alternative_names: + - "_param_216054" + 216055: + name: "Experimental product" + alternative_names: + - "_param_216055" + 216056: + name: "Experimental product" + alternative_names: + - "_param_216056" + 216057: + name: "Experimental product" + alternative_names: + - "_param_216057" + 216058: + name: "Experimental product" + alternative_names: + - "_param_216058" + 216059: + name: "Experimental product" + alternative_names: + - "_param_216059" + 216060: + name: "Experimental product" + alternative_names: + - "_param_216060" + 216061: + name: "Experimental product" + alternative_names: + - "_param_216061" + 216062: + name: "Experimental product" + alternative_names: + - "_param_216062" + 216063: + name: "Experimental product" + alternative_names: + - "_param_216063" + 216064: + name: "Experimental product" + alternative_names: + - "_param_216064" + 216065: + name: "Experimental product" + alternative_names: + - "_param_216065" + 216066: + name: "Experimental product" + alternative_names: + - "_param_216066" + 216067: + name: "Experimental product" + alternative_names: + - "_param_216067" + 216068: + name: "Experimental product" + alternative_names: + - "_param_216068" + 216069: + name: "Experimental product" + alternative_names: + - "_param_216069" + 216070: + name: "Experimental product" + alternative_names: + - "_param_216070" + 216071: + name: "Experimental product" + alternative_names: + - "_param_216071" + 216072: + name: "Experimental product" + alternative_names: + - "_param_216072" + 216073: + name: "Experimental product" + alternative_names: + - "_param_216073" + 216074: + name: "Experimental product" + alternative_names: + - "_param_216074" + 216075: + name: "Experimental product" + alternative_names: + - "_param_216075" + 216076: + name: "Experimental product" + alternative_names: + - "_param_216076" + 216077: + name: "Experimental product" + alternative_names: + - "_param_216077" + 216078: + name: "Experimental product" + alternative_names: + - "_param_216078" + 216079: + name: "Experimental product" + alternative_names: + - "_param_216079" + 216080: + name: "Experimental product" + alternative_names: + - "_param_216080" + 216081: + name: "Experimental product" + alternative_names: + - "_param_216081" + 216082: + name: "Experimental product" + alternative_names: + - "_param_216082" + 216083: + name: "Experimental product" + alternative_names: + - "_param_216083" + 216084: + name: "Experimental product" + alternative_names: + - "_param_216084" + 216085: + name: "Experimental product" + alternative_names: + - "_param_216085" + 216086: + name: "Experimental product" + alternative_names: + - "_param_216086" + 216087: + name: "Experimental product" + alternative_names: + - "_param_216087" + 216088: + name: "Experimental product" + alternative_names: + - "_param_216088" + 216089: + name: "Experimental product" + alternative_names: + - "_param_216089" + 216090: + name: "Experimental product" + alternative_names: + - "_param_216090" + 216091: + name: "Experimental product" + alternative_names: + - "_param_216091" + 216092: + name: "Experimental product" + alternative_names: + - "_param_216092" + 216093: + name: "Experimental product" + alternative_names: + - "_param_216093" + 216094: + name: "Experimental product" + alternative_names: + - "_param_216094" + 216095: + name: "Experimental product" + alternative_names: + - "_param_216095" + 216096: + name: "Experimental product" + alternative_names: + - "_param_216096" + 216097: + name: "Experimental product" + alternative_names: + - "_param_216097" + 216098: + name: "Experimental product" + alternative_names: + - "_param_216098" + 216099: + name: "Experimental product" + alternative_names: + - "_param_216099" + 216100: + name: "Experimental product" + alternative_names: + - "_param_216100" + 216101: + name: "Experimental product" + alternative_names: + - "_param_216101" + 216102: + name: "Experimental product" + alternative_names: + - "_param_216102" + 216103: + name: "Experimental product" + alternative_names: + - "_param_216103" + 216104: + name: "Experimental product" + alternative_names: + - "_param_216104" + 216105: + name: "Experimental product" + alternative_names: + - "_param_216105" + 216106: + name: "Experimental product" + alternative_names: + - "_param_216106" + 216107: + name: "Experimental product" + alternative_names: + - "_param_216107" + 216108: + name: "Experimental product" + alternative_names: + - "_param_216108" + 216109: + name: "Experimental product" + alternative_names: + - "_param_216109" + 216110: + name: "Experimental product" + alternative_names: + - "_param_216110" + 216111: + name: "Experimental product" + alternative_names: + - "_param_216111" + 216112: + name: "Experimental product" + alternative_names: + - "_param_216112" + 216113: + name: "Experimental product" + alternative_names: + - "_param_216113" + 216114: + name: "Experimental product" + alternative_names: + - "_param_216114" + 216115: + name: "Experimental product" + alternative_names: + - "_param_216115" + 216116: + name: "Experimental product" + alternative_names: + - "_param_216116" + 216117: + name: "Experimental product" + alternative_names: + - "_param_216117" + 216118: + name: "Experimental product" + alternative_names: + - "_param_216118" + 216119: + name: "Experimental product" + alternative_names: + - "_param_216119" + 216120: + name: "Experimental product" + alternative_names: + - "_param_216120" + 216121: + name: "Experimental product" + alternative_names: + - "_param_216121" + 216122: + name: "Experimental product" + alternative_names: + - "_param_216122" + 216123: + name: "Experimental product" + alternative_names: + - "_param_216123" + 216124: + name: "Experimental product" + alternative_names: + - "_param_216124" + 216125: + name: "Experimental product" + alternative_names: + - "_param_216125" + 216126: + name: "Experimental product" + alternative_names: + - "_param_216126" + 216127: + name: "Experimental product" + alternative_names: + - "_param_216127" + 216128: + name: "Experimental product" + alternative_names: + - "_param_216128" + 216129: + name: "Experimental product" + alternative_names: + - "_param_216129" + 216130: + name: "Experimental product" + alternative_names: + - "_param_216130" + 216131: + name: "Experimental product" + alternative_names: + - "_param_216131" + 216132: + name: "Experimental product" + alternative_names: + - "_param_216132" + 216133: + name: "Experimental product" + alternative_names: + - "_param_216133" + 216134: + name: "Experimental product" + alternative_names: + - "_param_216134" + 216135: + name: "Experimental product" + alternative_names: + - "_param_216135" + 216136: + name: "Experimental product" + alternative_names: + - "_param_216136" + 216137: + name: "Experimental product" + alternative_names: + - "_param_216137" + 216138: + name: "Experimental product" + alternative_names: + - "_param_216138" + 216139: + name: "Experimental product" + alternative_names: + - "_param_216139" + 216140: + name: "Experimental product" + alternative_names: + - "_param_216140" + 216141: + name: "Experimental product" + alternative_names: + - "_param_216141" + 216142: + name: "Experimental product" + alternative_names: + - "_param_216142" + 216143: + name: "Experimental product" + alternative_names: + - "_param_216143" + 216144: + name: "Experimental product" + alternative_names: + - "_param_216144" + 216145: + name: "Experimental product" + alternative_names: + - "_param_216145" + 216146: + name: "Experimental product" + alternative_names: + - "_param_216146" + 216147: + name: "Experimental product" + alternative_names: + - "_param_216147" + 216148: + name: "Experimental product" + alternative_names: + - "_param_216148" + 216149: + name: "Experimental product" + alternative_names: + - "_param_216149" + 216150: + name: "Experimental product" + alternative_names: + - "_param_216150" + 216151: + name: "Experimental product" + alternative_names: + - "_param_216151" + 216152: + name: "Experimental product" + alternative_names: + - "_param_216152" + 216153: + name: "Experimental product" + alternative_names: + - "_param_216153" + 216154: + name: "Experimental product" + alternative_names: + - "_param_216154" + 216155: + name: "Experimental product" + alternative_names: + - "_param_216155" + 216156: + name: "Experimental product" + alternative_names: + - "_param_216156" + 216157: + name: "Experimental product" + alternative_names: + - "_param_216157" + 216158: + name: "Experimental product" + alternative_names: + - "_param_216158" + 216159: + name: "Experimental product" + alternative_names: + - "_param_216159" + 216160: + name: "Experimental product" + alternative_names: + - "_param_216160" + 216161: + name: "Experimental product" + alternative_names: + - "_param_216161" + 216162: + name: "Experimental product" + alternative_names: + - "_param_216162" + 216163: + name: "Experimental product" + alternative_names: + - "_param_216163" + 216164: + name: "Experimental product" + alternative_names: + - "_param_216164" + 216165: + name: "Experimental product" + alternative_names: + - "_param_216165" + 216166: + name: "Experimental product" + alternative_names: + - "_param_216166" + 216167: + name: "Experimental product" + alternative_names: + - "_param_216167" + 216168: + name: "Experimental product" + alternative_names: + - "_param_216168" + 216169: + name: "Experimental product" + alternative_names: + - "_param_216169" + 216170: + name: "Experimental product" + alternative_names: + - "_param_216170" + 216171: + name: "Experimental product" + alternative_names: + - "_param_216171" + 216172: + name: "Experimental product" + alternative_names: + - "_param_216172" + 216173: + name: "Experimental product" + alternative_names: + - "_param_216173" + 216174: + name: "Experimental product" + alternative_names: + - "_param_216174" + 216175: + name: "Experimental product" + alternative_names: + - "_param_216175" + 216176: + name: "Experimental product" + alternative_names: + - "_param_216176" + 216177: + name: "Experimental product" + alternative_names: + - "_param_216177" + 216178: + name: "Experimental product" + alternative_names: + - "_param_216178" + 216179: + name: "Experimental product" + alternative_names: + - "_param_216179" + 216180: + name: "Experimental product" + alternative_names: + - "_param_216180" + 216181: + name: "Experimental product" + alternative_names: + - "_param_216181" + 216182: + name: "Experimental product" + alternative_names: + - "_param_216182" + 216183: + name: "Experimental product" + alternative_names: + - "_param_216183" + 216184: + name: "Experimental product" + alternative_names: + - "_param_216184" + 216185: + name: "Experimental product" + alternative_names: + - "_param_216185" + 216186: + name: "Experimental product" + alternative_names: + - "_param_216186" + 216187: + name: "Experimental product" + alternative_names: + - "_param_216187" + 216188: + name: "Experimental product" + alternative_names: + - "_param_216188" + 216189: + name: "Experimental product" + alternative_names: + - "_param_216189" + 216190: + name: "Experimental product" + alternative_names: + - "_param_216190" + 216191: + name: "Experimental product" + alternative_names: + - "_param_216191" + 216192: + name: "Experimental product" + alternative_names: + - "_param_216192" + 216193: + name: "Experimental product" + alternative_names: + - "_param_216193" + 216194: + name: "Experimental product" + alternative_names: + - "_param_216194" + 216195: + name: "Experimental product" + alternative_names: + - "_param_216195" + 216196: + name: "Experimental product" + alternative_names: + - "_param_216196" + 216197: + name: "Experimental product" + alternative_names: + - "_param_216197" + 216198: + name: "Experimental product" + alternative_names: + - "_param_216198" + 216199: + name: "Experimental product" + alternative_names: + - "_param_216199" + 216200: + name: "Experimental product" + alternative_names: + - "_param_216200" + 216201: + name: "Experimental product" + alternative_names: + - "_param_216201" + 216202: + name: "Experimental product" + alternative_names: + - "_param_216202" + 216203: + name: "Experimental product" + alternative_names: + - "_param_216203" + 216204: + name: "Experimental product" + alternative_names: + - "_param_216204" + 216205: + name: "Experimental product" + alternative_names: + - "_param_216205" + 216206: + name: "Experimental product" + alternative_names: + - "_param_216206" + 216207: + name: "Experimental product" + alternative_names: + - "_param_216207" + 216208: + name: "Experimental product" + alternative_names: + - "_param_216208" + 216209: + name: "Experimental product" + alternative_names: + - "_param_216209" + 216210: + name: "Experimental product" + alternative_names: + - "_param_216210" + 216211: + name: "Experimental product" + alternative_names: + - "_param_216211" + 216212: + name: "Experimental product" + alternative_names: + - "_param_216212" + 216213: + name: "Experimental product" + alternative_names: + - "_param_216213" + 216214: + name: "Experimental product" + alternative_names: + - "_param_216214" + 216215: + name: "Experimental product" + alternative_names: + - "_param_216215" + 216216: + name: "Experimental product" + alternative_names: + - "_param_216216" + 216217: + name: "Experimental product" + alternative_names: + - "_param_216217" + 216218: + name: "Experimental product" + alternative_names: + - "_param_216218" + 216219: + name: "Experimental product" + alternative_names: + - "_param_216219" + 216220: + name: "Experimental product" + alternative_names: + - "_param_216220" + 216221: + name: "Experimental product" + alternative_names: + - "_param_216221" + 216222: + name: "Experimental product" + alternative_names: + - "_param_216222" + 216223: + name: "Experimental product" + alternative_names: + - "_param_216223" + 216224: + name: "Experimental product" + alternative_names: + - "_param_216224" + 216225: + name: "Experimental product" + alternative_names: + - "_param_216225" + 216226: + name: "Experimental product" + alternative_names: + - "_param_216226" + 216227: + name: "Experimental product" + alternative_names: + - "_param_216227" + 216228: + name: "Experimental product" + alternative_names: + - "_param_216228" + 216229: + name: "Experimental product" + alternative_names: + - "_param_216229" + 216230: + name: "Experimental product" + alternative_names: + - "_param_216230" + 216231: + name: "Experimental product" + alternative_names: + - "_param_216231" + 216232: + name: "Experimental product" + alternative_names: + - "_param_216232" + 216233: + name: "Experimental product" + alternative_names: + - "_param_216233" + 216234: + name: "Experimental product" + alternative_names: + - "_param_216234" + 216235: + name: "Experimental product" + alternative_names: + - "_param_216235" + 216236: + name: "Experimental product" + alternative_names: + - "_param_216236" + 216237: + name: "Experimental product" + alternative_names: + - "_param_216237" + 216238: + name: "Experimental product" + alternative_names: + - "_param_216238" + 216239: + name: "Experimental product" + alternative_names: + - "_param_216239" + 216240: + name: "Experimental product" + alternative_names: + - "_param_216240" + 216241: + name: "Experimental product" + alternative_names: + - "_param_216241" + 216242: + name: "Experimental product" + alternative_names: + - "_param_216242" + 216243: + name: "Experimental product" + alternative_names: + - "_param_216243" + 216244: + name: "Experimental product" + alternative_names: + - "_param_216244" + 216245: + name: "Experimental product" + alternative_names: + - "_param_216245" + 216246: + name: "Experimental product" + alternative_names: + - "_param_216246" + 216247: + name: "Experimental product" + alternative_names: + - "_param_216247" + 216248: + name: "Experimental product" + alternative_names: + - "_param_216248" + 216249: + name: "Experimental product" + alternative_names: + - "_param_216249" + 216250: + name: "Experimental product" + alternative_names: + - "_param_216250" + 216251: + name: "Experimental product" + alternative_names: + - "_param_216251" + 216252: + name: "Experimental product" + alternative_names: + - "_param_216252" + 216253: + name: "Experimental product" + alternative_names: + - "_param_216253" + 216254: + name: "Experimental product" + alternative_names: + - "_param_216254" + 216255: + name: "Experimental product" + alternative_names: + - "_param_216255" + 217003: + name: "Hydrogen peroxide" + alternative_names: + - "h2o2" + 217004: + name: "Methane (chemistry)" + alternative_names: + - "ch4_c" + 217006: + name: "Nitric acid" + alternative_names: + - "hno3" + 217007: + name: "Methyl peroxide" + alternative_names: + - "ch3ooh" + 217009: + name: "Paraffins" + alternative_names: + - "par" + 217010: + name: "Ethene" + alternative_names: + - "c2h4" + 217011: + name: "Olefins" + alternative_names: + - "ole" + 217012: + name: "Aldehydes" + alternative_names: + - "ald2" + 217013: + name: "Peroxyacetyl nitrate" + alternative_names: + - "pan" + 217014: + name: "Peroxides" + alternative_names: + - "rooh" + 217015: + name: "Organic nitrates" + alternative_names: + - "onit" + 217016: + name: "Isoprene" + alternative_names: + - "c5h8" + 217018: + name: "Dimethyl sulfide" + alternative_names: + - "dms" + 217019: + name: "Ammonia mass mixing ratio" + alternative_names: + - "nh3" + 217020: + name: "Sulfate" + alternative_names: + - "so4" + 217021: + name: "Ammonium" + alternative_names: + - "nh4" + 217022: + name: "Methane sulfonic acid" + alternative_names: + - "msa" + 217023: + name: "Methyl glyoxal" + alternative_names: + - "ch3cocho" + 217024: + name: "Stratospheric ozone" + alternative_names: + - "o3s" + 217026: + name: "Lead" + alternative_names: + - "pb" + 217027: + name: "Nitrogen monoxide mass mixing ratio" + alternative_names: + - "no" + 217028: + name: "Hydroperoxy radical" + alternative_names: + - "ho2" + 217029: + name: "Methylperoxy radical" + alternative_names: + - "ch3o2" + 217030: + name: "Hydroxyl radical" + alternative_names: + - "oh" + 217032: + name: "Nitrate radical" + alternative_names: + - "no3" + 217033: + name: "Dinitrogen pentoxide" + alternative_names: + - "n2o5" + 217034: + name: "Pernitric acid" + alternative_names: + - "ho2no2" + 217035: + name: "Peroxy acetyl radical" + alternative_names: + - "c2o3" + 217036: + name: "Organic ethers" + alternative_names: + - "ror" + 217037: + name: "Par budget corrector" + alternative_names: + - "rxpar" + 217038: + name: "No to no2 operator" + alternative_names: + - "xo2" + 217039: + name: "No to alkyl nitrate operator" + alternative_names: + - "xo2n" + 217040: + name: "Amine" + alternative_names: + - "nh2" + 217041: + name: "Polar stratospheric cloud" + alternative_names: + - "psc" + 217042: + name: "Methanol" + alternative_names: + - "ch3oh" + 217043: + name: "Formic acid" + alternative_names: + - "hcooh" + 217044: + name: "Methacrylic acid" + alternative_names: + - "mcooh" + 217045: + name: "Ethane" + alternative_names: + - "c2h6" + 217046: + name: "Ethanol" + alternative_names: + - "c2h5oh" + 217047: + name: "Propane" + alternative_names: + - "c3h8" + 217048: + name: "Propene" + alternative_names: + - "c3h6" + 217049: + name: "Terpenes" + alternative_names: + - "c10h16" + 217050: + name: "Methacrolein mvk" + alternative_names: + - "ispd" + 217051: + name: "Nitrate" + alternative_names: + - "no3_a" + 217052: + name: "Acetone" + alternative_names: + - "ch3coch3" + 217053: + name: "Acetone product" + alternative_names: + - "aco2" + 217054: + name: "Ic3h7o2" + alternative_names: + - "ic3h7o2" + 217055: + name: "Hypropo2" + alternative_names: + - "hypropo2" + 217056: + name: "Nitrogen oxides transp" + alternative_names: + - "noxa" + 217057: + name: "Carbon dioxide (chemistry)" + alternative_names: + - "co2_c" + 217058: + name: "Nitrous oxide (chemistry)" + alternative_names: + - "n2o_c" + 217059: + name: "Water vapour (chemistry)" + alternative_names: + - "h2o" + 217060: + name: "Oxygen" + alternative_names: + - "o2" + 217061: + name: "Singlet oxygen" + alternative_names: + - "o2_1s" + 217062: + name: "Singlet delta oxygen" + alternative_names: + - "o2_1d" + 217063: + name: "Chlorine dioxide" + alternative_names: + - "oclo" + 217064: + name: "Chlorine nitrate" + alternative_names: + - "clono2" + 217065: + name: "Hypochlorous acid" + alternative_names: + - "hocl" + 217066: + name: "Chlorine" + alternative_names: + - "cl2" + 217067: + name: "Nitryl chloride" + alternative_names: + - "clno2" + 217068: + name: "Hydrogen bromide" + alternative_names: + - "hbr" + 217069: + name: "Dichlorine dioxide" + alternative_names: + - "cl2o2" + 217070: + name: "Hypobromous acid" + alternative_names: + - "hobr" + 217071: + name: "Trichlorofluoromethane" + alternative_names: + - "cfc11" + 217072: + name: "Dichlorodifluoromethane" + alternative_names: + - "cfc12" + 217073: + name: "Trichlorotrifluoroethane" + alternative_names: + - "cfc113" + 217074: + name: "Dichlorotetrafluoroethane" + alternative_names: + - "cfc114" + 217075: + name: "Chloropentafluoroethane" + alternative_names: + - "cfc115" + 217076: + name: "Tetrachloromethane" + alternative_names: + - "ccl4" + 217077: + name: "Methyl chloroform" + alternative_names: + - "ch3ccl3" + 217078: + name: "Methyl chloride" + alternative_names: + - "ch3cl" + 217079: + name: "Chlorodifluoromethane" + alternative_names: + - "hcfc22" + 217080: + name: "Methyl bromide" + alternative_names: + - "ch3br" + 217081: + name: "Dibromodifluoromethane" + alternative_names: + - "ha1202" + 217082: + name: "Bromochlorodifluoromethane" + alternative_names: + - "ha1211" + 217083: + name: "Trifluorobromomethane" + alternative_names: + - "ha1301" + 217084: + name: "Cbrf2cbrf2" + alternative_names: + - "ha2402" + 217085: + name: "Sulfuric acid" + alternative_names: + - "h2so4" + 217086: + name: "Nitrous acid" + alternative_names: + - "hono" + 217087: + name: "Alkanes low oh rate" + alternative_names: + - "hc3" + 217088: + name: "Alkanes med oh rate" + alternative_names: + - "hc5" + 217089: + name: "Alkanes high oh rate" + alternative_names: + - "hc8" + 217090: + name: "Terminal alkenes" + alternative_names: + - "olt" + 217091: + name: "Internal alkenes" + alternative_names: + - "oli" + 217092: + name: "Ethylperoxy radical" + alternative_names: + - "c2h5o2" + 217093: + name: "Butadiene" + alternative_names: + - "dien" + 217094: + name: "Ethyl hydroperoxide" + alternative_names: + - "c2h5ooh" + 217095: + name: "A-pinene cyclic terpenes" + alternative_names: + - "api" + 217096: + name: "Acetic acid" + alternative_names: + - "ch3cooh" + 217097: + name: "D-limonene cyclic diene" + alternative_names: + - "lim" + 217098: + name: "Acetaldehyde" + alternative_names: + - "ch3cho" + 217099: + name: "Toluene and less reactive aromatics" + alternative_names: + - "tol" + 217100: + name: "Xylene and more reactive aromatics" + alternative_names: + - "xyl" + 217101: + name: "Glycolaldehyde" + alternative_names: + - "glyald" + 217102: + name: "Cresol" + alternative_names: + - "cresol" + 217103: + name: "Acetaldehyde and higher" + alternative_names: + - "ald" + 217104: + name: "Peracetic acid" + alternative_names: + - "ch3coooh" + 217105: + name: "Ketones" + alternative_names: + - "ket" + 217106: + name: "Hoch2ch2o2" + alternative_names: + - "eo2" + 217107: + name: "Glyoxal" + alternative_names: + - "glyoxal" + 217108: + name: "Hoch2ch2o" + alternative_names: + - "eo" + 217109: + name: "Unsaturated dicarbonyls" + alternative_names: + - "dcb" + 217110: + name: "Methacrolein" + alternative_names: + - "macr" + 217111: + name: "Unsaturated hydroxy dicarbonyl" + alternative_names: + - "udd" + 217112: + name: "Isopropyldioxidanyl" + alternative_names: + - "c3h7o2" + 217113: + name: "Hydroxy ketone" + alternative_names: + - "hket" + 217114: + name: "Isopropyl hydroperoxide" + alternative_names: + - "c3h7ooh" + 217115: + name: "C3h6oho2" + alternative_names: + - "po2" + 217116: + name: "C3h6ohooh" + alternative_names: + - "pooh" + 217117: + name: "Higher organic peroxides" + alternative_names: + - "op2" + 217118: + name: "Hydroxyacetone" + alternative_names: + - "hyac" + 217119: + name: "Peroxyacetic acid" + alternative_names: + - "paa" + 217120: + name: "Ch3coch2o2" + alternative_names: + - "ro2" + 217121: + name: "Peroxy radical from c2h6" + alternative_names: + - "ethp" + 217122: + name: "Peroxy radical from hc3" + alternative_names: + - "hc3p" + 217123: + name: "Peroxy radical from hc5" + alternative_names: + - "hc5p" + 217124: + name: "Lumped alkenes" + alternative_names: + - "bigene" + 217125: + name: "Peroxy radical from hc8" + alternative_names: + - "hc8p" + 217126: + name: "Lumped alkanes" + alternative_names: + - "bigalk" + 217127: + name: "Peroxy radical from c2h4" + alternative_names: + - "etep" + 217128: + name: "C4h8o" + alternative_names: + - "mek" + 217129: + name: "Peroxy radical from terminal alkenes" + alternative_names: + - "oltp" + 217130: + name: "C4h9o3" + alternative_names: + - "eneo2" + 217131: + name: "Peroxy radical from internal alkenes" + alternative_names: + - "olip" + 217132: + name: "Ch3coch(oo)ch3" + alternative_names: + - "meko2" + 217133: + name: "Peroxy radical from c5h8" + alternative_names: + - "isopo2" + 217134: + name: "Ch3coch(ooh)ch3" + alternative_names: + - "mekooh" + 217135: + name: "Peroxy radical from a-pinene cyclic terpenes" + alternative_names: + - "apip" + 217136: + name: "Ch2=c(ch3)co3" + alternative_names: + - "mco3" + 217137: + name: "Peroxy radical from d-limonene cyclic diene" + alternative_names: + - "limp" + 217138: + name: "Methylvinylketone" + alternative_names: + - "mvk" + 217139: + name: "Phenoxy radical" + alternative_names: + - "pho" + 217140: + name: "Peroxy radical from toluene and less reactive aromatics" + alternative_names: + - "tolp" + 217141: + name: "Ch3c(o)ch(oo)ch2oh" + alternative_names: + - "macro2" + 217142: + name: "Peroxy radical from xylene and more reactive aromatics" + alternative_names: + - "xylp" + 217143: + name: "H3c(o)ch(ooh)ch2oh" + alternative_names: + - "macrooh" + 217144: + name: "Peroxy radical from cresol" + alternative_names: + - "cslp" + 217145: + name: "Unsaturated pans" + alternative_names: + - "mpan" + 217146: + name: "Unsaturated acyl peroxy radical" + alternative_names: + - "tco3_c" + 217147: + name: "Peroxy radical from ketones" + alternative_names: + - "ketp" + 217148: + name: "C5h11o2" + alternative_names: + - "alko2" + 217149: + name: "No3-alkenes adduct reacting to form carbonitrates" + alternative_names: + - "olnn" + 217150: + name: "C5h11ooh" + alternative_names: + - "alkooh" + 217151: + name: "No3-alkenes adduct reacting via decomposition" + alternative_names: + - "olnd" + 217152: + name: "Hoch2c(ch3)=chcho" + alternative_names: + - "bigald" + 217153: + name: "C5h6o2" + alternative_names: + - "hydrald" + 217154: + name: "Trop sulfuric acid" + alternative_names: + - "sulf" + 217155: + name: "Oxides" + alternative_names: + - "ox" + 217156: + name: "Ch2chc(ch3)(oo)ch2ono2" + alternative_names: + - "isopno3" + 217157: + name: "C3 organic nitrate" + alternative_names: + - "onitr" + 217158: + name: "Chlorine oxides" + alternative_names: + - "clox" + 217159: + name: "Bromine oxides" + alternative_names: + - "brox" + 217160: + name: "Hoch2c(ooh)(ch3)chchoh" + alternative_names: + - "xooh" + 217161: + name: "Hoch2c(ooh)(ch3)ch=ch2" + alternative_names: + - "isopooh" + 217162: + name: "Lumped aromatics" + alternative_names: + - "toluene" + 217163: + name: "Dimethyl sulfoxyde" + alternative_names: + - "dmso" + 217164: + name: "C7h9o5" + alternative_names: + - "tolo2" + 217165: + name: "C7h10o5" + alternative_names: + - "tolooh" + 217166: + name: "Hydrogensulfide" + alternative_names: + - "h2s" + 217167: + name: "C7h10o6" + alternative_names: + - "xoh" + 217168: + name: "All nitrogen oxides" + alternative_names: + - "noy" + 217169: + name: "Chlorine family" + alternative_names: + - "cly" + 217170: + name: "C10h16(oh)(oo)" + alternative_names: + - "terpo2" + 217171: + name: "Bromine family" + alternative_names: + - "bry" + 217172: + name: "C10h18o3" + alternative_names: + - "terpooh" + 217173: + name: "Nitrogen atom" + alternative_names: + - "n" + 217174: + name: "Chlorine monoxide" + alternative_names: + - "clo" + 217175: + name: "Chlorine atom" + alternative_names: + - "cl_c" + 217176: + name: "Bromine monoxide" + alternative_names: + - "bro" + 217177: + name: "Hydrogen atom" + alternative_names: + - "h_c" + 217178: + name: "Methyl group" + alternative_names: + - "ch3" + 217179: + name: "Aromatic-ho from toluene and less reactive aromatics" + alternative_names: + - "addt" + 217180: + name: "Aromatic-ho from xylene and more reactive aromatics" + alternative_names: + - "addx" + 217181: + name: "Ammonium nitrate" + alternative_names: + - "nh4no3" + 217182: + name: "Aromatic-ho from csl" + alternative_names: + - "addc" + 217183: + name: "Secondary organic aerosol type 1" + alternative_names: + - "soa1" + 217184: + name: "Secondary organic aerosol type 2a" + alternative_names: + - "soa2a" + 217185: + name: "Secondary organic aerosol type 2b" + alternative_names: + - "soa2b" + 217186: + name: "Condensable gas type 1" + alternative_names: + - "sog1" + 217187: + name: "Condensable gas type 2a" + alternative_names: + - "sog2a" + 217188: + name: "Condensable gas type 2b" + alternative_names: + - "sog2b" + 217189: + name: "Sulfur trioxide" + alternative_names: + - "so3" + 217190: + name: "Carbonyl sulfide" + alternative_names: + - "ocs_c" + 217191: + name: "Bromine atom" + alternative_names: + - "br" + 217192: + name: "Bromine" + alternative_names: + - "br2" + 217193: + name: "Bromine monochloride" + alternative_names: + - "brcl" + 217194: + name: "Bromine nitrate" + alternative_names: + - "brono2" + 217195: + name: "Dibromomethane" + alternative_names: + - "ch2br2" + 217196: + name: "Methoxy radical" + alternative_names: + - "ch3o" + 217197: + name: "Tribromomethane" + alternative_names: + - "chbr3" + 217198: + name: "Asymmetric chlorine dioxide radical" + alternative_names: + - "cloo" + 217199: + name: "Hydrogen" + alternative_names: + - "h2" + 217200: + name: "Hydrogen chloride" + alternative_names: + - "hcl" + 217201: + name: "Formyl radical" + alternative_names: + - "hco" + 217202: + name: "Hydrogen fluoride" + alternative_names: + - "hf" + 217203: + name: "Oxygen atom" + alternative_names: + - "o" + 217204: + name: "Excited oxygen atom" + alternative_names: + - "o1d" + 217205: + name: "Ground state oxygen atom" + alternative_names: + - "o3p" + 217206: + name: "Stratospheric aerosol" + alternative_names: + - "strataer" + 217222: + name: "Aromatic peroxy radical mass mixing ratio" + alternative_names: + - "aroo2" + 217223: + name: "Ethyne mass mixing ratio" + alternative_names: + - "c2h2" + 217224: + name: "Acetonitrile mass mixing ratio" + alternative_names: + - "ch3cn" + 217225: + name: "Methyl peroxy nitrate mass mixing ratio" + alternative_names: + - "ch3o2no2" + 217226: + name: "Hydrogen cyanide mass mixing ratio" + alternative_names: + - "hcn" + 217227: + name: "Hydroperoxy aldehydes type 1 mass mixing ratio" + alternative_names: + - "hpald1" + 217228: + name: "Hydroperoxy aldehydes type 2 mass mixing ratio" + alternative_names: + - "hpald" + 217229: + name: "Isoprene peroxy type b mass mixing ratio" + alternative_names: + - "isopbo2" + 217230: + name: "Isoprene peroxy type d mass mixing ratio" + alternative_names: + - "isopdo2" + 217231: + name: "Anthropogenic volatile organic compounds mass mixing ratio" + alternative_names: + - "voca" + 217232: + name: "Biomass burning volatile organic compounds mass mixing ratio" + alternative_names: + - "vocbb" + 218003: + name: "Total column hydrogen peroxide" + alternative_names: + - "tc_h2o2" + 218004: + name: "Total column methane" + alternative_names: + - "tc_ch4" + 218006: + name: "Total column nitric acid" + alternative_names: + - "tc_hno3" + 218007: + name: "Total column methyl peroxide" + alternative_names: + - "tc_ch3ooh" + 218009: + name: "Total column paraffins" + alternative_names: + - "tc_par" + 218010: + name: "Total column ethene" + alternative_names: + - "tc_c2h4" + 218011: + name: "Total column olefins" + alternative_names: + - "tc_ole" + 218012: + name: "Total column aldehydes" + alternative_names: + - "tc_ald2" + 218013: + name: "Total column peroxyacetyl nitrate" + alternative_names: + - "tc_pan" + 218014: + name: "Total column peroxides" + alternative_names: + - "tc_rooh" + 218015: + name: "Total column organic nitrates" + alternative_names: + - "tc_onit" + 218016: + name: "Total column isoprene" + alternative_names: + - "tc_c5h8" + 218018: + name: "Total column dimethyl sulfide" + alternative_names: + - "tc_dms" + 218019: + name: "Total column ammonia" + alternative_names: + - "tc_nh3" + 218020: + name: "Total column sulfate" + alternative_names: + - "tc_so4" + 218021: + name: "Total column ammonium" + alternative_names: + - "tc_nh4" + 218022: + name: "Total column methane sulfonic acid" + alternative_names: + - "tc_msa" + 218023: + name: "Total column methyl glyoxal" + alternative_names: + - "tc_ch3cocho" + 218024: + name: "Total column stratospheric ozone" + alternative_names: + - "tc_o3s" + 218026: + name: "Total column lead" + alternative_names: + - "tc_pb" + 218027: + name: "Total column nitrogen monoxide" + alternative_names: + - "tc_no" + 218028: + name: "Total column hydroperoxy radical" + alternative_names: + - "tc_ho2" + 218029: + name: "Total column methylperoxy radical" + alternative_names: + - "tc_ch3o2" + 218030: + name: "Total column hydroxyl radical" + alternative_names: + - "tc_oh" + 218032: + name: "Total column nitrate radical" + alternative_names: + - "tc_no3" + 218033: + name: "Total column dinitrogen pentoxide" + alternative_names: + - "tc_n2o5" + 218034: + name: "Total column pernitric acid" + alternative_names: + - "tc_ho2no2" + 218035: + name: "Total column peroxy acetyl radical" + alternative_names: + - "tc_c2o3" + 218036: + name: "Total column organic ethers" + alternative_names: + - "tc_ror" + 218037: + name: "Total column par budget corrector" + alternative_names: + - "tc_rxpar" + 218038: + name: "Total column no to no2 operator" + alternative_names: + - "tc_xo2" + 218039: + name: "Total column no to alkyl nitrate operator" + alternative_names: + - "tc_xo2n" + 218040: + name: "Total column amine" + alternative_names: + - "tc_nh2" + 218041: + name: "Total column polar stratospheric cloud" + alternative_names: + - "tc_psc" + 218042: + name: "Total column methanol" + alternative_names: + - "tc_ch3oh" + 218043: + name: "Total column formic acid" + alternative_names: + - "tc_hcooh" + 218044: + name: "Total column methacrylic acid" + alternative_names: + - "tc_mcooh" + 218045: + name: "Total column ethane" + alternative_names: + - "tc_c2h6" + 218046: + name: "Total column ethanol" + alternative_names: + - "tc_c2h5oh" + 218047: + name: "Total column propane" + alternative_names: + - "tc_c3h8" + 218048: + name: "Total column propene" + alternative_names: + - "tc_c3h6" + 218049: + name: "Total column terpenes" + alternative_names: + - "tc_c10h16" + 218050: + name: "Total column methacrolein mvk" + alternative_names: + - "tc_ispd" + 218051: + name: "Total column nitrate" + alternative_names: + - "tc_no3_a" + 218052: + name: "Total column acetone" + alternative_names: + - "tc_ch3coch3" + 218053: + name: "Total column acetone product" + alternative_names: + - "tc_aco2" + 218054: + name: "Total column ic3h7o2" + alternative_names: + - "tc_ic3h7o2" + 218055: + name: "Total column hypropo2" + alternative_names: + - "tc_hypropo2" + 218056: + name: "Total column nitrogen oxides transp" + alternative_names: + - "tc_noxa" + 218057: + name: "Total column of carbon dioxide (chemistry)" + alternative_names: + - "tc_co2_c" + 218058: + name: "Total column of nitrous oxide (chemistry)" + alternative_names: + - "tc_n2o_c" + 218059: + name: "Total column of water vapour (chemistry)" + alternative_names: + - "tc_h2o" + 218060: + name: "Total column of oxygen" + alternative_names: + - "tc_o2" + 218061: + name: "Total column of singlet oxygen" + alternative_names: + - "tc_o2_1s" + 218062: + name: "Total column of singlet delta oxygen" + alternative_names: + - "tc_o2_1d" + 218063: + name: "Total column of chlorine dioxide" + alternative_names: + - "tc_oclo" + 218064: + name: "Total column of chlorine nitrate" + alternative_names: + - "tc_clono2" + 218065: + name: "Total column of hypochlorous acid" + alternative_names: + - "tc_hocl" + 218066: + name: "Total column of chlorine" + alternative_names: + - "tc_cl2" + 218067: + name: "Total column of nitryl chloride" + alternative_names: + - "tc_clno2" + 218068: + name: "Total column of hydrogen bromide" + alternative_names: + - "tc_hbr" + 218069: + name: "Total column of dichlorine dioxide" + alternative_names: + - "tc_cl2o2" + 218070: + name: "Total column of hypobromous acid" + alternative_names: + - "tc_hobr" + 218071: + name: "Total column of trichlorofluoromethane" + alternative_names: + - "tc_cfc11" + 218072: + name: "Total column of dichlorodifluoromethane" + alternative_names: + - "tc_cfc12" + 218073: + name: "Total column of trichlorotrifluoroethane" + alternative_names: + - "tc_cfc113" + 218074: + name: "Total column of dichlorotetrafluoroethane" + alternative_names: + - "tc_cfc114" + 218075: + name: "Total column of chloropentafluoroethane" + alternative_names: + - "tc_cfc115" + 218076: + name: "Total column of tetrachloromethane" + alternative_names: + - "tc_ccl4" + 218077: + name: "Total column of methyl chloroform" + alternative_names: + - "tc_ch3ccl3" + 218078: + name: "Total column of methyl chloride" + alternative_names: + - "tc_ch3cl" + 218079: + name: "Total column of chlorodifluoromethane" + alternative_names: + - "tc_hcfc22" + 218080: + name: "Total column of methyl bromide" + alternative_names: + - "tc_ch3br" + 218081: + name: "Total column of dibromodifluoromethane" + alternative_names: + - "tc_ha1202" + 218082: + name: "Total column of bromochlorodifluoromethane" + alternative_names: + - "tc_ha1211" + 218083: + name: "Total column of trifluorobromomethane" + alternative_names: + - "tc_ha1301" + 218084: + name: "Total column of cbrf2cbrf2" + alternative_names: + - "tc_ha2402" + 218085: + name: "Total column of sulfuric acid" + alternative_names: + - "tc_h2so4" + 218086: + name: "Total column of nitrous acid" + alternative_names: + - "tc_hono" + 218087: + name: "Total column of alkanes low oh rate" + alternative_names: + - "tc_hc3" + 218088: + name: "Total column of alkanes med oh rate" + alternative_names: + - "tc_hc5" + 218089: + name: "Total column of alkanes high oh rate" + alternative_names: + - "tc_hc8" + 218090: + name: "Total column of terminal alkenes" + alternative_names: + - "tc_olt" + 218091: + name: "Total column of internal alkenes" + alternative_names: + - "tc_oli" + 218092: + name: "Total column of ethylperoxy radical" + alternative_names: + - "tc_c2h5o2" + 218093: + name: "Total column of butadiene" + alternative_names: + - "tc_dien" + 218094: + name: "Total column of ethyl hydroperoxide" + alternative_names: + - "tc_c2h5ooh" + 218095: + name: "Total column of a-pinene cyclic terpenes" + alternative_names: + - "tc_api" + 218096: + name: "Total column of acetic acid" + alternative_names: + - "tc_ch3cooh" + 218097: + name: "Total column of d-limonene cyclic diene" + alternative_names: + - "tc_lim" + 218098: + name: "Total column of acetaldehyde" + alternative_names: + - "tc_ch3cho" + 218099: + name: "Total column of toluene and less reactive aromatics" + alternative_names: + - "tc_tol" + 218100: + name: "Total column of xylene and more reactive aromatics" + alternative_names: + - "tc_xyl" + 218101: + name: "Total column of glycolaldehyde" + alternative_names: + - "tc_glyald" + 218102: + name: "Total column of cresol" + alternative_names: + - "tc_cresol" + 218103: + name: "Total column of acetaldehyde and higher" + alternative_names: + - "tc_ald" + 218104: + name: "Total column of peracetic acid" + alternative_names: + - "tc_ch3coooh" + 218105: + name: "Total column of ketones" + alternative_names: + - "tc_ket" + 218106: + name: "Total column of hoch2ch2o2" + alternative_names: + - "tc_eo2" + 218107: + name: "Total column of glyoxal" + alternative_names: + - "tc_glyoxal" + 218108: + name: "Total column of hoch2ch2o" + alternative_names: + - "tc_eo" + 218109: + name: "Total column of unsaturated dicarbonyls" + alternative_names: + - "tc_dcb" + 218110: + name: "Total column of methacrolein" + alternative_names: + - "tc_macr" + 218111: + name: "Total column of unsaturated hydroxy dicarbonyl" + alternative_names: + - "tc_udd" + 218112: + name: "Total column of isopropyldioxidanyl" + alternative_names: + - "tc_c3h7o2" + 218113: + name: "Total column of hydroxy ketone" + alternative_names: + - "tc_hket" + 218114: + name: "Total column of isopropyl hydroperoxide" + alternative_names: + - "tc_c3h7ooh" + 218115: + name: "Total column of c3h6oho2" + alternative_names: + - "tc_po2" + 218116: + name: "Total column of c3h6ohooh" + alternative_names: + - "tc_pooh" + 218117: + name: "Total column of higher organic peroxides" + alternative_names: + - "tc_op2" + 218118: + name: "Total column of hydroxyacetone" + alternative_names: + - "tc_hyac" + 218119: + name: "Total column of peroxyacetic acid" + alternative_names: + - "tc_paa" + 218120: + name: "Total column of ch3coch2o2" + alternative_names: + - "tc_ro2" + 218121: + name: "Total column of peroxy radical from c2h6" + alternative_names: + - "tc_ethp" + 218122: + name: "Total column of peroxy radical from hc3" + alternative_names: + - "tc_hc3p" + 218123: + name: "Total column of peroxy radical from hc5" + alternative_names: + - "tc_hc5p" + 218124: + name: "Total column of lumped alkenes" + alternative_names: + - "tc_bigene" + 218125: + name: "Total column of peroxy radical from hc8" + alternative_names: + - "tc_hc8p" + 218126: + name: "Total column of lumped alkanes" + alternative_names: + - "tc_bigalk" + 218127: + name: "Total column of peroxy radical from c2h4" + alternative_names: + - "tc_etep" + 218128: + name: "Total column of c4h8o" + alternative_names: + - "tc_mek" + 218129: + name: "Total column of peroxy radical from terminal alkenes" + alternative_names: + - "tc_oltp" + 218130: + name: "Total column of c4h9o3" + alternative_names: + - "tc_eneo2" + 218131: + name: "Total column of peroxy radical from internal alkenes" + alternative_names: + - "tc_olip" + 218132: + name: "Total column of ch3coch(oo)ch3" + alternative_names: + - "tc_meko2" + 218133: + name: "Total column of peroxy radical from c5h8" + alternative_names: + - "tc_isopo2" + 218134: + name: "Total column of ch3coch(ooh)ch3" + alternative_names: + - "tc_mekooh" + 218135: + name: "Total column of peroxy radical from a-pinene cyclic terpenes" + alternative_names: + - "tc_apip" + 218136: + name: "Total column of ch2=c(ch3)co3" + alternative_names: + - "tc_mco3" + 218137: + name: "Total column of peroxy radical from d-limonene cyclic diene" + alternative_names: + - "tc_limp" + 218138: + name: "Total column of methylvinylketone" + alternative_names: + - "tc_mvk" + 218139: + name: "Total column of phenoxy radical" + alternative_names: + - "tc_pho" + 218140: + name: "Total column of peroxy radical from toluene and less reactive aromatics" + alternative_names: + - "tc_tolp" + 218141: + name: "Total column of ch3c(o)ch(oo)ch2oh" + alternative_names: + - "tc_macro2" + 218142: + name: "Total column of peroxy radical from xylene and more reactive aromatics" + alternative_names: + - "tc_xylp" + 218143: + name: "Total column of h3c(o)ch(ooh)ch2oh" + alternative_names: + - "tc_macrooh" + 218144: + name: "Total column of peroxy radical from cresol" + alternative_names: + - "tc_cslp" + 218145: + name: "Total column of unsaturated pans" + alternative_names: + - "tc_mpan" + 218146: + name: "Total column of unsaturated acyl peroxy radical" + alternative_names: + - "tc_tco3_c" + 218147: + name: "Total column of peroxy radical from ketones" + alternative_names: + - "tc_ketp" + 218148: + name: "Total column of c5h11o2" + alternative_names: + - "tc_alko2" + 218149: + name: "Total column of no3-alkenes adduct reacting to form carbonitrates" + alternative_names: + - "tc_olnn" + 218150: + name: "Total column of c5h11ooh" + alternative_names: + - "tc_alkooh" + 218151: + name: "Total column of no3-alkenes adduct reacting via decomposition" + alternative_names: + - "tc_olnd" + 218152: + name: "Total column of hoch2c(ch3)=chcho" + alternative_names: + - "tc_bigald" + 218153: + name: "Total column of c5h6o2" + alternative_names: + - "tc_hydrald" + 218154: + name: "Total column of trop sulfuric acid" + alternative_names: + - "tc_sulf" + 218155: + name: "Total column of oxides" + alternative_names: + - "tc_ox" + 218156: + name: "Total column of ch2chc(ch3)(oo)ch2ono2" + alternative_names: + - "tc_isopno3" + 218157: + name: "Total column of c3 organic nitrate" + alternative_names: + - "tc_onitr" + 218158: + name: "Total column of chlorine oxides" + alternative_names: + - "tc_clox" + 218159: + name: "Total column of bromine oxides" + alternative_names: + - "tc_brox" + 218160: + name: "Total column of hoch2c(ooh)(ch3)chchoh" + alternative_names: + - "tc_xooh" + 218161: + name: "Total column of hoch2c(ooh)(ch3)ch=ch2" + alternative_names: + - "tc_isopooh" + 218162: + name: "Total column of lumped aromatics" + alternative_names: + - "tc_toluene" + 218163: + name: "Total column of dimethyl sulfoxyde" + alternative_names: + - "tc_dmso" + 218164: + name: "Total column of c7h9o5" + alternative_names: + - "tc_tolo2" + 218165: + name: "Total column of c7h10o5" + alternative_names: + - "tc_tolooh" + 218166: + name: "Total column of hydrogensulfide" + alternative_names: + - "tc_h2s" + 218167: + name: "Total column of c7h10o6" + alternative_names: + - "tc_xoh" + 218168: + name: "Total column of all nitrogen oxides" + alternative_names: + - "tc_noy" + 218169: + name: "Total column of chlorine family" + alternative_names: + - "tc_cly" + 218170: + name: "Total column of c10h16(oh)(oo)" + alternative_names: + - "tc_terpo2" + 218171: + name: "Total column of bromine family" + alternative_names: + - "tc_bry" + 218172: + name: "Total column of c10h18o3" + alternative_names: + - "tc_terpooh" + 218173: + name: "Total column of nitrogen atom" + alternative_names: + - "tc_n" + 218174: + name: "Total column of chlorine monoxide" + alternative_names: + - "tc_clo" + 218175: + name: "Total column of chlorine atom" + alternative_names: + - "tc_cl_c" + 218176: + name: "Total column of bromine monoxide" + alternative_names: + - "tc_bro" + 218177: + name: "Total column of hydrogen atom" + alternative_names: + - "tc_h_c" + 218178: + name: "Total column of methyl group" + alternative_names: + - "tc_ch3" + 218179: + name: "Total column of aromatic-ho from toluene and less reactive aromatics" + alternative_names: + - "tc_addt" + 218180: + name: "Total column of aromatic-ho from xylene and more reactive aromatics" + alternative_names: + - "tc_addx" + 218181: + name: "Total column of ammonium nitrate" + alternative_names: + - "tc_nh4no3" + 218182: + name: "Total column of aromatic-ho from csl" + alternative_names: + - "tc_addc" + 218183: + name: "Total column of secondary organic aerosol type 1" + alternative_names: + - "tc_soa1" + 218184: + name: "Total column of secondary organic aerosol type 2a" + alternative_names: + - "tc_soa2a" + 218185: + name: "Total column of secondary organic aerosol type 2b" + alternative_names: + - "tc_soa2b" + 218186: + name: "Total column of condensable gas type 1" + alternative_names: + - "tc_sog1" + 218187: + name: "Total column of condensable gas type 2a" + alternative_names: + - "tc_sog2a" + 218188: + name: "Total column of condensable gas type 2b" + alternative_names: + - "tc_sog2b" + 218189: + name: "Total column of sulfur trioxide" + alternative_names: + - "tc_so3" + 218190: + name: "Total column of carbonyl sulfide" + alternative_names: + - "tc_ocs_c" + 218191: + name: "Total column of bromine atom" + alternative_names: + - "tc_br" + 218192: + name: "Total column of bromine" + alternative_names: + - "tc_br2" + 218193: + name: "Total column of bromine monochloride" + alternative_names: + - "tc_brcl" + 218194: + name: "Total column of bromine nitrate" + alternative_names: + - "tc_brono2" + 218195: + name: "Total column of dibromomethane" + alternative_names: + - "tc_ch2br2" + 218196: + name: "Total column of methoxy radical" + alternative_names: + - "tc_ch3o" + 218197: + name: "Total column of tribromomethane" + alternative_names: + - "tc_chbr3" + 218198: + name: "Total column of asymmetric chlorine dioxide radical" + alternative_names: + - "tc_cloo" + 218199: + name: "Total column of hydrogen" + alternative_names: + - "tc_h2" + 218200: + name: "Total column of hydrogen chloride" + alternative_names: + - "tc_hcl" + 218201: + name: "Total column of formyl radical" + alternative_names: + - "tc_hco" + 218202: + name: "Total column of hydrogen fluoride" + alternative_names: + - "tc_hf" + 218203: + name: "Total column of oxygen atom" + alternative_names: + - "tc_o" + 218204: + name: "Total column of excited oxygen atom" + alternative_names: + - "tc_o1d" + 218205: + name: "Total column of ground state oxygen atom" + alternative_names: + - "tc_o3p" + 218206: + name: "Total column of stratospheric aerosol" + alternative_names: + - "tc_strataer" + 218221: + name: "Column integrated mass density of volcanic sulfur dioxide" + alternative_names: + - "tc_vso2" + 218222: + name: "Column integrated mass density of aromatic peroxy radical" + alternative_names: + - "tc_aroo2" + 218223: + name: "Column integrated mass density of ethyne" + alternative_names: + - "tc_c2h2" + 218224: + name: "Column integrated mass density of acetonitrile" + alternative_names: + - "tc_ch3cn" + 218225: + name: "Column integrated mass density of methyl peroxy nitrate" + alternative_names: + - "tc_ch3o2no2" + 218226: + name: "Column integrated mass density of hydrogen cyanide" + alternative_names: + - "tc_hcn" + 218227: + name: "Column integrated mass density of hydroperoxy aldehydes type 1" + alternative_names: + - "tc_hpald1" + 218228: + name: "Column integrated mass density of hydroperoxy aldehydes type 2" + alternative_names: + - "tc_hpald2" + 218229: + name: "Column integrated mass density of isoprene peroxy type b" + alternative_names: + - "tc_isopbo2" + 218230: + name: "Column integrated mass density of isoprene peroxy type d" + alternative_names: + - "tc_isopdo2" + 218231: + name: "Column integrated mass density of anthropogenic volatile organic compounds" + alternative_names: + - "tc_voca" + 218232: + name: "Column integrated mass density of biomass burning volatile organic compounds" + alternative_names: + - "tc_vocbb" + 219001: + name: "Ozone emissions" + alternative_names: + - "e_go3" + 219002: + name: "Nitrogen oxides emissions" + alternative_names: + - "e_nox" + 219003: + name: "Hydrogen peroxide emissions" + alternative_names: + - "e_h2o2" + 219004: + name: "Methane emissions" + alternative_names: + - "e_ch4" + 219005: + name: "Carbon monoxide emissions" + alternative_names: + - "e_co" + 219006: + name: "Nitric acid emissions" + alternative_names: + - "e_hno3" + 219007: + name: "Methyl peroxide emissions" + alternative_names: + - "e_ch3ooh" + 219008: + name: "Formaldehyde emissions" + alternative_names: + - "e_hcho" + 219009: + name: "Paraffins emissions" + alternative_names: + - "e_par" + 219010: + name: "Ethene emissions" + alternative_names: + - "e_c2h4" + 219011: + name: "Olefins emissions" + alternative_names: + - "e_ole" + 219012: + name: "Aldehydes emissions" + alternative_names: + - "e_ald2" + 219013: + name: "Peroxyacetyl nitrate emissions" + alternative_names: + - "e_pan" + 219014: + name: "Peroxides emissions" + alternative_names: + - "e_rooh" + 219015: + name: "Organic nitrates emissions" + alternative_names: + - "e_onit" + 219016: + name: "Isoprene emissions" + alternative_names: + - "e_c5h8" + 219017: + name: "Sulfur dioxide emissions" + alternative_names: + - "e_so2" + 219018: + name: "Dimethyl sulfide emissions" + alternative_names: + - "e_dms" + 219019: + name: "Ammonia emissions" + alternative_names: + - "e_nh3" + 219020: + name: "Sulfate emissions" + alternative_names: + - "e_so4" + 219021: + name: "Ammonium emissions" + alternative_names: + - "e_nh4" + 219022: + name: "Methane sulfonic acid emissions" + alternative_names: + - "e_msa" + 219023: + name: "Methyl glyoxal emissions" + alternative_names: + - "e_ch3cocho" + 219024: + name: "Stratospheric ozone emissions" + alternative_names: + - "e_o3s" + 219025: + name: "Radon emissions" + alternative_names: + - "e_ra" + 219026: + name: "Lead emissions" + alternative_names: + - "e_pb" + 219027: + name: "Nitrogen monoxide emissions" + alternative_names: + - "e_no" + 219028: + name: "Hydroperoxy radical emissions" + alternative_names: + - "e_ho2" + 219029: + name: "Methylperoxy radical emissions" + alternative_names: + - "e_ch3o2" + 219030: + name: "Hydroxyl radical emissions" + alternative_names: + - "e_oh" + 219031: + name: "Nitrogen dioxide emissions" + alternative_names: + - "e_no2" + 219032: + name: "Nitrate radical emissions" + alternative_names: + - "e_no3" + 219033: + name: "Dinitrogen pentoxide emissions" + alternative_names: + - "e_n2o5" + 219034: + name: "Pernitric acid emissions" + alternative_names: + - "e_ho2no2" + 219035: + name: "Peroxy acetyl radical emissions" + alternative_names: + - "e_c2o3" + 219036: + name: "Organic ethers emissions" + alternative_names: + - "e_ror" + 219037: + name: "Par budget corrector emissions" + alternative_names: + - "e_rxpar" + 219038: + name: "No to no2 operator emissions" + alternative_names: + - "e_xo2" + 219039: + name: "No to alkyl nitrate operator emissions" + alternative_names: + - "e_xo2n" + 219040: + name: "Amine emissions" + alternative_names: + - "e_nh2" + 219041: + name: "Polar stratospheric cloud emissions" + alternative_names: + - "e_psc" + 219042: + name: "Methanol emissions" + alternative_names: + - "e_ch3oh" + 219043: + name: "Formic acid emissions" + alternative_names: + - "e_hcooh" + 219044: + name: "Methacrylic acid emissions" + alternative_names: + - "e_mcooh" + 219045: + name: "Ethane emissions" + alternative_names: + - "e_c2h6" + 219046: + name: "Ethanol emissions" + alternative_names: + - "e_c2h5oh" + 219047: + name: "Propane emissions" + alternative_names: + - "e_c3h8" + 219048: + name: "Propene emissions" + alternative_names: + - "e_c3h6" + 219049: + name: "Terpenes emissions" + alternative_names: + - "e_c10h16" + 219050: + name: "Methacrolein mvk emissions" + alternative_names: + - "e_ispd" + 219051: + name: "Nitrate emissions" + alternative_names: + - "e_no3_a" + 219052: + name: "Acetone emissions" + alternative_names: + - "e_ch3coch3" + 219053: + name: "Acetone product emissions" + alternative_names: + - "e_aco2" + 219054: + name: "Ic3h7o2 emissions" + alternative_names: + - "e_ic3h7o2" + 219055: + name: "Hypropo2 emissions" + alternative_names: + - "e_hypropo2" + 219056: + name: "Nitrogen oxides transp emissions" + alternative_names: + - "e_noxa" + 219057: + name: "Emissions of carbon dioxide (chemistry)" + alternative_names: + - "e_co2_c" + 219058: + name: "Emissions of nitrous oxide (chemistry)" + alternative_names: + - "e_n2o_c" + 219059: + name: "Emissions of water vapour (chemistry)" + alternative_names: + - "e_h2o" + 219060: + name: "Emissions of oxygen" + alternative_names: + - "e_o2" + 219061: + name: "Emissions of singlet oxygen" + alternative_names: + - "e_o2_1s" + 219062: + name: "Emissions of singlet delta oxygen" + alternative_names: + - "e_o2_1d" + 219063: + name: "Emissions of chlorine dioxide" + alternative_names: + - "e_oclo" + 219064: + name: "Emissions of chlorine nitrate" + alternative_names: + - "e_clono2" + 219065: + name: "Emissions of hypochlorous acid" + alternative_names: + - "e_hocl" + 219066: + name: "Emissions of chlorine" + alternative_names: + - "e_cl2" + 219067: + name: "Emissions of nitryl chloride" + alternative_names: + - "e_clno2" + 219068: + name: "Emissions of hydrogen bromide" + alternative_names: + - "e_hbr" + 219069: + name: "Emissions of dichlorine dioxide" + alternative_names: + - "e_cl2o2" + 219070: + name: "Emissions of hypobromous acid" + alternative_names: + - "e_hobr" + 219071: + name: "Emissions of trichlorofluoromethane" + alternative_names: + - "e_cfc11" + 219072: + name: "Emissions of dichlorodifluoromethane" + alternative_names: + - "e_cfc12" + 219073: + name: "Emissions of trichlorotrifluoroethane" + alternative_names: + - "e_cfc113" + 219074: + name: "Emissions of dichlorotetrafluoroethane" + alternative_names: + - "e_cfc114" + 219075: + name: "Emissions of chloropentafluoroethane" + alternative_names: + - "e_cfc115" + 219076: + name: "Emissions of tetrachloromethane" + alternative_names: + - "e_ccl4" + 219077: + name: "Emissions of methyl chloroform" + alternative_names: + - "e_ch3ccl3" + 219078: + name: "Emissions of methyl chloride" + alternative_names: + - "e_ch3cl" + 219079: + name: "Emissions of chlorodifluoromethane" + alternative_names: + - "e_hcfc22" + 219080: + name: "Emissions of methyl bromide" + alternative_names: + - "e_ch3br" + 219081: + name: "Emissions of dibromodifluoromethane" + alternative_names: + - "e_ha1202" + 219082: + name: "Emissions of bromochlorodifluoromethane" + alternative_names: + - "e_ha1211" + 219083: + name: "Emissions of trifluorobromomethane" + alternative_names: + - "e_ha1301" + 219084: + name: "Emissions of cbrf2cbrf2" + alternative_names: + - "e_ha2402" + 219085: + name: "Emissions of sulfuric acid" + alternative_names: + - "e_h2so4" + 219086: + name: "Emissions of nitrous acid" + alternative_names: + - "e_hono" + 219087: + name: "Emissions of alkanes low oh rate" + alternative_names: + - "e_hc3" + 219088: + name: "Emissions of alkanes med oh rate" + alternative_names: + - "e_hc5" + 219089: + name: "Emissions of alkanes high oh rate" + alternative_names: + - "e_hc8" + 219090: + name: "Emissions of terminal alkenes" + alternative_names: + - "e_olt" + 219091: + name: "Emissions of internal alkenes" + alternative_names: + - "e_oli" + 219092: + name: "Emissions of ethylperoxy radical" + alternative_names: + - "e_c2h5o2" + 219093: + name: "Emissions of butadiene" + alternative_names: + - "e_dien" + 219094: + name: "Emissions of ethyl hydroperoxide" + alternative_names: + - "e_c2h5ooh" + 219095: + name: "Emissions of a-pinene cyclic terpenes" + alternative_names: + - "e_api" + 219096: + name: "Emissions of acetic acid" + alternative_names: + - "e_ch3cooh" + 219097: + name: "Emissions of d-limonene cyclic diene" + alternative_names: + - "e_lim" + 219098: + name: "Emissions of acetaldehyde" + alternative_names: + - "e_ch3cho" + 219099: + name: "Emissions of toluene and less reactive aromatics" + alternative_names: + - "e_tol" + 219100: + name: "Emissions of xylene and more reactive aromatics" + alternative_names: + - "e_xyl" + 219101: + name: "Emissions of glycolaldehyde" + alternative_names: + - "e_glyald" + 219102: + name: "Emissions of cresol" + alternative_names: + - "e_cresol" + 219103: + name: "Emissions of acetaldehyde and higher" + alternative_names: + - "e_ald" + 219104: + name: "Emissions of peracetic acid" + alternative_names: + - "e_ch3coooh" + 219105: + name: "Emissions of ketones" + alternative_names: + - "e_ket" + 219106: + name: "Emissions of hoch2ch2o2" + alternative_names: + - "e_eo2" + 219107: + name: "Emissions of glyoxal" + alternative_names: + - "e_glyoxal" + 219108: + name: "Emissions of hoch2ch2o" + alternative_names: + - "e_eo" + 219109: + name: "Emissions of unsaturated dicarbonyls" + alternative_names: + - "e_dcb" + 219110: + name: "Emissions of methacrolein" + alternative_names: + - "e_macr" + 219111: + name: "Emissions of unsaturated hydroxy dicarbonyl" + alternative_names: + - "e_udd" + 219112: + name: "Emissions of isopropyldioxidanyl" + alternative_names: + - "e_c3h7o2" + 219113: + name: "Emissions of hydroxy ketone" + alternative_names: + - "e_hket" + 219114: + name: "Emissions of isopropyl hydroperoxide" + alternative_names: + - "e_c3h7ooh" + 219115: + name: "Emissions of c3h6oho2" + alternative_names: + - "e_po2" + 219116: + name: "Emissions of c3h6ohooh" + alternative_names: + - "e_pooh" + 219117: + name: "Emissions of higher organic peroxides" + alternative_names: + - "e_op2" + 219118: + name: "Emissions of hydroxyacetone" + alternative_names: + - "e_hyac" + 219119: + name: "Emissions of peroxyacetic acid" + alternative_names: + - "e_paa" + 219120: + name: "Emissions of ch3coch2o2" + alternative_names: + - "e_ro2" + 219121: + name: "Emissions of peroxy radical from c2h6" + alternative_names: + - "e_ethp" + 219122: + name: "Emissions of peroxy radical from hc3" + alternative_names: + - "e_hc3p" + 219123: + name: "Emissions of peroxy radical from hc5" + alternative_names: + - "e_hc5p" + 219124: + name: "Emissions of lumped alkenes" + alternative_names: + - "e_bigene" + 219125: + name: "Emissions of peroxy radical from hc8" + alternative_names: + - "e_hc8p" + 219126: + name: "Emissions of lumped alkanes" + alternative_names: + - "e_bigalk" + 219127: + name: "Emissions of peroxy radical from c2h4" + alternative_names: + - "e_etep" + 219128: + name: "Emissions of c4h8o" + alternative_names: + - "e_mek" + 219129: + name: "Emissions of peroxy radical from terminal alkenes" + alternative_names: + - "e_oltp" + 219130: + name: "Emissions of c4h9o3" + alternative_names: + - "e_eneo2" + 219131: + name: "Emissions of peroxy radical from internal alkenes" + alternative_names: + - "e_olip" + 219132: + name: "Emissions of ch3coch(oo)ch3" + alternative_names: + - "e_meko2" + 219133: + name: "Emissions of peroxy radical from c5h8" + alternative_names: + - "e_isopo2" + 219134: + name: "Emissions of ch3coch(ooh)ch3" + alternative_names: + - "e_mekooh" + 219135: + name: "Emissions of peroxy radical from a-pinene cyclic terpenes" + alternative_names: + - "e_apip" + 219136: + name: "Emissions of ch2=c(ch3)co3" + alternative_names: + - "e_mco3" + 219137: + name: "Emissions of peroxy radical from d-limonene cyclic diene" + alternative_names: + - "e_limp" + 219138: + name: "Emissions of methylvinylketone" + alternative_names: + - "e_mvk" + 219139: + name: "Emissions of phenoxy radical" + alternative_names: + - "e_pho" + 219140: + name: "Emissions of peroxy radical from toluene and less reactive aromatics" + alternative_names: + - "e_tolp" + 219141: + name: "Emissions of ch3c(o)ch(oo)ch2oh" + alternative_names: + - "e_macro2" + 219142: + name: "Emissions of peroxy radical from xylene and more reactive aromatics" + alternative_names: + - "e_xylp" + 219143: + name: "Emissions of h3c(o)ch(ooh)ch2oh" + alternative_names: + - "e_macrooh" + 219144: + name: "Emissions of peroxy radical from cresol" + alternative_names: + - "e_cslp" + 219145: + name: "Emissions of unsaturated pans" + alternative_names: + - "e_mpan" + 219146: + name: "Emissions of unsaturated acyl peroxy radical" + alternative_names: + - "e_tco3_c" + 219147: + name: "Emissions of peroxy radical from ketones" + alternative_names: + - "e_ketp" + 219148: + name: "Emissions of c5h11o2" + alternative_names: + - "e_alko2" + 219149: + name: "Emissions of no3-alkenes adduct reacting to form carbonitrates" + alternative_names: + - "e_olnn" + 219150: + name: "Emissions of c5h11ooh" + alternative_names: + - "e_alkooh" + 219151: + name: "Emissions of no3-alkenes adduct reacting via decomposition" + alternative_names: + - "e_olnd" + 219152: + name: "Emissions of hoch2c(ch3)=chcho" + alternative_names: + - "e_bigald" + 219153: + name: "Emissions of c5h6o2" + alternative_names: + - "e_hydrald" + 219154: + name: "Emissions of trop sulfuric acid" + alternative_names: + - "e_sulf" + 219155: + name: "Emissions of oxides" + alternative_names: + - "e_ox" + 219156: + name: "Emissions of ch2chc(ch3)(oo)ch2ono2" + alternative_names: + - "e_isopno3" + 219157: + name: "Emissions of c3 organic nitrate" + alternative_names: + - "e_onitr" + 219158: + name: "Emissions of chlorine oxides" + alternative_names: + - "e_clox" + 219159: + name: "Emissions of bromine oxides" + alternative_names: + - "e_brox" + 219160: + name: "Emissions of hoch2c(ooh)(ch3)chchoh" + alternative_names: + - "e_xooh" + 219161: + name: "Emissions of hoch2c(ooh)(ch3)ch=ch2" + alternative_names: + - "e_isopooh" + 219162: + name: "Emissions of lumped aromatics" + alternative_names: + - "e_toluene" + 219163: + name: "Emissions of dimethyl sulfoxyde" + alternative_names: + - "e_dmso" + 219164: + name: "Emissions of c7h9o5" + alternative_names: + - "e_tolo2" + 219165: + name: "Emissions of c7h10o5" + alternative_names: + - "e_tolooh" + 219166: + name: "Emissions of hydrogensulfide" + alternative_names: + - "e_h2s" + 219167: + name: "Emissions of c7h10o6" + alternative_names: + - "e_xoh" + 219168: + name: "Emissions of all nitrogen oxides" + alternative_names: + - "e_noy" + 219169: + name: "Emissions of chlorine family" + alternative_names: + - "e_cly" + 219170: + name: "Emissions of c10h16(oh)(oo)" + alternative_names: + - "e_terpo2" + 219171: + name: "Emissions of bromine family" + alternative_names: + - "e_bry" + 219172: + name: "Emissions of c10h18o3" + alternative_names: + - "e_terpooh" + 219173: + name: "Emissions of nitrogen atom" + alternative_names: + - "e_n" + 219174: + name: "Emissions of chlorine monoxide" + alternative_names: + - "e_clo" + 219175: + name: "Emissions of chlorine atom" + alternative_names: + - "e_cl_c" + 219176: + name: "Emissions of bromine monoxide" + alternative_names: + - "e_bro" + 219177: + name: "Emissions of hydrogen atom" + alternative_names: + - "e_h_c" + 219178: + name: "Emissions of methyl group" + alternative_names: + - "e_ch3" + 219179: + name: "Emissions of aromatic-ho from toluene and less reactive aromatics" + alternative_names: + - "e_addt" + 219180: + name: "Emissions of aromatic-ho from xylene and more reactive aromatics" + alternative_names: + - "e_addx" + 219181: + name: "Emissions of ammonium nitrate" + alternative_names: + - "e_nh4no3" + 219182: + name: "Emissions of aromatic-ho from csl" + alternative_names: + - "e_addc" + 219183: + name: "Emissions of secondary organic aerosol type 1" + alternative_names: + - "e_soa1" + 219184: + name: "Emissions of secondary organic aerosol type 2a" + alternative_names: + - "e_soa2a" + 219185: + name: "Emissions of secondary organic aerosol type 2b" + alternative_names: + - "e_soa2b" + 219186: + name: "Emissions of condensable gas type 1" + alternative_names: + - "e_sog1" + 219187: + name: "Emissions of condensable gas type 2a" + alternative_names: + - "e_sog2a" + 219188: + name: "Emissions of condensable gas type 2b" + alternative_names: + - "e_sog2b" + 219189: + name: "Emissions of sulfur trioxide" + alternative_names: + - "e_so3" + 219190: + name: "Emissions of carbonyl sulfide" + alternative_names: + - "e_ocs_c" + 219191: + name: "Emissions of bromine atom" + alternative_names: + - "e_br" + 219192: + name: "Emissions of bromine" + alternative_names: + - "e_br2" + 219193: + name: "Emissions of bromine monochloride" + alternative_names: + - "e_brcl" + 219194: + name: "Emissions of bromine nitrate" + alternative_names: + - "e_brono2" + 219195: + name: "Emissions of dibromomethane" + alternative_names: + - "e_ch2br2" + 219196: + name: "Emissions of methoxy radical" + alternative_names: + - "e_ch3o" + 219197: + name: "Emissions of tribromomethane" + alternative_names: + - "e_chbr3" + 219198: + name: "Emissions of asymmetric chlorine dioxide radical" + alternative_names: + - "e_cloo" + 219199: + name: "Emissions of hydrogen" + alternative_names: + - "e_h2" + 219200: + name: "Emissions of hydrogen chloride" + alternative_names: + - "e_hcl" + 219201: + name: "Emissions of formyl radical" + alternative_names: + - "e_hco" + 219202: + name: "Emissions of hydrogen fluoride" + alternative_names: + - "e_hf" + 219203: + name: "Emissions of oxygen atom" + alternative_names: + - "e_o" + 219204: + name: "Emissions of excited oxygen atom" + alternative_names: + - "e_o1d" + 219205: + name: "Emissions of ground state oxygen atom" + alternative_names: + - "e_o3p" + 219206: + name: "Emissions of stratospheric aerosol" + alternative_names: + - "e_strataer" + 219207: + name: "Wildfire flux of paraffins" + alternative_names: + - "parfire" + 219208: + name: "Wildfire flux of olefines" + alternative_names: + - "olefire" + 219209: + name: "Wildfire flux of aldehydes" + alternative_names: + - "ald2fire" + 219210: + name: "Wildfire flux of ketones" + alternative_names: + - "ketfire" + 219211: + name: "Wildfire flux of f a-pinene cyclic terpenes" + alternative_names: + - "apifire" + 219212: + name: "Wildfire flux of toluene less reactive aromatics" + alternative_names: + - "tolfire" + 219213: + name: "Wildfire flux of xylene more reactive aromatics" + alternative_names: + - "xylfire" + 219214: + name: "Wildfire flux of d-limonene cyclic diene" + alternative_names: + - "limfire" + 219215: + name: "Wildfire flux of terminal alkenes" + alternative_names: + - "oltfire" + 219216: + name: "Wildfire flux of alkanes low oh rate" + alternative_names: + - "hc3fire" + 219217: + name: "Wildfire flux of alkanes med oh rate" + alternative_names: + - "hc5fire" + 219218: + name: "Wildfire flux of alkanes high oh rate" + alternative_names: + - "hc8fire" + 219219: + name: "Wildfire flux of hydrogen cyanide" + alternative_names: + - "hcnfire" + 219220: + name: "Wildfire flux of acetonitrile" + alternative_names: + - "ch3cnfire" + 219221: + name: "Atmosphere emission mass flux of volcanic sulfur dioxide" + alternative_names: + - "e_vso2" + 219222: + name: "Atmosphere emission mass flux of aromatic peroxy radical" + alternative_names: + - "e_aroo2" + 219223: + name: "Atmosphere emission mass flux of ethyne" + alternative_names: + - "e_c2h2" + 219224: + name: "Atmosphere emission mass flux of acetonitrile" + alternative_names: + - "e_ch3cn" + 219225: + name: "Atmosphere emission mass flux of methyl peroxy nitrate" + alternative_names: + - "e_ch3o2no2" + 219226: + name: "Atmosphere emission mass flux of hydrogen cyanide" + alternative_names: + - "e_hcn" + 219227: + name: "Atmosphere emission mass flux of hydroperoxy aldehydes type 1" + alternative_names: + - "e_hpald1" + 219228: + name: "Atmosphere emission mass flux of hydroperoxy aldehydes type 2" + alternative_names: + - "e_hpald2" + 219229: + name: "Atmosphere emission mass flux of isoprene peroxy type b" + alternative_names: + - "e_isopbo2" + 219230: + name: "Atmosphere emission mass flux of isoprene peroxy type d" + alternative_names: + - "e_isopdo2" + 219231: + name: "Atmosphere emission mass flux of anthropogenic volatile organic compounds" + alternative_names: + - "e_voca" + 219232: + name: "Atmosphere emission mass flux of biomass burning volatile organic compounds" + alternative_names: + - "e_vocbb" + 220228: + name: "Total precipitation observation count" + alternative_names: + - "tpoc" + 221001: + name: "Ozone deposition velocity" + alternative_names: + - "dv_go3" + 221002: + name: "Nitrogen oxides deposition velocity" + alternative_names: + - "dv_nox" + 221003: + name: "Hydrogen peroxide deposition velocity" + alternative_names: + - "dv_h2o2" + 221004: + name: "Methane deposition velocity" + alternative_names: + - "dv_ch4" + 221005: + name: "Carbon monoxide deposition velocity" + alternative_names: + - "dv_co" + 221006: + name: "Nitric acid deposition velocity" + alternative_names: + - "dv_hno3" + 221007: + name: "Methyl peroxide deposition velocity" + alternative_names: + - "dv_ch3ooh" + 221008: + name: "Formaldehyde deposition velocity" + alternative_names: + - "dv_hcho" + 221009: + name: "Paraffins deposition velocity" + alternative_names: + - "dv_par" + 221010: + name: "Ethene deposition velocity" + alternative_names: + - "dv_c2h4" + 221011: + name: "Olefins deposition velocity" + alternative_names: + - "dv_ole" + 221012: + name: "Aldehydes deposition velocity" + alternative_names: + - "dv_ald2" + 221013: + name: "Peroxyacetyl nitrate deposition velocity" + alternative_names: + - "dv_pan" + 221014: + name: "Peroxides deposition velocity" + alternative_names: + - "dv_rooh" + 221015: + name: "Organic nitrates deposition velocity" + alternative_names: + - "dv_onit" + 221016: + name: "Isoprene deposition velocity" + alternative_names: + - "dv_c5h8" + 221017: + name: "Sulfur dioxide deposition velocity" + alternative_names: + - "dv_so2" + 221018: + name: "Dimethyl sulfide deposition velocity" + alternative_names: + - "dv_dms" + 221019: + name: "Ammonia deposition velocity" + alternative_names: + - "dv_nh3" + 221020: + name: "Sulfate deposition velocity" + alternative_names: + - "dv_so4" + 221021: + name: "Ammonium deposition velocity" + alternative_names: + - "dv_nh4" + 221022: + name: "Methane sulfonic acid deposition velocity" + alternative_names: + - "dv_msa" + 221023: + name: "Methyl glyoxal deposition velocity" + alternative_names: + - "dv_ch3cocho" + 221024: + name: "Stratospheric ozone deposition velocity" + alternative_names: + - "dv_o3s" + 221025: + name: "Radon deposition velocity" + alternative_names: + - "dv_ra" + 221026: + name: "Lead deposition velocity" + alternative_names: + - "dv_pb" + 221027: + name: "Nitrogen monoxide deposition velocity" + alternative_names: + - "dv_no" + 221028: + name: "Hydroperoxy radical deposition velocity" + alternative_names: + - "dv_ho2" + 221029: + name: "Methylperoxy radical deposition velocity" + alternative_names: + - "dv_ch3o2" + 221030: + name: "Hydroxyl radical deposition velocity" + alternative_names: + - "dv_oh" + 221031: + name: "Nitrogen dioxide deposition velocity" + alternative_names: + - "dv_no2" + 221032: + name: "Nitrate radical deposition velocity" + alternative_names: + - "dv_no3" + 221033: + name: "Dinitrogen pentoxide deposition velocity" + alternative_names: + - "dv_n2o5" + 221034: + name: "Pernitric acid deposition velocity" + alternative_names: + - "dv_ho2no2" + 221035: + name: "Peroxy acetyl radical deposition velocity" + alternative_names: + - "dv_c2o3" + 221036: + name: "Organic ethers deposition velocity" + alternative_names: + - "dv_ror" + 221037: + name: "Par budget corrector deposition velocity" + alternative_names: + - "dv_rxpar" + 221038: + name: "No to no2 operator deposition velocity" + alternative_names: + - "dv_xo2" + 221039: + name: "No to alkyl nitrate operator deposition velocity" + alternative_names: + - "dv_xo2n" + 221040: + name: "Amine deposition velocity" + alternative_names: + - "dv_nh2" + 221041: + name: "Polar stratospheric cloud deposition velocity" + alternative_names: + - "dv_psc" + 221042: + name: "Methanol deposition velocity" + alternative_names: + - "dv_ch3oh" + 221043: + name: "Formic acid deposition velocity" + alternative_names: + - "dv_hcooh" + 221044: + name: "Methacrylic acid deposition velocity" + alternative_names: + - "dv_mcooh" + 221045: + name: "Ethane deposition velocity" + alternative_names: + - "dv_c2h6" + 221046: + name: "Ethanol deposition velocity" + alternative_names: + - "dv_c2h5oh" + 221047: + name: "Propane deposition velocity" + alternative_names: + - "dv_c3h8" + 221048: + name: "Propene deposition velocity" + alternative_names: + - "dv_c3h6" + 221049: + name: "Terpenes deposition velocity" + alternative_names: + - "dv_c10h16" + 221050: + name: "Methacrolein mvk deposition velocity" + alternative_names: + - "dv_ispd" + 221051: + name: "Nitrate deposition velocity" + alternative_names: + - "dv_no3_a" + 221052: + name: "Acetone deposition velocity" + alternative_names: + - "dv_ch3coch3" + 221053: + name: "Acetone product deposition velocity" + alternative_names: + - "dv_aco2" + 221054: + name: "Ic3h7o2 deposition velocity" + alternative_names: + - "dv_ic3h7o2" + 221055: + name: "Hypropo2 deposition velocity" + alternative_names: + - "dv_hypropo2" + 221056: + name: "Nitrogen oxides transp deposition velocity" + alternative_names: + - "dv_noxa" + 221057: + name: "Dry deposition velocity of carbon dioxide (chemistry)" + alternative_names: + - "dv_co2_c" + 221058: + name: "Dry deposition velocity of nitrous oxide (chemistry)" + alternative_names: + - "dv_n2o_c" + 221059: + name: "Dry deposition velocity of water vapour (chemistry)" + alternative_names: + - "dv_h2o" + 221060: + name: "Dry deposition velocity of oxygen" + alternative_names: + - "dv_o2" + 221061: + name: "Dry deposition velocity of singlet oxygen" + alternative_names: + - "dv_o2_1s" + 221062: + name: "Dry deposition velocity of singlet delta oxygen" + alternative_names: + - "dv_o2_1d" + 221063: + name: "Dry deposition velocity of chlorine dioxide" + alternative_names: + - "dv_oclo" + 221064: + name: "Dry deposition velocity of chlorine nitrate" + alternative_names: + - "dv_clono2" + 221065: + name: "Dry deposition velocity of hypochlorous acid" + alternative_names: + - "dv_hocl" + 221066: + name: "Dry deposition velocity of chlorine" + alternative_names: + - "dv_cl2" + 221067: + name: "Dry deposition velocity of nitryl chloride" + alternative_names: + - "dv_clno2" + 221068: + name: "Dry deposition velocity of hydrogen bromide" + alternative_names: + - "dv_hbr" + 221069: + name: "Dry deposition velocity of dichlorine dioxide" + alternative_names: + - "dv_cl2o2" + 221070: + name: "Dry deposition velocity of hypobromous acid" + alternative_names: + - "dv_hobr" + 221071: + name: "Dry deposition velocity of trichlorofluoromethane" + alternative_names: + - "dv_cfc11" + 221072: + name: "Dry deposition velocity of dichlorodifluoromethane" + alternative_names: + - "dv_cfc12" + 221073: + name: "Dry deposition velocity of trichlorotrifluoroethane" + alternative_names: + - "dv_cfc113" + 221074: + name: "Dry deposition velocity of dichlorotetrafluoroethane" + alternative_names: + - "dv_cfc114" + 221075: + name: "Dry deposition velocity of chloropentafluoroethane" + alternative_names: + - "dv_cfc115" + 221076: + name: "Dry deposition velocity of tetrachloromethane" + alternative_names: + - "dv_ccl4" + 221077: + name: "Dry deposition velocity of methyl chloroform" + alternative_names: + - "dv_ch3ccl3" + 221078: + name: "Dry deposition velocity of methyl chloride" + alternative_names: + - "dv_ch3cl" + 221079: + name: "Dry deposition velocity of chlorodifluoromethane" + alternative_names: + - "dv_hcfc22" + 221080: + name: "Dry deposition velocity of methyl bromide" + alternative_names: + - "dv_ch3br" + 221081: + name: "Dry deposition velocity of dibromodifluoromethane" + alternative_names: + - "dv_ha1202" + 221082: + name: "Dry deposition velocity of bromochlorodifluoromethane" + alternative_names: + - "dv_ha1211" + 221083: + name: "Dry deposition velocity of trifluorobromomethane" + alternative_names: + - "dv_ha1301" + 221084: + name: "Dry deposition velocity of cbrf2cbrf2" + alternative_names: + - "dv_ha2402" + 221085: + name: "Dry deposition velocity of sulfuric acid" + alternative_names: + - "dv_h2so4" + 221086: + name: "Dry deposition velocity of nitrous acid" + alternative_names: + - "dv_hono" + 221087: + name: "Dry deposition velocity of alkanes low oh rate" + alternative_names: + - "dv_hc3" + 221088: + name: "Dry deposition velocity of alkanes med oh rate" + alternative_names: + - "dv_hc5" + 221089: + name: "Dry deposition velocity of alkanes high oh rate" + alternative_names: + - "dv_hc8" + 221090: + name: "Dry deposition velocity of terminal alkenes" + alternative_names: + - "dv_olt" + 221091: + name: "Dry deposition velocity of internal alkenes" + alternative_names: + - "dv_oli" + 221092: + name: "Dry deposition velocity of ethylperoxy radical" + alternative_names: + - "dv_c2h5o2" + 221093: + name: "Dry deposition velocity of butadiene" + alternative_names: + - "dv_dien" + 221094: + name: "Dry deposition velocity of ethyl hydroperoxide" + alternative_names: + - "dv_c2h5ooh" + 221095: + name: "Dry deposition velocity of a-pinene cyclic terpenes" + alternative_names: + - "dv_api" + 221096: + name: "Dry deposition velocity of acetic acid" + alternative_names: + - "dv_ch3cooh" + 221097: + name: "Dry deposition velocity of d-limonene cyclic diene" + alternative_names: + - "dv_lim" + 221098: + name: "Dry deposition velocity of acetaldehyde" + alternative_names: + - "dv_ch3cho" + 221099: + name: "Dry deposition velocity of toluene and less reactive aromatics" + alternative_names: + - "dv_tol" + 221100: + name: "Dry deposition velocity of xylene and more reactive aromatics" + alternative_names: + - "dv_xyl" + 221101: + name: "Dry deposition velocity of glycolaldehyde" + alternative_names: + - "dv_glyald" + 221102: + name: "Dry deposition velocity of cresol" + alternative_names: + - "dv_cresol" + 221103: + name: "Dry deposition velocity of acetaldehyde and higher" + alternative_names: + - "dv_ald" + 221104: + name: "Dry deposition velocity of peracetic acid" + alternative_names: + - "dv_ch3coooh" + 221105: + name: "Dry deposition velocity of ketones" + alternative_names: + - "dv_ket" + 221106: + name: "Dry deposition velocity of hoch2ch2o2" + alternative_names: + - "dv_eo2" + 221107: + name: "Dry deposition velocity of glyoxal" + alternative_names: + - "dv_glyoxal" + 221108: + name: "Dry deposition velocity of hoch2ch2o" + alternative_names: + - "dv_eo" + 221109: + name: "Dry deposition velocity of unsaturated dicarbonyls" + alternative_names: + - "dv_dcb" + 221110: + name: "Dry deposition velocity of methacrolein" + alternative_names: + - "dv_macr" + 221111: + name: "Dry deposition velocity of unsaturated hydroxy dicarbonyl" + alternative_names: + - "dv_udd" + 221112: + name: "Dry deposition velocity of isopropyldioxidanyl" + alternative_names: + - "dv_c3h7o2" + 221113: + name: "Dry deposition velocity of hydroxy ketone" + alternative_names: + - "dv_hket" + 221114: + name: "Dry deposition velocity of isopropyl hydroperoxide" + alternative_names: + - "dv_c3h7ooh" + 221115: + name: "Dry deposition velocity of c3h6oho2" + alternative_names: + - "dv_po2" + 221116: + name: "Dry deposition velocity of c3h6ohooh" + alternative_names: + - "dv_pooh" + 221117: + name: "Dry deposition velocity of higher organic peroxides" + alternative_names: + - "dv_op2" + 221118: + name: "Dry deposition velocity of hydroxyacetone" + alternative_names: + - "dv_hyac" + 221119: + name: "Dry deposition velocity of peroxyacetic acid" + alternative_names: + - "dv_paa" + 221120: + name: "Dry deposition velocity of ch3coch2o2" + alternative_names: + - "dv_ro2" + 221121: + name: "Dry deposition velocity of peroxy radical from c2h6" + alternative_names: + - "dv_ethp" + 221122: + name: "Dry deposition velocity of peroxy radical from hc3" + alternative_names: + - "dv_hc3p" + 221123: + name: "Dry deposition velocity of peroxy radical from hc5" + alternative_names: + - "dv_hc5p" + 221124: + name: "Dry deposition velocity of lumped alkenes" + alternative_names: + - "dv_bigene" + 221125: + name: "Dry deposition velocity of peroxy radical from hc8" + alternative_names: + - "dv_hc8p" + 221126: + name: "Dry deposition velocity of lumped alkanes" + alternative_names: + - "dv_bigalk" + 221127: + name: "Dry deposition velocity of peroxy radical from c2h4" + alternative_names: + - "dv_etep" + 221128: + name: "Dry deposition velocity of c4h8o" + alternative_names: + - "dv_mek" + 221129: + name: "Dry deposition velocity of peroxy radical from terminal alkenes" + alternative_names: + - "dv_oltp" + 221130: + name: "Dry deposition velocity of c4h9o3" + alternative_names: + - "dv_eneo2" + 221131: + name: "Dry deposition velocity of peroxy radical from internal alkenes" + alternative_names: + - "dv_olip" + 221132: + name: "Dry deposition velocity of ch3coch(oo)ch3" + alternative_names: + - "dv_meko2" + 221133: + name: "Dry deposition velocity of peroxy radical from c5h8" + alternative_names: + - "dv_isopo2" + 221134: + name: "Dry deposition velocity of ch3coch(ooh)ch3" + alternative_names: + - "dv_mekooh" + 221135: + name: "Dry deposition velocity of peroxy radical from a-pinene cyclic terpenes" + alternative_names: + - "dv_apip" + 221136: + name: "Dry deposition velocity of ch2=c(ch3)co3" + alternative_names: + - "dv_mco3" + 221137: + name: "Dry deposition velocity of peroxy radical from d-limonene cyclic diene" + alternative_names: + - "dv_limp" + 221138: + name: "Dry deposition velocity of methylvinylketone" + alternative_names: + - "dv_mvk" + 221139: + name: "Dry deposition velocity of phenoxy radical" + alternative_names: + - "dv_pho" + 221140: + name: + "Dry deposition velocity of peroxy radical from toluene and less reactive + aromatics" + alternative_names: + - "dv_tolp" + 221141: + name: "Dry deposition velocity of ch3c(o)ch(oo)ch2oh" + alternative_names: + - "dv_macro2" + 221142: + name: + "Dry deposition velocity of peroxy radical from xylene and more reactive + aromatics" + alternative_names: + - "dv_xylp" + 221143: + name: "Dry deposition velocity of h3c(o)ch(ooh)ch2oh" + alternative_names: + - "dv_macrooh" + 221144: + name: "Dry deposition velocity of peroxy radical from cresol" + alternative_names: + - "dv_cslp" + 221145: + name: "Dry deposition velocity of unsaturated pans" + alternative_names: + - "dv_mpan" + 221146: + name: "Dry deposition velocity of unsaturated acyl peroxy radical" + alternative_names: + - "dv_tco3_c" + 221147: + name: "Dry deposition velocity of peroxy radical from ketones" + alternative_names: + - "dv_ketp" + 221148: + name: "Dry deposition velocity of c5h11o2" + alternative_names: + - "dv_alko2" + 221149: + name: "Dry deposition velocity of no3-alkenes adduct reacting to form carbonitrates" + alternative_names: + - "dv_olnn" + 221150: + name: "Dry deposition velocity of c5h11ooh" + alternative_names: + - "dv_alkooh" + 221151: + name: "Dry deposition velocity of no3-alkenes adduct reacting via decomposition" + alternative_names: + - "dv_olnd" + 221152: + name: "Dry deposition velocity of hoch2c(ch3)=chcho" + alternative_names: + - "dv_bigald" + 221153: + name: "Dry deposition velocity of c5h6o2" + alternative_names: + - "dv_hydrald" + 221154: + name: "Dry deposition velocity of trop sulfuric acid" + alternative_names: + - "dv_sulf" + 221155: + name: "Dry deposition velocity of oxides" + alternative_names: + - "dv_ox" + 221156: + name: "Dry deposition velocity of ch2chc(ch3)(oo)ch2ono2" + alternative_names: + - "dv_isopno3" + 221157: + name: "Dry deposition velocity of c3 organic nitrate" + alternative_names: + - "dv_onitr" + 221158: + name: "Dry deposition velocity of chlorine oxides" + alternative_names: + - "dv_clox" + 221159: + name: "Dry deposition velocity of bromine oxides" + alternative_names: + - "dv_brox" + 221160: + name: "Dry deposition velocity of hoch2c(ooh)(ch3)chchoh" + alternative_names: + - "dv_xooh" + 221161: + name: "Dry deposition velocity of hoch2c(ooh)(ch3)ch=ch2" + alternative_names: + - "dv_isopooh" + 221162: + name: "Dry deposition velocity of lumped aromatics" + alternative_names: + - "dv_toluene" + 221163: + name: "Dry deposition velocity of dimethyl sulfoxyde" + alternative_names: + - "dv_dmso" + 221164: + name: "Dry deposition velocity of c7h9o5" + alternative_names: + - "dv_tolo2" + 221165: + name: "Dry deposition velocity of c7h10o5" + alternative_names: + - "dv_tolooh" + 221166: + name: "Dry deposition velocity of hydrogensulfide" + alternative_names: + - "dv_h2s" + 221167: + name: "Dry deposition velocity of c7h10o6" + alternative_names: + - "dv_xoh" + 221168: + name: "Dry deposition velocity of all nitrogen oxides" + alternative_names: + - "dv_noy" + 221169: + name: "Dry deposition velocity of chlorine family" + alternative_names: + - "dv_cly" + 221170: + name: "Dry deposition velocity of c10h16(oh)(oo)" + alternative_names: + - "dv_terpo2" + 221171: + name: "Dry deposition velocity of bromine family" + alternative_names: + - "dv_bry" + 221172: + name: "Dry deposition velocity of c10h18o3" + alternative_names: + - "dv_terpooh" + 221173: + name: "Dry deposition velocity of nitrogen atom" + alternative_names: + - "dv_n" + 221174: + name: "Dry deposition velocity of chlorine monoxide" + alternative_names: + - "dv_clo" + 221175: + name: "Dry deposition velocity of chlorine atom" + alternative_names: + - "dv_cl_c" + 221176: + name: "Dry deposition velocity of bromine monoxide" + alternative_names: + - "dv_bro" + 221177: + name: "Dry deposition velocity of hydrogen atom" + alternative_names: + - "dv_h_c" + 221178: + name: "Dry deposition velocity of methyl group" + alternative_names: + - "dv_ch3" + 221179: + name: "Dry deposition velocity of aromatic-ho from toluene and less reactive aromatics" + alternative_names: + - "dv_addt" + 221180: + name: "Dry deposition velocity of aromatic-ho from xylene and more reactive aromatics" + alternative_names: + - "dv_addx" + 221181: + name: "Dry deposition velocity of ammonium nitrate" + alternative_names: + - "dv_nh4no3" + 221182: + name: "Dry deposition velocity of aromatic-ho from csl" + alternative_names: + - "dv_addc" + 221183: + name: "Dry deposition velocity of secondary organic aerosol type 1" + alternative_names: + - "dv_soa1" + 221184: + name: "Dry deposition velocity of secondary organic aerosol type 2a" + alternative_names: + - "dv_soa2a" + 221185: + name: "Dry deposition velocity of secondary organic aerosol type 2b" + alternative_names: + - "dv_soa2b" + 221186: + name: "Dry deposition velocity of condensable gas type 1" + alternative_names: + - "dv_sog1" + 221187: + name: "Dry deposition velocity of condensable gas type 2a" + alternative_names: + - "dv_sog2a" + 221188: + name: "Dry deposition velocity of condensable gas type 2b" + alternative_names: + - "dv_sog2b" + 221189: + name: "Dry deposition velocity of sulfur trioxide" + alternative_names: + - "dv_so3" + 221190: + name: "Dry deposition velocity of carbonyl sulfide" + alternative_names: + - "dv_ocs_c" + 221191: + name: "Dry deposition velocity of bromine atom" + alternative_names: + - "dv_br" + 221192: + name: "Dry deposition velocity of bromine" + alternative_names: + - "dv_br2" + 221193: + name: "Dry deposition velocity of bromine monochloride" + alternative_names: + - "dv_brcl" + 221194: + name: "Dry deposition velocity of bromine nitrate" + alternative_names: + - "dv_brono2" + 221195: + name: "Dry deposition velocity of dibromomethane" + alternative_names: + - "dv_ch2br2" + 221196: + name: "Dry deposition velocity of methoxy radical" + alternative_names: + - "dv_ch3o" + 221197: + name: "Dry deposition velocity of tribromomethane" + alternative_names: + - "dv_chbr3" + 221198: + name: "Dry deposition velocity of asymmetric chlorine dioxide radical" + alternative_names: + - "dv_cloo" + 221199: + name: "Dry deposition velocity of hydrogen" + alternative_names: + - "dv_h2" + 221200: + name: "Dry deposition velocity of hydrogen chloride" + alternative_names: + - "dv_hcl" + 221201: + name: "Dry deposition velocity of formyl radical" + alternative_names: + - "dv_hco" + 221202: + name: "Dry deposition velocity of hydrogen fluoride" + alternative_names: + - "dv_hf" + 221203: + name: "Dry deposition velocity of oxygen atom" + alternative_names: + - "dv_o" + 221204: + name: "Dry deposition velocity of excited oxygen atom" + alternative_names: + - "dv_o1d" + 221205: + name: "Dry deposition velocity of ground state oxygen atom" + alternative_names: + - "dv_o3p" + 221206: + name: "Dry deposition velocity of stratospheric aerosol" + alternative_names: + - "dv_strataer" + 221221: + name: "Dry deposition velocity of volcanic sulfur dioxide" + alternative_names: + - "dv_vso2" + 221222: + name: "Dry deposition velocity of aromatic peroxy radical" + alternative_names: + - "dv_aroo2" + 221223: + name: "Dry deposition velocity of ethyne" + alternative_names: + - "dv_c2h2" + 221224: + name: "Dry deposition velocity of acetonitrile" + alternative_names: + - "dv_ch3cn" + 221225: + name: "Dry deposition velocity of methyl peroxy nitrate" + alternative_names: + - "dv_ch3o2no2" + 221226: + name: "Dry deposition velocity of hydrogen cyanide" + alternative_names: + - "dv_hcn" + 221227: + name: "Dry deposition velocity of hydroperoxy aldehydes type 1" + alternative_names: + - "dv_hpald1" + 221228: + name: "Dry deposition velocity of hydroperoxy aldehydes type 2" + alternative_names: + - "dv_hpald2" + 221229: + name: "Dry deposition velocity of isoprene peroxy type b" + alternative_names: + - "dv_isopbo2" + 221230: + name: "Dry deposition velocity of isoprene peroxy type d" + alternative_names: + - "dv_isopdo2" + 221231: + name: "Dry deposition velocity of anthropogenic volatile organic compounds" + alternative_names: + - "dv_voca" + 221232: + name: "Dry deposition velocity of biomass burning volatile organic compounds" + alternative_names: + - "dv_vocbb" + 222001: + name: "Time-integrated dry deposition mass flux of ozone" + alternative_names: + - "acc_dry_depm_o3" + 222003: + name: "Time-integrated dry deposition mass flux of hydrogen peroxide" + alternative_names: + - "acc_dry_depm_h2o2" + 222005: + name: "Time-integrated dry deposition mass flux of carbon monoxide" + alternative_names: + - "acc_dry_depm_co" + 222006: + name: "Time-integrated dry deposition mass flux of nitric acid" + alternative_names: + - "acc_dry_depm_hno3" + 222007: + name: "Time-integrated dry deposition mass flux of methyl peroxide" + alternative_names: + - "acc_dry_depm_ch3ooh" + 222008: + name: "Time-integrated dry deposition mass flux of formaldehyde" + alternative_names: + - "acc_dry_depm_hcho" + 222012: + name: "Time-integrated dry deposition mass flux of aldehydes" + alternative_names: + - "acc_dry_depm_ald2" + 222013: + name: "Time-integrated dry deposition mass flux of peroxyacetyl nitrate" + alternative_names: + - "acc_dry_depm_pan" + 222014: + name: "Time-integrated dry deposition mass flux of peroxides" + alternative_names: + - "acc_dry_depm_rooh" + 222015: + name: "Time-integrated dry deposition mass flux of organic nitrates" + alternative_names: + - "acc_dry_depm_onit" + 222016: + name: "Time-integrated dry deposition mass flux of isoprene" + alternative_names: + - "acc_dry_depm_c5h8" + 222017: + name: "Time-integrated dry deposition mass flux of sulphur dioxide" + alternative_names: + - "acc_dry_depm_so2" + 222019: + name: "Time-integrated dry deposition mass flux of ammonia" + alternative_names: + - "acc_dry_depm_nh3" + 222020: + name: "Time-integrated dry deposition mass flux of sulfate" + alternative_names: + - "acc_dry_depm_so4" + 222021: + name: "Time-integrated dry deposition mass flux of ammonium" + alternative_names: + - "acc_dry_depm_nh4" + 222023: + name: "Time-integrated dry deposition mass flux of methyl glyoxal" + alternative_names: + - "acc_dry_depm_ch3cocho" + 222024: + name: "Time-integrated dry deposition mass flux of ozone (stratospheric)" + alternative_names: + - "acc_dry_depm_o3s" + 222027: + name: "Time-integrated dry deposition mass flux of nitrogen monoxide" + alternative_names: + - "acc_dry_depm_no" + 222028: + name: "Time-integrated dry deposition mass flux of hydroperoxy radical" + alternative_names: + - "acc_dry_depm_ho2" + 222029: + name: "Time-integrated dry deposition mass flux of methylperoxy radical" + alternative_names: + - "acc_dry_depm_ch3o2" + 222031: + name: "Time-integrated dry deposition mass flux of nitrogen dioxide" + alternative_names: + - "acc_dry_depm_no2" + 222032: + name: "Time-integrated dry deposition mass flux of nitrate radical" + alternative_names: + - "acc_dry_depm_no3" + 222033: + name: "Time-integrated dry deposition mass flux of dinitrogen pentoxide" + alternative_names: + - "acc_dry_depm_n2o5" + 222034: + name: "Time-integrated dry deposition mass flux of pernitric acid" + alternative_names: + - "acc_dry_depm_ho2no2" + 222042: + name: "Time-integrated dry deposition mass flux of methanol" + alternative_names: + - "acc_dry_depm_ch3oh" + 222043: + name: "Time-integrated dry deposition mass flux of formic acid" + alternative_names: + - "acc_dry_depm_hcooh" + 222044: + name: "Time-integrated dry deposition mass flux of methacrylic acid" + alternative_names: + - "acc_dry_depm_mcooh" + 222045: + name: "Time-integrated dry deposition mass flux of ethane" + alternative_names: + - "acc_dry_depm_c2h6" + 222046: + name: "Time-integrated dry deposition mass flux of ethanol" + alternative_names: + - "acc_dry_depm_c2h5oh" + 222050: + name: "Time-integrated dry deposition mass flux of methacrolein" + alternative_names: + - "acc_dry_depm_ispd" + 222051: + name: "Time-integrated dry deposition mass flux of nitrate" + alternative_names: + - "acc_dry_depm_no3_a" + 222052: + name: "Time-integrated dry deposition mass flux of acetone" + alternative_names: + - "acc_dry_depm_ch3coch3" + 222086: + name: "Time-integrated dry deposition mass flux of nitrous acid" + alternative_names: + - "acc_dry_depm_hono" + 222099: + name: "Time-integrated dry deposition mass flux of toluene and less reactive aromatics" + alternative_names: + - "acc_dry_depm_tol" + 222100: + name: "Time-integrated dry deposition mass flux of xylene and more reactive aromatics" + alternative_names: + - "acc_dry_depm_xyl" + 222101: + name: "Time-integrated dry deposition mass flux of glycolaldehyde" + alternative_names: + - "acc_dry_depm_glyald" + 222107: + name: "Time-integrated dry deposition mass flux of glyoxal" + alternative_names: + - "acc_dry_depm_gly" + 222118: + name: "Time-integrated dry deposition mass flux of hydroxyacetone" + alternative_names: + - "acc_dry_depm_hyac" + 222161: + name: + "Time-integrated dry deposition mass flux of all hydroxy-peroxides products + of the reaction of hydroxy-isoprene adducts with o2" + alternative_names: + - "acc_dry_depm_isopooh" + 222224: + name: "Time-integrated dry deposition mass flux of acetonitrile" + alternative_names: + - "acc_dry_depm_ch3cn" + 222226: + name: "Time-integrated dry deposition mass flux of hydrogen cyanide" + alternative_names: + - "acc_dry_depm_hcn" + 223001: + name: "Time-integrated wet deposition mass flux of ozone" + alternative_names: + - "acc_wet_depm_o3" + 223003: + name: "Time-integrated wet deposition mass flux of hydrogen peroxide" + alternative_names: + - "acc_wet_depm_h2o2" + 223006: + name: "Time-integrated wet deposition mass flux of nitric acid" + alternative_names: + - "acc_wet_depm_hno3" + 223007: + name: "Time-integrated wet deposition mass flux of methyl peroxide" + alternative_names: + - "acc_wet_depm_ch3ooh" + 223008: + name: "Time-integrated wet deposition mass flux of formaldehyde" + alternative_names: + - "acc_wet_depm_hcho" + 223012: + name: "Time-integrated wet deposition mass flux of aldehydes" + alternative_names: + - "acc_wet_depm_ald2" + 223013: + name: "Time-integrated wet deposition mass flux of peroxyacetyl nitrate" + alternative_names: + - "acc_wet_depm_pan" + 223014: + name: "Time-integrated wet deposition mass flux of peroxides" + alternative_names: + - "acc_wet_depm_rooh" + 223015: + name: "Time-integrated wet deposition mass flux of organic nitrates" + alternative_names: + - "acc_wet_depm_onit" + 223016: + name: "Time-integrated wet deposition mass flux of isoprene" + alternative_names: + - "acc_wet_depm_c5h8" + 223017: + name: "Time-integrated wet deposition mass flux of sulphur dioxide" + alternative_names: + - "acc_wet_depm_so2" + 223019: + name: "Time-integrated wet deposition mass flux of ammonia" + alternative_names: + - "acc_wet_depm_nh3" + 223020: + name: "Time-integrated wet deposition mass flux of sulfate" + alternative_names: + - "acc_wet_depm_so4" + 223021: + name: "Time-integrated wet deposition mass flux of ammonium" + alternative_names: + - "acc_wet_depm_nh4" + 223022: + name: "Time-integrated wet deposition mass flux of methane sulfonic acid" + alternative_names: + - "acc_wet_depm_msa" + 223023: + name: "Time-integrated wet deposition mass flux of methyl glyoxal" + alternative_names: + - "acc_wet_depm_ch3cocho" + 223025: + name: "Time-integrated wet deposition mass flux of carbon monoxide" + alternative_names: + - "acc_wet_depm_co" + 223026: + name: "Time-integrated wet deposition mass flux of lead" + alternative_names: + - "acc_wet_depm_pb" + 223027: + name: "Time-integrated wet deposition mass flux of nitrogen monoxide" + alternative_names: + - "acc_wet_depm_no" + 223028: + name: "Time-integrated wet deposition mass flux of hydroperoxy radical" + alternative_names: + - "acc_wet_depm_ho2" + 223029: + name: "Time-integrated wet deposition mass flux of methylperoxy radical" + alternative_names: + - "acc_wet_depm_ch3o2" + 223031: + name: "Time-integrated wet deposition mass flux of nitrogen dioxide" + alternative_names: + - "acc_wet_depm_no2" + 223032: + name: "Time-integrated wet deposition mass flux of nitrate radical" + alternative_names: + - "acc_wet_depm_no3" + 223033: + name: "Time-integrated wet deposition mass flux of dinitrogen pentoxide" + alternative_names: + - "acc_wet_depm_n2o5" + 223034: + name: "Time-integrated wet deposition mass flux of pernitric acid" + alternative_names: + - "acc_wet_depm_ho2no2" + 223042: + name: "Time-integrated wet deposition mass flux of methanol" + alternative_names: + - "acc_wet_depm_ch3oh" + 223043: + name: "Time-integrated wet deposition mass flux of formic acid" + alternative_names: + - "acc_wet_depm_hcooh" + 223044: + name: "Time-integrated wet deposition mass flux of methacrylic acid" + alternative_names: + - "acc_wet_depm_mcooh" + 223045: + name: "Time-integrated wet deposition mass flux of ethane" + alternative_names: + - "acc_wet_depm_c2h6" + 223046: + name: "Time-integrated wet deposition mass flux of ethanol" + alternative_names: + - "acc_wet_depm_c2h5oh" + 223050: + name: "Time-integrated wet deposition mass flux of methacrolein" + alternative_names: + - "acc_wet_depm_ispd" + 223051: + name: "Time-integrated wet deposition mass flux of nitrate" + alternative_names: + - "acc_wet_depm_no3_a" + 223052: + name: "Time-integrated wet deposition mass flux of acetone" + alternative_names: + - "acc_wet_depm_ch3coch3" + 223064: + name: "Time-integrated wet deposition mass flux of chlorine nitrate" + alternative_names: + - "acc_wet_depm_clono2" + 223065: + name: "Time-integrated wet deposition mass flux of hypochlorous acid" + alternative_names: + - "acc_wet_depm_hocl" + 223068: + name: "Time-integrated wet deposition mass flux of hydrogen bromide" + alternative_names: + - "acc_wet_depm_hbr" + 223070: + name: "Time-integrated wet deposition mass flux of hypobromous acid" + alternative_names: + - "acc_wet_depm_hobr" + 223086: + name: "Time-integrated wet deposition mass flux of nitrous acid" + alternative_names: + - "acc_wet_depm_hono" + 223099: + name: "Time-integrated wet deposition mass flux of toluene and less reactive aromatics" + alternative_names: + - "acc_wet_depm_tol" + 223100: + name: "Time-integrated wet deposition mass flux of xylene and more reactive aromatics" + alternative_names: + - "acc_wet_depm_xyl" + 223101: + name: "Time-integrated wet deposition mass flux of glycolaldehyde" + alternative_names: + - "acc_wet_depm_glyald" + 223107: + name: "Time-integrated wet deposition mass flux of glyoxal" + alternative_names: + - "acc_wet_depm_gly" + 223118: + name: "Time-integrated wet deposition mass flux of hydroxyacetone" + alternative_names: + - "acc_wet_depm_hyac" + 223161: + name: + "Time-integrated wet deposition mass flux of all hydroxy-peroxides products + of the reaction of hydroxy-isoprene adducts with o2" + alternative_names: + - "acc_wet_depm_isopooh" + 223186: + name: "Time-integrated wet deposition mass flux of condensable gas type 1" + alternative_names: + - "acc_wet_depm_sog1" + 223187: + name: "Time-integrated wet deposition mass flux of condensable gas type 2a" + alternative_names: + - "acc_wet_depm_sog2a" + 223188: + name: "Time-integrated wet deposition mass flux of condensable gas type 2b" + alternative_names: + - "acc_wet_depm_sog2b" + 223194: + name: "Time-integrated wet deposition mass flux of bromine nitrate" + alternative_names: + - "acc_wet_depm_brono2" + 223200: + name: "Time-integrated wet deposition mass flux of hydrogen chloride" + alternative_names: + - "acc_wet_depm_hcl" + 223224: + name: "Time-integrated wet deposition mass flux of acetonitrile" + alternative_names: + - "acc_wet_depm_ch3cn" + 223226: + name: "Time-integrated wet deposition mass flux of hydrogen cyanide" + alternative_names: + - "acc_wet_depm_hcn" + 223227: + name: + "Time-integrated wet deposition mass flux of hydroperoxy aldehydes type + 1" + alternative_names: + - "acc_wet_depm_hpald1" + 223228: + name: + "Time-integrated wet deposition mass flux of hydroperoxy aldehydes type + 2" + alternative_names: + - "acc_wet_depm_hpald2" + 228001: + name: "Convective inhibition" + alternative_names: + - "cin" + 228002: + name: "Orography" + alternative_names: + - "orog" + 228003: + name: "Friction velocity" + alternative_names: + - "zust" + 228004: + name: "Mean 2 metre temperature" + alternative_names: + - "mean2t" + 228005: + name: "Mean of 10 metre wind speed" + alternative_names: + - "mean10ws" + 228006: + name: "Mean total cloud cover" + alternative_names: + - "meantcc" + 228007: + name: "Lake total depth" + alternative_names: + - "dl" + 228008: + name: "Lake mix-layer temperature" + alternative_names: + - "lmlt" + 228009: + name: "Lake mix-layer depth" + alternative_names: + - "lmld" + 228010: + name: "Lake bottom temperature" + alternative_names: + - "lblt" + 228011: + name: "Lake total layer temperature" + alternative_names: + - "ltlt" + 228012: + name: "Lake shape factor" + alternative_names: + - "lshf" + 228013: + name: "Lake ice surface temperature" + alternative_names: + - "lict" + 228014: + name: "Lake ice total depth" + alternative_names: + - "licd" + 228015: + name: "Minimum vertical gradient of refractivity inside trapping layer" + alternative_names: + - "dndzn" + 228016: + name: "Mean vertical gradient of refractivity inside trapping layer" + alternative_names: + - "dndza" + 228017: + name: "Duct base height" + alternative_names: + - "dctb" + 228018: + name: "Trapping layer base height" + alternative_names: + - "tplb" + 228019: + name: "Trapping layer top height" + alternative_names: + - "tplt" + 228020: + name: "-10 degrees c isothermal level (atm)" + alternative_names: + - "degm10l" + 228021: + name: "Total sky direct short-wave (solar) radiation at surface" + alternative_names: + - "fdir" + 228022: + name: "Surface direct short-wave radiation, clear sky" + alternative_names: + - "cdir" + 228023: + name: "Cloud base height" + alternative_names: + - "cbh" + 228024: + name: "Deg0" + alternative_names: + - "deg0l" + - "0 degrees c isothermal level (atm)" + 228025: + name: "Horizontal visibility" + alternative_names: + - "hvis" + 228026: + name: "Maximum temperature at 2 metres in the last 3 hours" + alternative_names: + - "mx2t3" + 228027: + name: "Minimum temperature at 2 metres in the last 3 hours" + alternative_names: + - "mn2t3" + 228028: + name: "Maximum 10 metre wind gust in the last 3 hours" + alternative_names: + - "10fg3" + 228029: + name: "Instantaneous 10 metre wind gust" + alternative_names: + - "i10fg" + 228030: + name: "Relative humidity with respect to water" + alternative_names: + - "rhw" + 228031: + name: "Relative humidity with respect to ice" + alternative_names: + - "rhi" + 228032: + name: "Snow albedo" + alternative_names: + - "asn" + 228033: + name: "Fraction of stratiform precipitation cover" + alternative_names: + - "fspc" + 228034: + name: "Fraction of convective precipitation cover" + alternative_names: + - "fcpc" + 228035: + name: "Maximum cape in the last 6 hours" + alternative_names: + - "mxcape6" + 228036: + name: "Maximum capes in the last 6 hours" + alternative_names: + - "mxcapes6" + 228037: + name: "2 metre relative humidity with respect to water" + alternative_names: + - "2rhw" + 228038: + name: "Liquid water content in snow pack" + alternative_names: + - "lwcs" + 228039: + name: "Soil moisture" + alternative_names: + - "sm" + 228040: + name: "Soil wetness index in layer 1" + alternative_names: + - "swi1" + 228041: + name: "Soil wetness index in layer 2" + alternative_names: + - "swi2" + 228042: + name: "Soil wetness index in layer 3" + alternative_names: + - "swi3" + 228043: + name: "Soil wetness index in layer 4" + alternative_names: + - "swi4" + 228044: + name: "Convective available potential energy shear" + alternative_names: + - "capes" + 228045: + name: "Tropopause pressure" + alternative_names: + - "trpp" + 228046: + name: "Height of convective cloud top" + alternative_names: + - "hcct" + 228047: + name: "Height of zero-degree wet-bulb temperature" + alternative_names: + - "hwbt0" + 228048: + name: "Height of one-degree wet-bulb temperature" + alternative_names: + - "hwbt1" + 228050: + name: "Instantaneous total lightning flash density" + alternative_names: + - "litoti" + 228051: + name: "Averaged total lightning flash density in the last hour" + alternative_names: + - "litota1" + 228052: + name: "Instantaneous cloud-to-ground lightning flash density" + alternative_names: + - "licgi" + 228053: + name: "Averaged cloud-to-ground lightning flash density in the last hour" + alternative_names: + - "licga1" + 228054: + name: "Unbalanced component of specific humidity" + alternative_names: + - "ucq" + 228055: + name: "Unbalanced component of specific cloud liquid water content" + alternative_names: + - "ucclwc" + 228056: + name: "Unbalanced component of specific cloud ice water content" + alternative_names: + - "ucciwc" + 228057: + name: "Averaged total lightning flash density in the last 3 hours" + alternative_names: + - "litota3" + 228058: + name: "Averaged total lightning flash density in the last 6 hours" + alternative_names: + - "litota6" + 228059: + name: "Averaged cloud-to-ground lightning flash density in the last 3 hours" + alternative_names: + - "licga3" + 228060: + name: "Averaged cloud-to-ground lightning flash density in the last 6 hours" + alternative_names: + - "licga6" + 228070: + name: "Smos observed soil moisture retrieved using neural network" + alternative_names: + - "smnnob" + 228071: + name: "Smos observed soil moisture uncertainty retrieved using neural network" + alternative_names: + - "smnner" + 228072: + name: "Smos radio frequency interference probability" + alternative_names: + - "smnnrfi" + 228073: + name: "Smos number of observations per grid point" + alternative_names: + - "smnnnb" + 228074: + name: "Smos observation time for the satellite soil moisture data" + alternative_names: + - "smnntim" + 228078: + name: "Gpp coefficient from biogenic flux adjustment system" + alternative_names: + - "gppbfas" + 228079: + name: "Rec coefficient from biogenic flux adjustment system" + alternative_names: + - "recbfas" + 228080: + name: "Accumulated carbon dioxide net ecosystem exchange" + alternative_names: + - "aco2nee" + 228081: + name: "Accumulated carbon dioxide gross primary production" + alternative_names: + - "aco2gpp" + 228082: + name: "Accumulated carbon dioxide ecosystem respiration" + alternative_names: + - "aco2rec" + 228083: + name: "Flux of carbon dioxide net ecosystem exchange" + alternative_names: + - "fco2nee" + 228084: + name: "Flux of carbon dioxide gross primary production" + alternative_names: + - "fco2gpp" + 228085: + name: "Flux of carbon dioxide ecosystem respiration" + alternative_names: + - "fco2rec" + 228086: + name: "Soil moisture top 20 cm" + alternative_names: + - "sm20" + 228087: + name: "Soil moisture top 100 cm" + alternative_names: + - "sm100" + 228088: + name: "Total column supercooled liquid water" + alternative_names: + - "tcslw" + 228089: + name: "Total column rain water" + alternative_names: + - "tcrw" + 228090: + name: "Total column snow water" + alternative_names: + - "tcsw" + 228091: + name: "Canopy cover fraction" + alternative_names: + - "ccf" + 228092: + name: "Soil texture fraction" + alternative_names: + - "stf" + 228093: + name: "Volumetric soil moisture" + alternative_names: + - "swv" + 228094: + name: "Ice temperature" + alternative_names: + - "ist" + 228095: + name: "Soil temperature top 20 cm" + alternative_names: + - "st20" + 228096: + name: "Soil temperature top 100 cm" + alternative_names: + - "st100" + 228100: + name: "Evaporation from the top of canopy" + alternative_names: + - "evatc" + 228101: + name: "Evaporation from bare soil" + alternative_names: + - "evabs" + 228102: + name: "Evaporation from open water surfaces excluding oceans" + alternative_names: + - "evaow" + 228103: + name: "Evaporation from vegetation transpiration" + alternative_names: + - "evavt" + 228104: + name: "Atmosphere emission mass flux of methane from wetlands" + alternative_names: + - "e_wlch4" + 228105: + name: "Solar induced chlorophyll fluorescence at 740nm" + alternative_names: + - "sif740" + 228106: + name: "Solar induced chlorophyll fluorescence at 755nm" + alternative_names: + - "sif755" + 228107: + name: "Solar induced chlorophyll fluorescence at 771nm" + alternative_names: + - "sif771" + 228108: + name: "Solar induced chlorophyll fluorescence at 757nm" + alternative_names: + - "sif757" + 228109: + name: "Accumulated mass emission of methane from wetlands" + alternative_names: + - "acc_e_wlch4" + 228129: + name: "Surface short-wave (solar) radiation downward clear-sky" + alternative_names: + - "ssrdc" + 228130: + name: "Surface long-wave (thermal) radiation downward clear-sky" + alternative_names: + - "strdc" + 228131: + name: "10 metre u-component of neutral wind" + alternative_names: + - "u10n" + 228132: + name: "10 metre v-component of neutral wind" + alternative_names: + - "v10n" + 228134: + name: "V-tendency from non-orographic wave drag" + alternative_names: + - "vtnowd" + 228136: + name: "U-tendency from non-orographic wave drag" + alternative_names: + - "utnowd" + 228139: + name: "Soil temperature" + alternative_names: + - "st" + 228141: + name: "Snow depth water equivalent" + alternative_names: + - "sd" + 228143: + name: "Convective precipitation" + alternative_names: + - "cp" + 228144: + name: "Snowfall water equivalent" + alternative_names: + - "sf" + 228164: + name: "Total cloud cover" + alternative_names: + - "tcc" + 228170: + name: "Field capacity" + alternative_names: + - "cap" + 228171: + name: "Wilting point" + alternative_names: + - "wilt" + 228205: + name: "Water runoff and drainage" + alternative_names: + - "ro" + 228216: + name: "Accumulated freezing rain" + alternative_names: + - "fzra" + 228217: + name: "Instantaneous large-scale surface precipitation fraction" + alternative_names: + - "ilspf" + 228218: + name: "Convective rain rate" + alternative_names: + - "crr" + 228219: + name: "Large scale rain rate" + alternative_names: + - "lsrr" + 228220: + name: "Convective snowfall rate water equivalent" + alternative_names: + - "csfr" + 228221: + name: "Large scale snowfall rate water equivalent" + alternative_names: + - "lssfr" + 228222: + name: "Maximum total precipitation rate in the last 3 hours" + alternative_names: + - "mxtpr3" + 228223: + name: "Minimum total precipitation rate in the last 3 hours" + alternative_names: + - "mntpr3" + 228224: + name: "Maximum total precipitation rate in the last 6 hours" + alternative_names: + - "mxtpr6" + 228225: + name: "Minimum total precipitation rate in the last 6 hours" + alternative_names: + - "mntpr6" + 228226: + name: "Maximum total precipitation rate since previous post-processing" + alternative_names: + - "mxtpr" + 228227: + name: "Minimum total precipitation rate since previous post-processing" + alternative_names: + - "mntpr" + 228228: + name: "Total precipitation" + alternative_names: + - "tp" + 228229: + name: "Smos first brightness temperature bias correction parameter" + alternative_names: + - "smos_tb_cdfa" + 228230: + name: "Smos second brightness temperature bias correction parameter" + alternative_names: + - "smos_tb_cdfb" + 228231: + name: "Mixed-layer cape in the lowest 50 hpa" + alternative_names: + - "mlcape50" + 228232: + name: "Mixed-layer cin in the lowest 50 hpa" + alternative_names: + - "mlcin50" + 228233: + name: "Mixed-layer cape in the lowest 100 hpa" + alternative_names: + - "mlcape100" + 228234: + name: "Mixed-layer cin in the lowest 100 hpa" + alternative_names: + - "mlcin100" + 228235: + name: "Most-unstable cape" + alternative_names: + - "mucape" + 228236: + name: "Most-unstable cin" + alternative_names: + - "mucin" + 228237: + name: "Departure level of the most unstable parcel expressed as pressure" + alternative_names: + - "mudlp" + 228239: + name: "200 metre u wind component" + alternative_names: + - "200u" + 228240: + name: "200 metre v wind component" + alternative_names: + - "200v" + 228241: + name: "200 metre wind speed" + alternative_names: + - "200si" + 228242: + name: "Surface solar radiation diffuse total sky" + alternative_names: + - "fdif" + 228243: + name: "Surface solar radiation diffuse clear-sky" + alternative_names: + - "cdif" + 228244: + name: "Surface albedo of direct radiation" + alternative_names: + - "aldr" + 228245: + name: "Surface albedo of diffuse radiation" + alternative_names: + - "aldf" + 228246: + name: "100 metre u wind component" + alternative_names: + - "100u" + 228247: + name: "100 metre v wind component" + alternative_names: + - "100v" + 228248: + name: "Surface short wave-effective total cloudiness" + alternative_names: + - "tccsw" + 228249: + name: "100 metre wind speed" + alternative_names: + - "100si" + 228250: + name: "Irrigation fraction" + alternative_names: + - "irrfr" + 228251: + name: "Potential evaporation" + alternative_names: + - "pev" + 228252: + name: "Irrigation" + alternative_names: + - "irr" + 228253: + name: "Ascat first soil moisture cdf matching parameter" + alternative_names: + - "ascat_sm_cdfa" + 228254: + name: "Ascat second soil moisture cdf matching parameter" + alternative_names: + - "ascat_sm_cdfb" + 228255: + name: "Surface long wave-effective total cloudiness" + alternative_names: + - "tcclw" + 229001: + name: "Urban cover" + alternative_names: + - "cur" + 229002: + name: "Road cover" + alternative_names: + - "cro" + 229003: + name: "Building cover" + alternative_names: + - "cbu" + 229004: + name: "Building height" + alternative_names: + - "bldh" + 229005: + name: "Vertical-to-horizontal area ratio" + alternative_names: + - "hwr" + 229006: + name: "Standard deviation of building height" + alternative_names: + - "bhstd" + 229007: + name: "Wetland cover" + alternative_names: + - "cwe" + 229008: + name: "Wetland type" + alternative_names: + - "twe" + 229009: + name: "Irrigation cover" + alternative_names: + - "cirr" + 229010: + name: "C4 crop cover" + alternative_names: + - "c4cr" + 229011: + name: "C4 grass cover" + alternative_names: + - "c4gr" + 230008: + name: "Surface runoff (variable resolution)" + alternative_names: + - "srovar" + 230009: + name: "Sub-surface runoff (variable resolution)" + alternative_names: + - "ssrovar" + 230020: + name: "Clear sky surface photosynthetically active radiation (variable resolution)" + alternative_names: + - "parcsvar" + 230021: + name: "Total sky direct solar radiation at surface (variable resolution)" + alternative_names: + - "fdirvar" + 230022: + name: "Clear-sky direct solar radiation at surface (variable resolution)" + alternative_names: + - "cdirvar" + 230044: + name: "Snow evaporation (variable resolution)" + alternative_names: + - "esvar" + 230045: + name: "Snowmelt (variable resolution)" + alternative_names: + - "smltvar" + 230046: + name: "Solar duration (variable resolution)" + alternative_names: + - "sdurvar" + 230047: + name: "Direct solar radiation (variable resolution)" + alternative_names: + - "dsrpvar" + 230050: + name: "Large-scale precipitation fraction (variable resolution)" + alternative_names: + - "lspfvar" + 230057: + name: "Downward uv radiation at the surface (variable resolution)" + alternative_names: + - "uvbvar" + 230058: + name: "Photosynthetically active radiation at the surface (variable resolution)" + alternative_names: + - "parvar" + 230080: + name: "Accumulated carbon dioxide net ecosystem exchange (variable resolution)" + alternative_names: + - "aco2neevar" + 230081: + name: "Accumulated carbon dioxide gross primary production (variable resolution)" + alternative_names: + - "aco2gppvar" + 230082: + name: "Accumulated carbon dioxide ecosystem respiration (variable resolution)" + alternative_names: + - "aco2recvar" + 230129: + name: "Surface solar radiation downward clear-sky (variable resolution)" + alternative_names: + - "ssrdcvar" + 230130: + name: "Surface thermal radiation downward clear-sky (variable resolution)" + alternative_names: + - "strdcvar" + 230142: + name: "Stratiform precipitation (large-scale precipitation) (variable resolution)" + alternative_names: + - "lspvar" + 230143: + name: "Convective precipitation (variable resolution)" + alternative_names: + - "cpvar" + 230144: + name: "Snowfall (convective + stratiform) (variable resolution)" + alternative_names: + - "sfvar" + 230145: + name: "Boundary layer dissipation (variable resolution)" + alternative_names: + - "bldvar" + 230146: + name: "Surface sensible heat flux (variable resolution)" + alternative_names: + - "sshfvar" + 230147: + name: "Surface latent heat flux (variable resolution)" + alternative_names: + - "slhfvar" + 230169: + name: "Surface solar radiation downwards (variable resolution)" + alternative_names: + - "ssrdvar" + 230174: + name: "Albedo (variable resolution)" + alternative_names: + - "alvar" + 230175: + name: "Surface thermal radiation downwards (variable resolution)" + alternative_names: + - "strdvar" + 230176: + name: "Surface net solar radiation (variable resolution)" + alternative_names: + - "ssrvar" + 230177: + name: "Surface net thermal radiation (variable resolution)" + alternative_names: + - "strvar" + 230178: + name: "Top net solar radiation (variable resolution)" + alternative_names: + - "tsrvar" + 230179: + name: "Top net thermal radiation (variable resolution)" + alternative_names: + - "ttrvar" + 230180: + name: "East-west surface stress (variable resolution)" + alternative_names: + - "ewssvar" + 230181: + name: "North-south surface stress (variable resolution)" + alternative_names: + - "nsssvar" + 230182: + name: "Evaporation (variable resolution)" + alternative_names: + - "evar" + 230189: + name: "Sunshine duration (variable resolution)" + alternative_names: + - "sundvar" + 230195: + name: "Longitudinal component of gravity wave stress (variable resolution)" + alternative_names: + - "lgwsvar" + 230196: + name: "Meridional component of gravity wave stress (variable resolution)" + alternative_names: + - "mgwsvar" + 230197: + name: "Gravity wave dissipation (variable resolution)" + alternative_names: + - "gwdvar" + 230198: + name: "Skin reservoir content (variable resolution)" + alternative_names: + - "srcvar" + 230205: + name: "Runoff (variable resolution)" + alternative_names: + - "rovar" + 230208: + name: "Top net solar radiation, clear sky (variable resolution)" + alternative_names: + - "tsrcvar" + 230209: + name: "Top net thermal radiation, clear sky (variable resolution)" + alternative_names: + - "ttrcvar" + 230210: + name: "Surface net solar radiation, clear sky (variable resolution)" + alternative_names: + - "ssrcvar" + 230211: + name: "Surface net thermal radiation, clear sky (variable resolution)" + alternative_names: + - "strcvar" + 230212: + name: "Toa incident solar radiation (variable resolution)" + alternative_names: + - "tisrvar" + 230213: + name: "Vertically integrated moisture divergence (variable resolution)" + alternative_names: + - "vimdvar" + 230216: + name: "Accumulated freezing rain (variable resolution)" + alternative_names: + - "fzravar" + 230228: + name: "Total precipitation (variable resolution)" + alternative_names: + - "tpvar" + 230239: + name: "Convective snowfall (variable resolution)" + alternative_names: + - "csfvar" + 230240: + name: "Large-scale snowfall (variable resolution)" + alternative_names: + - "lsfvar" + 230251: + name: "Potential evaporation (variable resolution)" + alternative_names: + - "pevvar" + 231001: + name: "Accumulated freezing rain water equivalent" + alternative_names: + - "fzrawe" + 231002: + name: "Runoff water equivalent (surface plus subsurface)" + alternative_names: + - "rowe" + 231003: + name: "Snow evaporation water equivalent" + alternative_names: + - "eswe" + 231004: + name: "Potential evaporation rate" + alternative_names: + - "pevr" + 231005: + name: "Potential evaporation" + alternative_names: + - "peva" + 231006: + name: "Tile fraction" + alternative_names: + - "tifr" + 231007: + name: "Tile percentage" + alternative_names: + - "tipe" + 231008: + name: "Forecast logarithm of surface roughness length for moisture" + alternative_names: + - "flsrm" + 231009: + name: "Surface runoff rate" + alternative_names: + - "surfror" + 231010: + name: "Surface runoff" + alternative_names: + - "surfro" + 231011: + name: "Sub-surface runoff rate" + alternative_names: + - "ssurfror" + 231012: + name: "Sub-surface runoff" + alternative_names: + - "ssurfro" + 231013: + name: "Reflectance in 0.4 micron channel" + alternative_names: + - "rfl04" + 231014: + name: "Vertical divergence" + alternative_names: + - "vdiv" + 231015: + name: "Drag thermal coefficient" + alternative_names: + - "dtc" + 231016: + name: "Drag evaporation coefficient" + alternative_names: + - "dec" + 231017: + name: "Pressure departure from hydrostatic state" + alternative_names: + - "pdhs" + 231018: + name: "Surface net radiation flux (sw and lw)" + alternative_names: + - "snrf" + 231019: + name: "Top net radiation flux (sw and lw)" + alternative_names: + - "tnrf" + 231020: + name: "Time-mean top net radiation flux (sw and lw)" + alternative_names: + - "mtnrf" + 231021: + name: "Global irradiance on tilted surfaces" + alternative_names: + - "gits" + 231022: + name: "Eady growth rate" + alternative_names: + - "eagr" + 231023: + name: "Tropical cyclones track density" + alternative_names: + - "tdtc" + 231024: + name: "Canopy air temperature" + alternative_names: + - "cant" + 231025: + name: "Soil wetness index (total layer)" + alternative_names: + - "swit" + 231026: + name: "Soil wetness index (root zone)" + alternative_names: + - "swir" + 231027: + name: "Soil wetness index (layer)" + alternative_names: + - "swil" + 231028: + name: "Distance downward from roof surface" + alternative_names: + - "ddrf" + 231029: + name: "Distance inward from outer wall surface" + alternative_names: + - "diws" + 231030: + name: "Distance downward from road surface" + alternative_names: + - "ddrd" + 231031: + name: "Renewable power capacity" + alternative_names: + - "rpc" + 231032: + name: "Renewable power production rate" + alternative_names: + - "rppr" + 231033: + name: "Renewable power production" + alternative_names: + - "rpp" + 231034: + name: "Wind power capacity" + alternative_names: + - "wpc" + 231035: + name: "Wind power production rate" + alternative_names: + - "wppr" + 231036: + name: "Wind power production" + alternative_names: + - "wpp" + 231037: + name: "Solar photovoltaic (pv) power capacity" + alternative_names: + - "pvpc" + 231038: + name: "Solar photovoltaic (pv) power production rate" + alternative_names: + - "pvppr" + 231039: + name: "Solar photovoltaic (pv) power production" + alternative_names: + - "pvpp" + 231040: + name: "Graupel (snow pellets) precipitation" + alternative_names: + - "tgrp" + 231041: + name: "Time-integrated total lightning flash density" + alternative_names: + - "litotint" + 231042: + name: "Maximum total column integrated graupel (snow pellets)" + alternative_names: + - "maxtcg" + 231043: + name: "Minimum visibility" + alternative_names: + - "minvis" + 231044: + name: "Geometric height of theta level above ground" + alternative_names: + - "hthg" + 231045: + name: "Pressure at cloud base" + alternative_names: + - "pcdb" + 231046: + name: "Geometric height of adiabatic condensation level above ground" + alternative_names: + - "hacg" + 231047: + name: "Geometric height of free convection level above ground" + alternative_names: + - "hfcg" + 231048: + name: "Geometric height of neutral buoyancy level above ground" + alternative_names: + - "hnbg" + 231049: + name: "Geometric height of atmospheric isothermal level above ground" + alternative_names: + - "haig" + 231050: + name: "Roof temperature" + alternative_names: + - "rft" + 231051: + name: "Wall temperature" + alternative_names: + - "wlt" + 231052: + name: "Road temperature" + alternative_names: + - "rdt" + 231053: + name: "Snow depth water equivalent on roof" + alternative_names: + - "sdrf" + 231054: + name: "Snow depth water equivalent on road" + alternative_names: + - "sdrd" + 231055: + name: "Urban canyon temperature" + alternative_names: + - "uct" + 231056: + name: "Urban canyon specific humidity" + alternative_names: + - "ucq" + 231057: + name: "Convective snowfall water equivalent" + alternative_names: + - "csfwe" + 231058: + name: "Large-scale snowfall water equivalent" + alternative_names: + - "lsfwe" + 231059: + name: "Lake surface temperature" + alternative_names: + - "lslt" + 231060: + name: "Surface bulk richardson number" + alternative_names: + - "sbrn" + 231061: + name: "Time-maximum 2 metre relative humidity" + alternative_names: + - "mx2r" + 231062: + name: "Time-minimum 2 metre relative humidity" + alternative_names: + - "mn2r" + 231063: + name: "Surface roughness for heat" + alternative_names: + - "srhe" + 231064: + name: "Surface roughness for moisture" + alternative_names: + - "srmo" + 232000: + name: "Burned area" + alternative_names: + - "fba" + 232001: + name: "Burning area" + alternative_names: + - "bia" + 232002: + name: "Burnable area" + alternative_names: + - "baa" + 232003: + name: "Un-burnable area" + alternative_names: + - "ubaa" + 232004: + name: "Fuel load" + alternative_names: + - "fuell" + 232005: + name: "Combustion completeness" + alternative_names: + - "combc" + 232006: + name: "Fuel moisture content" + alternative_names: + - "fuelmc" + 232007: + name: "Live leaf fuel load" + alternative_names: + - "llfl" + 232008: + name: "Live wood fuel load" + alternative_names: + - "lwfl" + 232009: + name: "Dead leaf fuel load" + alternative_names: + - "dlfl" + 232010: + name: "Dead wood fuel load" + alternative_names: + - "dwfl" + 232011: + name: "Live fuel moisture content" + alternative_names: + - "lfmc" + 232012: + name: "Fine dead leaf moisture content" + alternative_names: + - "fdlmc" + 232013: + name: "Dense dead leaf moisture content" + alternative_names: + - "ddlmc" + 232014: + name: "Fine dead wood moisture content" + alternative_names: + - "fdwmc" + 232015: + name: "Dense dead wood moisture content" + alternative_names: + - "ddwmc" + 233000: + name: + "Time-integrated total column vertically-integrated eastward geopotential + flux" + alternative_names: + - "tvige" + 233001: + name: + "Time-integrated total column vertically-integrated northward geopotential + flux" + alternative_names: + - "tvign" + 233002: + name: + "Time-integrated total column vertically-integrated divergence of water + geopotential flux" + alternative_names: + - "tviwgd" + 233003: + name: + "Time-integrated total column vertically-integrated divergence of geopotential + flux" + alternative_names: + - "tvigd" + 233004: + name: "Time-integrated total column vertically-integrated eastward enthalpy flux" + alternative_names: + - "tviee" + 233005: + name: "Time-integrated total column vertically-integrated northward enthalpy flux" + alternative_names: + - "tvien" + 233006: + name: + "Time-integrated total column vertically-integrated eastward kinetic energy + flux" + alternative_names: + - "tvikee" + 233007: + name: + "Time-integrated total column vertically-integrated northward kinetic energy + flux" + alternative_names: + - "tviken" + 233008: + name: + "Time-integrated total column vertically-integrated eastward total energy + flux" + alternative_names: + - "tvitee" + 233009: + name: + "Time-integrated total column vertically-integrated northward total energy + flux" + alternative_names: + - "tviten" + 233010: + name: + "Time-integrated total column vertically-integrated divergence of enthalpy + flux" + alternative_names: + - "tvied" + 233011: + name: + "Time-integrated total column vertically-integrated divergence of kinetic + energy flux" + alternative_names: + - "tviked" + 233012: + name: + "Time-integrated total column vertically-integrated divergence of total + energy flux" + alternative_names: + - "tvited" + 233013: + name: + "Time-integrated total column vertically-integrated divergence of water + enthalpy flux" + alternative_names: + - "tviwed" + 233014: + name: "Time integrated, vertically integrated divergence of mass flux" + alternative_names: + - "tvimd" + 233015: + name: "Time integrated, vertically integrated eastward mass flux" + alternative_names: + - "tvime" + 233016: + name: "Time integrated, vertically integrated northward mass flux" + alternative_names: + - "tvimn" + 233017: + name: "Time integrated, vertically integrated divergence of water vapour flux" + alternative_names: + - "tviwvd" + 233018: + name: + "Time integrated, vertically integrated divergence of cloud liquid water + flux" + alternative_names: + - "tviclwd" + 233019: + name: "Time integrated, vertically integrated divergence of cloud ice water flux" + alternative_names: + - "tviciwd" + 233020: + name: "Time integrated, vertically integrated divergence of rain flux" + alternative_names: + - "tvird" + 233021: + name: "Time integrated, vertically integrated divergence of snow flux" + alternative_names: + - "tvisd" + 233022: + name: "Time integrated, vertically integrated eastward water vapour flux" + alternative_names: + - "tviwve" + 233023: + name: "Time integrated, vertically integrated northward water vapour flux" + alternative_names: + - "tviwvn" + 233024: + name: "Time integrated, vertically integrated eastward cloud liquid water flux" + alternative_names: + - "tviclwe" + 233025: + name: "Time integrated, vertically integrated northward cloud liquid water flux" + alternative_names: + - "tviclwn" + 233026: + name: "Time integrated, vertically integrated eastward cloud ice water flux" + alternative_names: + - "tviciwe" + 233027: + name: "Time integrated, vertically integrated northward cloud ice water flux" + alternative_names: + - "tviciwn" + 233028: + name: "Time integrated, vertically integrated eastward rain flux" + alternative_names: + - "tvire" + 233029: + name: "Time integrated, vertically integrated northward rain flux" + alternative_names: + - "tvirn" + 233030: + name: "Time integrated, vertically integrated eastward snow flux" + alternative_names: + - "tvise" + 233031: + name: "Time integrated, vertically integrated northward snow flux" + alternative_names: + - "tvisn" + 233032: + name: "Time integrated, vertically integrated eastward ozone flux" + alternative_names: + - "tvioze" + 233033: + name: "Time integrated, vertically integrated northward ozone flux" + alternative_names: + - "tviozn" + 233034: + name: "Time integrated, vertically integrated divergence of ozone flux" + alternative_names: + - "tviozd" + 233035: + name: "Time integrated, vertically integrated net source of ozone" + alternative_names: + - "tvions" + 234139: + name: "Surface temperature significance" + alternative_names: + - "sts" + 234151: + name: "Mean sea level pressure significance" + alternative_names: + - "msls" + 234167: + name: "2 metre temperature significance" + alternative_names: + - "2ts" + 234228: + name: "Total precipitation significance" + alternative_names: + - "tps" + 235001: + name: "Mean temperature tendency due to short-wave radiation" + alternative_names: + - "mttswr" + 235002: + name: "Mean temperature tendency due to long-wave radiation" + alternative_names: + - "mttlwr" + 235003: + name: "Mean temperature tendency due to short-wave radiation, clear sky" + alternative_names: + - "mttswrcs" + 235004: + name: "Mean temperature tendency due to long-wave radiation, clear sky" + alternative_names: + - "mttlwrcs" + 235005: + name: "Mean temperature tendency due to parametrisations" + alternative_names: + - "mttpm" + 235006: + name: "Mean specific humidity tendency due to parametrisations" + alternative_names: + - "mqtpm" + 235007: + name: "Mean eastward wind tendency due to parametrisations" + alternative_names: + - "mutpm" + 235008: + name: "Mean northward wind tendency due to parametrisations" + alternative_names: + - "mvtpm" + 235009: + name: "Mean updraught mass flux" + alternative_names: + - "mumf" + 235010: + name: "Mean downdraught mass flux" + alternative_names: + - "mdmf" + 235011: + name: "Mean updraught detrainment rate" + alternative_names: + - "mudr" + 235012: + name: "Mean downdraught detrainment rate" + alternative_names: + - "mddr" + 235013: + name: "Mean total precipitation flux" + alternative_names: + - "mtpf" + 235014: + name: "Mean turbulent diffusion coefficient for heat" + alternative_names: + - "mtdch" + 235015: + name: "Time integral of rain flux" + alternative_names: + - "tirf" + 235017: + name: "Time integral of surface eastward momentum flux" + alternative_names: + - "tisemf" + 235018: + name: "Time integral of surface northward momentum flux" + alternative_names: + - "tisnmf" + 235019: + name: "Time integral of surface latent heat evaporation flux" + alternative_names: + - "tislhef" + 235020: + name: "Mean surface runoff rate" + alternative_names: + - "msror" + 235021: + name: "Mean sub-surface runoff rate" + alternative_names: + - "mssror" + 235022: + name: "Mean surface photosynthetically active radiation flux, clear sky" + alternative_names: + - "msparfcs" + 235023: + name: "Mean snow evaporation rate" + alternative_names: + - "mser" + 235024: + name: "Mean snowmelt rate" + alternative_names: + - "msmr" + 235025: + name: "Mean magnitude of turbulent surface stress" + alternative_names: + - "mmtss" + 235026: + name: "Mean large-scale precipitation fraction" + alternative_names: + - "mlspf" + 235027: + name: "Mean surface downward uv radiation flux" + alternative_names: + - "msdwuvrf" + 235028: + name: "Mean surface photosynthetically active radiation flux" + alternative_names: + - "msparf" + 235029: + name: "Mean large-scale precipitation rate" + alternative_names: + - "mlspr" + 235030: + name: "Mean convective precipitation rate" + alternative_names: + - "mcpr" + 235031: + name: "Mean snowfall rate" + alternative_names: + - "msr" + 235032: + name: "Mean boundary layer dissipation" + alternative_names: + - "mbld" + 235033: + name: "Mean surface sensible heat flux" + alternative_names: + - "msshf" + 235034: + name: "Mean surface latent heat flux" + alternative_names: + - "mslhf" + 235035: + name: "Mean surface downward short-wave radiation flux" + alternative_names: + - "msdwswrf" + 235036: + name: "Mean surface downward long-wave radiation flux" + alternative_names: + - "msdwlwrf" + 235037: + name: "Mean surface net short-wave radiation flux" + alternative_names: + - "msnswrf" + 235038: + name: "Mean surface net long-wave radiation flux" + alternative_names: + - "msnlwrf" + 235039: + name: "Mean top net short-wave radiation flux" + alternative_names: + - "mtnswrf" + 235040: + name: "Mean top net long-wave radiation flux" + alternative_names: + - "mtnlwrf" + 235041: + name: "Mean eastward turbulent surface stress" + alternative_names: + - "metss" + 235042: + name: "Mean northward turbulent surface stress" + alternative_names: + - "mntss" + 235043: + name: "Mean evaporation rate" + alternative_names: + - "mer" + 235044: + name: "Sunshine duration fraction" + alternative_names: + - "sdf" + 235045: + name: "Mean eastward gravity wave surface stress" + alternative_names: + - "megwss" + 235046: + name: "Mean northward gravity wave surface stress" + alternative_names: + - "mngwss" + 235047: + name: "Mean gravity wave dissipation" + alternative_names: + - "mgwd" + 235048: + name: "Mean runoff rate" + alternative_names: + - "mror" + 235049: + name: "Mean top net short-wave radiation flux, clear sky" + alternative_names: + - "mtnswrfcs" + 235050: + name: "Mean top net long-wave radiation flux, clear sky" + alternative_names: + - "mtnlwrfcs" + 235051: + name: "Mean surface net short-wave radiation flux, clear sky" + alternative_names: + - "msnswrfcs" + 235052: + name: "Mean surface net long-wave radiation flux, clear sky" + alternative_names: + - "msnlwrfcs" + 235053: + name: "Mean top downward short-wave radiation flux" + alternative_names: + - "mtdwswrf" + 235054: + name: "Mean vertically integrated moisture divergence" + alternative_names: + - "mvimd" + 235055: + name: "Mean total precipitation rate" + alternative_names: + - "mtpr" + 235056: + name: "Mean convective snowfall rate" + alternative_names: + - "mcsr" + 235057: + name: "Mean large-scale snowfall rate" + alternative_names: + - "mlssr" + 235058: + name: "Mean surface direct short-wave radiation flux" + alternative_names: + - "msdrswrf" + 235059: + name: "Mean surface direct short-wave radiation flux, clear sky" + alternative_names: + - "msdrswrfcs" + 235060: + name: "Mean surface diffuse short-wave radiation flux" + alternative_names: + - "msdfswrf" + 235061: + name: "Mean surface diffuse short-wave radiation flux, clear sky" + alternative_names: + - "msdfswrfcs" + 235062: + name: "Mean carbon dioxide net ecosystem exchange flux" + alternative_names: + - "mcdneef" + 235063: + name: "Mean carbon dioxide gross primary production flux" + alternative_names: + - "mcdgppf" + 235064: + name: "Mean carbon dioxide ecosystem respiration flux" + alternative_names: + - "mcderf" + 235065: + name: "Mean rain rate" + alternative_names: + - "mrr" + 235066: + name: "Mean convective rain rate" + alternative_names: + - "mcrr" + 235067: + name: "Mean large-scale rain rate" + alternative_names: + - "mlsrr" + 235068: + name: "Mean surface downward short-wave radiation flux, clear sky" + alternative_names: + - "msdwswrfcs" + 235069: + name: "Mean surface downward long-wave radiation flux, clear sky" + alternative_names: + - "msdwlwrfcs" + 235070: + name: "Mean potential evaporation rate" + alternative_names: + - "mper" + 235071: + name: "Time integral of surface latent heat sublimation flux" + alternative_names: + - "tislhsf" + 235072: + name: "Time integral of snow evaporation flux" + alternative_names: + - "tisef" + 235073: + name: "Time integral of evapotranspiration flux" + alternative_names: + - "tietrf" + 235074: + name: "Time-mean evapotranspiration flux" + alternative_names: + - "metrf" + 235075: + name: "Time integral of potential evapotranspiration rate" + alternative_names: + - "tipet" + 235076: + name: "Time-mean potential evapotranspiration rate" + alternative_names: + - "mpet" + 235077: + name: "Time-mean volumetric soil moisture" + alternative_names: + - "mvsw" + 235078: + name: "Time-mean snow depth water equivalent" + alternative_names: + - "msd" + 235079: + name: "Time-mean skin temperature" + alternative_names: + - "mskt" + 235080: + name: "Time-mean snow density" + alternative_names: + - "avg_rsn" + 235081: + name: "Time-mean low vegetation cover" + alternative_names: + - "avg_cvl" + 235082: + name: "Time-mean high vegetation cover" + alternative_names: + - "avg_cvh" + 235083: + name: "Time-mean sea ice area fraction" + alternative_names: + - "avg_ci" + 235084: + name: "Time-mean sea surface temperature" + alternative_names: + - "avg_sst" + 235085: + name: "Time-mean leaf area index, low vegetation" + alternative_names: + - "avg_lai_lv" + 235086: + name: "Time-mean leaf area index, high vegetation" + alternative_names: + - "avg_lai_hv" + 235087: + name: "Time-mean total column liquid water" + alternative_names: + - "avg_tclw" + 235088: + name: "Time-mean total column cloud ice water" + alternative_names: + - "avg_tciw" + 235089: + name: "Time-mean 2 metre specific humidity" + alternative_names: + - "avg_2sh" + 235090: + name: "Time-mean lake mix-layer temperature" + alternative_names: + - "avg_lmlt" + 235091: + name: "Time-mean lake mix-layer depth" + alternative_names: + - "avg_lmld" + 235092: + name: "Time-mean 2 metre relative humidity" + alternative_names: + - "avg_2r" + 235093: + name: "Time-mean fraction of snow cover" + alternative_names: + - "avg_fscov" + 235094: + name: "Time-mean soil temperature" + alternative_names: + - "avg_sot" + 235095: + name: "Time-mean snow depth" + alternative_names: + - "avg_sde" + 235096: + name: "Time-mean snow cover" + alternative_names: + - "avg_snowc" + 235097: + name: "Time-mean wind speed" + alternative_names: + - "avg_ws" + 235098: + name: "Time-mean pressure" + alternative_names: + - "avg_pres" + 235100: + name: "Time-mean potential vorticity" + alternative_names: + - "avg_pv" + 235101: + name: "Time-mean specific rain water content" + alternative_names: + - "avg_crwc" + 235102: + name: "Time-mean specific snow water content" + alternative_names: + - "avg_cswc" + 235103: + name: "Time-mean eta-coordinate vertical velocity" + alternative_names: + - "avg_etadot" + 235117: + name: "Time-mean most-unstable cape" + alternative_names: + - "avg_mucape" + 235129: + name: "Time-mean geopotential" + alternative_names: + - "avg_z" + 235130: + name: "Time-mean temperature" + alternative_names: + - "avg_t" + 235131: + name: "Time-mean u component of wind" + alternative_names: + - "avg_u" + 235132: + name: "Time-mean v component of wind" + alternative_names: + - "avg_v" + 235133: + name: "Time-mean specific humidity" + alternative_names: + - "avg_q" + 235134: + name: "Time-mean surface pressure" + alternative_names: + - "avg_sp" + 235135: + name: "Time-mean vertical velocity" + alternative_names: + - "avg_w" + 235136: + name: "Time-mean total column water" + alternative_names: + - "avg_tcw" + 235137: + name: "Time-mean total column vertically-integrated water vapour" + alternative_names: + - "avg_tcwv" + 235138: + name: "Time-mean vorticity (relative)" + alternative_names: + - "avg_vo" + 235141: + name: "Time-mean snow depth" + alternative_names: + - "avg_sd_m" + 235151: + name: "Time-mean mean sea level pressure" + alternative_names: + - "avg_msl" + 235152: + name: "Time-mean logarithm of surface pressure" + alternative_names: + - "avg_lnsp" + 235155: + name: "Time-mean divergence" + alternative_names: + - "avg_d" + 235157: + name: "Time-mean relative humidity" + alternative_names: + - "avg_r" + 235159: + name: "Time-mean boundary layer height" + alternative_names: + - "avg_blh" + 235165: + name: "Time-mean 10 metre u wind component" + alternative_names: + - "avg_10u" + 235166: + name: "Time-mean 10 metre v wind component" + alternative_names: + - "avg_10v" + 235168: + name: "Time-mean 2 metre dewpoint temperature" + alternative_names: + - "avg_2d" + 235186: + name: "Time-mean low cloud cover" + alternative_names: + - "avg_lcc_frac" + 235187: + name: "Time-mean medium cloud cover" + alternative_names: + - "avg_mcc_frac" + 235188: + name: "Time-mean high cloud cover" + alternative_names: + - "avg_hcc_frac" + 235203: + name: "Time-mean ozone mass mixing ratio" + alternative_names: + - "avg_o3" + 235238: + name: "Time-mean temperature of snow layer" + alternative_names: + - "avg_tsn" + 235243: + name: "Time-mean forecast albedo" + alternative_names: + - "avg_fal_frac" + 235244: + name: "Time-mean forecast surface roughness" + alternative_names: + - "avg_fsr" + 235245: + name: "Time-mean forecast logarithm of surface roughness for heat" + alternative_names: + - "avg_flsr" + 235246: + name: "Time-mean specific cloud liquid water content" + alternative_names: + - "avg_clwc" + 235247: + name: "Time-mean specific cloud ice water content" + alternative_names: + - "avg_ciwc" + 235248: + name: "Time-mean fraction of cloud cover" + alternative_names: + - "avg_cc" + 235257: + name: "Time-mean k index" + alternative_names: + - "avg_kx" + 235258: + name: "Time-mean total totals index" + alternative_names: + - "avg_totalx" + 235262: + name: "Time-mean clear air turbulence (cat)" + alternative_names: + - "avg_cat" + 235270: + name: "Time-mean discharge from rivers or streams" + alternative_names: + - "avg_dis" + 235271: + name: "Time-mean soil wetness index (total layer)" + alternative_names: + - "avg_swit" + 235272: + name: "Time-mean soil wetness index (root zone)" + alternative_names: + - "avg_swir" + 235273: + name: "Time-mean soil wetness index(layer)" + alternative_names: + - "avg_swil" + 235274: + name: "Time-mean floodplain depth" + alternative_names: + - "avg_flddep" + 235275: + name: "Time-mean floodplain flooded fraction" + alternative_names: + - "avg_fldffr" + 235276: + name: "Time-mean floodplain flooded area" + alternative_names: + - "avg_fldfar" + 235277: + name: "Time-mean river fraction" + alternative_names: + - "avg_rivfr" + 235278: + name: "Time-mean river area" + alternative_names: + - "avg_rivar" + 235279: + name: "Time-mean fraction of river coverage plus river related flooding" + alternative_names: + - "avg_rivcffr" + 235280: + name: "Time-mean area of river coverage plus river related flooding" + alternative_names: + - "avg_rivcfar" + 237077: + name: "Time-maximum volumetric soil moisture" + alternative_names: + - "max_vsw" + 237117: + name: "Time-maximum most-unstable cape" + alternative_names: + - "max_mucape" + 238077: + name: "Time-minimum volumetric soil moisture" + alternative_names: + - "min_vsw" + 238117: + name: "Time-minimum most-unstable cape" + alternative_names: + - "min_mucape" + 239077: + name: "Time-standard-deviation volumetric soil moisture" + alternative_names: + - "std_vsw" + 239117: + name: "Time-standard-deviation most-unstable cape" + alternative_names: + - "std_mucape" + 240011: + name: "Cross sectional area of flow in channel" + alternative_names: + - "chcross" + 240012: + name: "Side flow into river channel" + alternative_names: + - "chside" + 240013: + name: "Discharge from rivers or streams" + alternative_names: + - "dis" + 240014: + name: "River storage of water" + alternative_names: + - "rivsto" + 240015: + name: "Floodplain storage of water" + alternative_names: + - "fldsto" + 240016: + name: "Water fraction" + alternative_names: + - "fldfrc" + 240017: + name: "Days since last observation" + alternative_names: + - "dslr" + 240018: + name: "Frost index" + alternative_names: + - "frost" + 240020: + name: "Depth of water on soil surface" + alternative_names: + - "woss" + 240021: + name: "Upstream accumulated precipitation" + alternative_names: + - "tpups" + 240022: + name: "Upstream accumulated snow melt" + alternative_names: + - "smups" + 240023: + name: "Mean discharge in the last 6 hours" + alternative_names: + - "dis06" + 240024: + name: "Mean discharge in the last 24 hours" + alternative_names: + - "dis24" + 240026: + name: "Snow depth at elevation bands" + alternative_names: + - "sd_elev" + 240028: + name: "Groundwater upper storage" + alternative_names: + - "gwus" + 240029: + name: "Groundwater lower storage" + alternative_names: + - "gwls" + 240030: + name: "Lake depth" + alternative_names: + - "lakdph" + 240031: + name: "River depth" + alternative_names: + - "rivdph" + 240032: + name: "River outflow of water" + alternative_names: + - "rivout" + 240033: + name: "Floodplain outflow of water" + alternative_names: + - "fldout" + 240034: + name: "Floodpath outflow of water" + alternative_names: + - "pthflw" + 240035: + name: "Floodplain depth" + alternative_names: + - "flddep" + 240036: + name: "Floodplain flooded fraction" + alternative_names: + - "fldffr" + 240037: + name: "Floodplain flooded area" + alternative_names: + - "fldfar" + 240038: + name: "River fraction" + alternative_names: + - "rivfr" + 240039: + name: "River area" + alternative_names: + - "rivar" + 240040: + name: "Fraction of river coverage plus river related flooding" + alternative_names: + - "rivcffr" + 240041: + name: "Area of river coverage plus river related flooding" + alternative_names: + - "rivcfar" + 250001: + name: "Latitude" + alternative_names: + - "lat" + 250002: + name: "Longitude" + alternative_names: + - "lon" + 250003: + name: "Latitude on t grid" + alternative_names: + - "tlat" + 250004: + name: "Longitude on t grid" + alternative_names: + - "tlon" + 250005: + name: "Latitude on u grid" + alternative_names: + - "ulat" + 250006: + name: "Longitude on u grid" + alternative_names: + - "ulon" + 250007: + name: "Latitude on v grid" + alternative_names: + - "vlat" + 250008: + name: "Longitude on v grid" + alternative_names: + - "vlon" + 250009: + name: "Latitude on w grid" + alternative_names: + - "wlat" + 250010: + name: "Longitude on w grid" + alternative_names: + - "wlon" + 250011: + name: "Latitude on f grid" + alternative_names: + - "flat" + 250012: + name: "Longitude on f grid" + alternative_names: + - "flon" + 254001: + name: + "Covariance between 2-metre temperature and volumetric soil water layer + 1" + alternative_names: + - "covar_t2m_swvl1" + 254002: + name: + "Covariance between 2-metre relative humidity and volumetric soil water + layer 1" + alternative_names: + - "covar_rh2m_swvl1" + 254003: + name: + "Covariance between surface soil moisture and volumetric soil water layer + 1" + alternative_names: + - "covar_ssm_swvl1" + 254004: + name: + "Covariance between 2-metre temperature and volumetric soil water layer + 2" + alternative_names: + - "covar_t2m_swvl2" + 254005: + name: + "Covariance between 2-metre relative humidity and volumetric soil water + layer 2" + alternative_names: + - "covar_rh2m_swvl2" + 254006: + name: + "Covariance between surface soil moisture and volumetric soil water layer + 2" + alternative_names: + - "covar_ssm_swvl2" + 254007: + name: + "Covariance between 2-metre temperature and volumetric soil water layer + 3" + alternative_names: + - "covar_t2m_swvl3" + 254008: + name: + "Covariance between 2-metre relative humidity and volumetric soil water + layer 3" + alternative_names: + - "covar_rh2m_swvl3" + 254009: + name: + "Covariance between surface soil moisture and volumetric soil water layer + 3" + alternative_names: + - "covar_ssm_swvl3" + 254010: + name: "Covariance between 2-metre temperature and soil temperature layer 1" + alternative_names: + - "covar_t2m_stl1" + 254011: + name: + "Covariance between 2-metre relative humidity and soil temperature layer + 1" + alternative_names: + - "covar_rh2m_stl1" + 254012: + name: "Covariance between 2-metre temperature and soil temperature layer 2" + alternative_names: + - "covar_t2m_stl2" + 254013: + name: + "Covariance between 2-metre relative humidity and soil temperature layer + 2" + alternative_names: + - "covar_rh2m_stl2" + 254014: + name: "Covariance between 2-metre temperature and soil temperature layer 3" + alternative_names: + - "covar_t2m_stl3" + 254015: + name: + "Covariance between 2-metre relative humidity and soil temperature layer + 3" + alternative_names: + - "covar_rh2m_stl3" + 254016: + name: "Covariance between 2-metre temperature and temperature of snow layer 1" + alternative_names: + - "covar_t2m_tsn1" + 254017: + name: + "Covariance between 2-metre relative humidity and temperature of snow layer + 1" + alternative_names: + - "covar_rh2m_tsn1" + 254018: + name: "Covariance between 2-metre temperature and temperature of snow layer 2" + alternative_names: + - "covar_t2m_tsn2" + 254019: + name: + "Covariance between 2-metre relative humidity and temperature of snow layer + 2" + alternative_names: + - "covar_rh2m_tsn2" + 254020: + name: "Covariance between 2-metre temperature and temperature of snow layer 3" + alternative_names: + - "covar_t2m_tsn3" + 254021: + name: + "Covariance between 2-metre relative humidity and temperature of snow layer + 3" + alternative_names: + - "covar_rh2m_tsn3" + 260001: + name: "Total column graupel" + alternative_names: + - "tcolg" + 260002: + name: "Latent heat net flux" + alternative_names: + - "lhtfl" + 260003: + name: "Sensible heat net flux" + alternative_names: + - "shtfl" + 260004: + name: "Heat index" + alternative_names: + - "heatx" + 260005: + name: "Wind chill factor" + alternative_names: + - "wcf" + 260006: + name: "Minimum dew point depression" + alternative_names: + - "mindpd" + 260007: + name: "Snow phase change heat flux" + alternative_names: + - "snohf" + 260008: + name: "Vapor pressure" + alternative_names: + - "vapp" + 260009: + name: "Large scale precipitation (non-convective)" + alternative_names: + - "ncpcp" + 260010: + name: "Snowfall rate water equivalent" + alternative_names: + - "srweq" + 260011: + name: "Convective snow" + alternative_names: + - "snoc" + 260012: + name: "Large scale snow" + alternative_names: + - "snol" + 260013: + name: "Snow age" + alternative_names: + - "snoag" + 260014: + name: "Absolute humidity" + alternative_names: + - "absh" + 260015: + name: "Precipitation type" + alternative_names: + - "ptype" + 260016: + name: "Integrated liquid water" + alternative_names: + - "iliqw" + 260017: + name: "Condensate" + alternative_names: + - "tcond" + 260018: + name: "Cloud mixing ratio" + alternative_names: + - "clwmr" + 260019: + name: "Ice water mixing ratio" + alternative_names: + - "icmr" + 260020: + name: "Rain mixing ratio" + alternative_names: + - "rwmr" + 260021: + name: "Snow mixing ratio" + alternative_names: + - "snmr" + 260022: + name: "Horizontal moisture convergence" + alternative_names: + - "mconv" + 260023: + name: "Maximum relative humidity" + alternative_names: + - "maxrh" + 260024: + name: "Maximum absolute humidity" + alternative_names: + - "maxah" + 260025: + name: "Total snowfall" + alternative_names: + - "asnow" + 260026: + name: "Precipitable water category" + alternative_names: + - "pwcat" + 260027: + name: "Hail" + alternative_names: + - "hail" + 260028: + name: "Graupel (snow pellets)" + alternative_names: + - "grle" + 260029: + name: "Categorical rain" + alternative_names: + - "crain" + 260030: + name: "Categorical freezing rain" + alternative_names: + - "cfrzr" + 260031: + name: "Categorical ice pellets" + alternative_names: + - "cicep" + 260032: + name: "Categorical snow" + alternative_names: + - "csnow" + 260033: + name: "Convective precipitation rate" + alternative_names: + - "cprat" + 260034: + name: "Horizontal moisture divergence" + alternative_names: + - "mdiv" + 260035: + name: "Percent frozen precipitation" + alternative_names: + - "cpofp" + 260036: + name: "Potential evaporation" + alternative_names: + - "pevap" + 260037: + name: "Potential evaporation rate" + alternative_names: + - "pevpr" + 260038: + name: "Snow cover" + alternative_names: + - "snowc" + 260039: + name: "Rain fraction of total cloud water" + alternative_names: + - "frain" + 260040: + name: "Rime factor" + alternative_names: + - "rime" + 260041: + name: "Total column integrated rain" + alternative_names: + - "tcolr" + 260042: + name: "Total column integrated snow" + alternative_names: + - "tcols" + 260043: + name: "Large scale water precipitation (non-convective)" + alternative_names: + - "lswp" + 260044: + name: "Convective water precipitation" + alternative_names: + - "cwp" + 260045: + name: "Total water precipitation" + alternative_names: + - "twatp" + 260046: + name: "Total snow precipitation" + alternative_names: + - "tsnowp" + 260047: + name: "Total column water (vertically integrated total water (vapour + cloud water/ice))" + alternative_names: + - "tcwat" + 260048: + name: "Total precipitation rate" + alternative_names: + - "tprate" + 260049: + name: "Total snowfall rate water equivalent" + alternative_names: + - "tsrwe" + 260050: + name: "Large scale precipitation rate" + alternative_names: + - "lsprate" + 260051: + name: "Convective snowfall rate water equivalent" + alternative_names: + - "csrwe" + 260052: + name: "Large scale snowfall rate water equivalent" + alternative_names: + - "lssrwe" + 260053: + name: "Total snowfall rate" + alternative_names: + - "tsrate" + 260054: + name: "Convective snowfall rate" + alternative_names: + - "csrate" + 260055: + name: "Large scale snowfall rate" + alternative_names: + - "lssrate" + 260056: + name: "Water equivalent of accumulated snow depth (deprecated)" + alternative_names: + - "sdwe" + 260057: + name: "Total column integrated water vapour" + alternative_names: + - "tciwv" + 260058: + name: "Rain precipitation rate" + alternative_names: + - "rprate" + 260059: + name: "Snow precipitation rate" + alternative_names: + - "sprate" + 260060: + name: "Freezing rain precipitation rate" + alternative_names: + - "fprate" + 260061: + name: "Ice pellets precipitation rate" + alternative_names: + - "iprate" + 260062: + name: "Momentum flux, u component" + alternative_names: + - "uflx" + 260063: + name: "Momentum flux, v component" + alternative_names: + - "vflx" + 260064: + name: "Maximum wind speed" + alternative_names: + - "maxgust" + 260065: + name: "Wind speed (gust)" + alternative_names: + - "gust" + 260066: + name: "U-component of wind (gust)" + alternative_names: + - "ugust" + 260067: + name: "V-component of wind (gust)" + alternative_names: + - "vgust" + 260068: + name: "Vertical speed shear" + alternative_names: + - "vwsh" + 260069: + name: "Horizontal momentum flux" + alternative_names: + - "mflx" + 260070: + name: "U-component storm motion" + alternative_names: + - "ustm" + 260071: + name: "V-component storm motion" + alternative_names: + - "vstm" + 260072: + name: "Drag coefficient" + alternative_names: + - "cd" + 260073: + name: "Frictional velocity" + alternative_names: + - "fricv" + 260074: + name: "Pressure reduced to msl" + alternative_names: + - "prmsl" + 260075: + name: "Geometric height" + alternative_names: + - "dist" + 260076: + name: "Altimeter setting" + alternative_names: + - "alts" + 260077: + name: "Thickness" + alternative_names: + - "thick" + 260078: + name: "Pressure altitude" + alternative_names: + - "presalt" + 260079: + name: "Density altitude" + alternative_names: + - "denalt" + 260080: + name: "5-wave geopotential height" + alternative_names: + - "5wavh" + 260081: + name: "Zonal flux of gravity wave stress" + alternative_names: + - "u_gwd" + 260082: + name: "Meridional flux of gravity wave stress" + alternative_names: + - "v_gwd" + 260083: + name: "Planetary boundary layer height" + alternative_names: + - "hpbl" + 260084: + name: "5-wave geopotential height anomaly" + alternative_names: + - "5wava" + 260085: + name: "Standard deviation of sub-grid scale orography" + alternative_names: + - "sdsgso" + 260086: + name: "Net short-wave radiation flux (top of atmosphere)" + alternative_names: + - "nswrt" + 260087: + name: "Downward short-wave radiation flux" + alternative_names: + - "dswrf" + 260088: + name: "Upward short-wave radiation flux" + alternative_names: + - "uswrf" + 260089: + name: "Net short wave radiation flux" + alternative_names: + - "nswrf" + 260090: + name: "Photosynthetically active radiation" + alternative_names: + - "photar" + 260091: + name: "Net short-wave radiation flux, clear sky" + alternative_names: + - "nswrfcs" + 260092: + name: "Downward uv radiation" + alternative_names: + - "dwuvr" + 260093: + name: "Uv index (under clear sky)" + alternative_names: + - "uviucs" + 260094: + name: "Uv index" + alternative_names: + - "uvi" + 260095: + name: "Net long wave radiation flux (surface)" + alternative_names: + - "nlwrs" + 260096: + name: "Net long wave radiation flux (top of atmosphere)" + alternative_names: + - "nlwrt" + 260097: + name: "Downward long-wave radiation flux" + alternative_names: + - "dlwrf" + 260098: + name: "Upward long-wave radiation flux" + alternative_names: + - "ulwrf" + 260099: + name: "Net long wave radiation flux" + alternative_names: + - "nlwrf" + 260100: + name: "Net long-wave radiation flux, clear sky" + alternative_names: + - "nlwrcs" + 260101: + name: "Cloud ice" + alternative_names: + - "cice" + 260102: + name: "Cloud water" + alternative_names: + - "cwat" + 260103: + name: "Cloud amount" + alternative_names: + - "cdca" + 260104: + name: "Cloud type" + alternative_names: + - "cdct" + 260105: + name: "Thunderstorm maximum tops" + alternative_names: + - "tmaxt" + 260106: + name: "Thunderstorm coverage" + alternative_names: + - "thunc" + 260107: + name: "Cloud base" + alternative_names: + - "cdcb" + 260108: + name: "Cloud top" + alternative_names: + - "cdct" + 260109: + name: "Ceiling" + alternative_names: + - "ceil" + 260110: + name: "Non-convective cloud cover" + alternative_names: + - "cdlyr" + 260111: + name: "Cloud work function" + alternative_names: + - "cwork" + 260112: + name: "Convective cloud efficiency" + alternative_names: + - "cuefi" + 260113: + name: "Total condensate" + alternative_names: + - "tcond" + 260114: + name: "Total column-integrated cloud water" + alternative_names: + - "tcolw" + 260115: + name: "Total column-integrated cloud ice" + alternative_names: + - "tcoli" + 260116: + name: "Total column-integrated condensate" + alternative_names: + - "tcolc" + 260117: + name: "Ice fraction of total condensate" + alternative_names: + - "fice" + 260118: + name: "Cloud ice mixing ratio" + alternative_names: + - "cdcimr" + 260119: + name: "Sunshine" + alternative_names: + - "suns" + 260120: + name: "Horizontal extent of cumulonimbus (cb)" + alternative_names: + - "_param_260120" + 260121: + name: "K index" + alternative_names: + - "kx" + 260122: + name: "Ko index" + alternative_names: + - "kox" + 260123: + name: "Total totals index" + alternative_names: + - "totalx" + 260124: + name: "Sweat index" + alternative_names: + - "sx" + 260125: + name: "Storm relative helicity" + alternative_names: + - "hlcy" + 260126: + name: "Energy helicity index" + alternative_names: + - "ehlx" + 260127: + name: "Surface lifted index" + alternative_names: + - "lftx" + 260128: + name: "Best (4-layer) lifted index" + alternative_names: + - "4lftx" + 260129: + name: "Aerosol type" + alternative_names: + - "aerot" + 260130: + name: "Total ozone" + alternative_names: + - "tozne" + 260131: + name: "Ozone mixing ratio" + alternative_names: + - "o3mr" + 260132: + name: "Total column integrated ozone" + alternative_names: + - "tcioz" + 260133: + name: "Base spectrum width" + alternative_names: + - "bswid" + 260134: + name: "Base reflectivity" + alternative_names: + - "bref" + 260135: + name: "Base radial velocity" + alternative_names: + - "brvel" + 260136: + name: "Vertically-integrated liquid" + alternative_names: + - "veril" + 260137: + name: "Layer-maximum base reflectivity" + alternative_names: + - "lmaxbr" + 260138: + name: "Precipitation" + alternative_names: + - "prec" + 260139: + name: "Air concentration of caesium 137" + alternative_names: + - "acces" + 260140: + name: "Air concentration of iodine 131" + alternative_names: + - "aciod" + 260141: + name: "Air concentration of radioactive pollutant" + alternative_names: + - "acradp" + 260142: + name: "Ground deposition of caesium 137" + alternative_names: + - "gdces" + 260143: + name: "Ground deposition of iodine 131" + alternative_names: + - "gdiod" + 260144: + name: "Ground deposition of radioactive pollutant" + alternative_names: + - "gdradp" + 260145: + name: "Time-integrated air concentration of caesium pollutant" + alternative_names: + - "tiaccp" + 260146: + name: "Time-integrated air concentration of iodine pollutant" + alternative_names: + - "tiacip" + 260147: + name: "Time-integrated air concentration of radioactive pollutant" + alternative_names: + - "tiacrp" + 260148: + name: "Volcanic ash" + alternative_names: + - "volash" + 260149: + name: "Icing top" + alternative_names: + - "icit" + 260150: + name: "Icing base" + alternative_names: + - "icib" + 260151: + name: "Icing" + alternative_names: + - "ici" + 260152: + name: "Turbulence top" + alternative_names: + - "turbt" + 260153: + name: "Turbulence base" + alternative_names: + - "turbb" + 260154: + name: "Turbulence" + alternative_names: + - "turb" + 260155: + name: "Turbulent kinetic energy" + alternative_names: + - "tke" + 260156: + name: "Planetary boundary layer regime" + alternative_names: + - "pblreg" + 260157: + name: "Contrail intensity" + alternative_names: + - "conti" + 260158: + name: "Contrail engine type" + alternative_names: + - "contet" + 260159: + name: "Contrail top" + alternative_names: + - "contt" + 260160: + name: "Contrail base" + alternative_names: + - "contb" + 260161: + name: "Maximum snow albedo" + alternative_names: + - "mxsalb" + 260162: + name: "Snow free albedo" + alternative_names: + - "snfalb" + 260163: + name: "Icing" + alternative_names: + - "_param_260163" + 260164: + name: "In-cloud turbulence" + alternative_names: + - "_param_260164" + 260165: + name: "Relative clear air turbulence (rcat)" + alternative_names: + - "rcat" + 260166: + name: "Supercooled large droplet probability (see note 4)" + alternative_names: + - "_param_260166" + 260167: + name: "Arbitrary text string" + alternative_names: + - "var190m0" + 260168: + name: "Seconds prior to initial reference time (defined in section 1)" + alternative_names: + - "tsec" + 260169: + name: + "Flash flood guidance (encoded as an accumulation over a floating subinterval + of time between the ref" + alternative_names: + - "ffldg" + 260170: + name: + "Flash flood runoff (encoded as an accumulation over a floating subinterval + of time)" + alternative_names: + - "ffldro" + 260171: + name: "Remotely sensed snow cover" + alternative_names: + - "rssc" + 260172: + name: "Elevation of snow covered terrain" + alternative_names: + - "esct" + 260173: + name: "Snow water equivalent percent of normal" + alternative_names: + - "swepon" + 260174: + name: "Baseflow-groundwater runoff" + alternative_names: + - "bgrun" + 260175: + name: "Storm surface runoff" + alternative_names: + - "ssrun" + 260176: + name: + "Conditional percent precipitation amount fractile for an overall period + (encoded as an accumulation)" + alternative_names: + - "cppop" + 260177: + name: + "Percent precipitation in a sub-period of an overall period (encoded as + per cent accumulation over th" + alternative_names: + - "pposp" + 260178: + name: "Probability of 0.01 inch of precipitation (pop)" + alternative_names: + - "pop" + 260179: + name: "Land cover (1=land, 0=sea)" + alternative_names: + - "land" + 260180: + name: "Vegetation" + alternative_names: + - "veg" + 260181: + name: "Water runoff" + alternative_names: + - "watr" + 260182: + name: "Evapotranspiration" + alternative_names: + - "evapt" + 260183: + name: "Model terrain height" + alternative_names: + - "mterh" + 260184: + name: "Land use" + alternative_names: + - "landu" + 260185: + name: "Volumetric soil moisture content" + alternative_names: + - "soilw" + 260186: + name: "Ground heat flux" + alternative_names: + - "gflux" + 260187: + name: "Moisture availability" + alternative_names: + - "mstav" + 260188: + name: "Exchange coefficient" + alternative_names: + - "sfexc" + 260189: + name: "Plant canopy surface water" + alternative_names: + - "cnwat" + 260190: + name: "Blackadar mixing length scale" + alternative_names: + - "bmixl" + 260191: + name: "Canopy conductance" + alternative_names: + - "ccond" + 260192: + name: "Minimal stomatal resistance" + alternative_names: + - "rsmin" + 260193: + name: "Solar parameter in canopy conductance" + alternative_names: + - "rcs" + 260194: + name: "Temperature parameter in canopy conductance" + alternative_names: + - "rct" + 260195: + name: "Soil moisture parameter in canopy conductance" + alternative_names: + - "rcsol" + 260196: + name: "Humidity parameter in canopy conductance" + alternative_names: + - "rcq" + 260197: + name: "Column-integrated soil water" + alternative_names: + - "cisoilw" + 260198: + name: "Heat flux" + alternative_names: + - "hflux" + 260199: + name: "Volumetric soil moisture" + alternative_names: + - "vsw" + 260200: + name: "Volumetric wilting point" + alternative_names: + - "vwiltm" + 260201: + name: "Upper layer soil temperature" + alternative_names: + - "uplst" + 260202: + name: "Upper layer soil moisture" + alternative_names: + - "uplsm" + 260203: + name: "Lower layer soil moisture" + alternative_names: + - "lowlsm" + 260204: + name: "Bottom layer soil temperature" + alternative_names: + - "botlst" + 260205: + name: "Liquid volumetric soil moisture (non-frozen)" + alternative_names: + - "soill" + 260206: + name: "Number of soil layers in root zone" + alternative_names: + - "rlyrs" + 260207: + name: "Transpiration stress-onset (soil moisture)" + alternative_names: + - "smref" + 260208: + name: "Direct evaporation cease (soil moisture)" + alternative_names: + - "smdry" + 260209: + name: "Soil porosity" + alternative_names: + - "poros" + 260210: + name: "Liquid volumetric soil moisture (non-frozen)" + alternative_names: + - "liqvsm" + 260211: + name: "Volumetric transpiration stress-onset (soil moisture)" + alternative_names: + - "voltso" + 260212: + name: "Transpiration stress-onset (soil moisture)" + alternative_names: + - "transo" + 260213: + name: "Volumetric direct evaporation cease (soil moisture)" + alternative_names: + - "voldec" + 260214: + name: "Direct evaporation cease (soil moisture)" + alternative_names: + - "direc" + 260215: + name: "Soil porosity" + alternative_names: + - "soilp" + 260216: + name: "Volumetric saturation of soil moisture" + alternative_names: + - "vsosm" + 260217: + name: "Saturation of soil moisture" + alternative_names: + - "satosm" + 260218: + name: "Estimated precipitation" + alternative_names: + - "estp" + 260219: + name: "Instantaneous rain rate" + alternative_names: + - "irrate" + 260220: + name: "Cloud top height" + alternative_names: + - "ctoph" + 260221: + name: "Cloud top height quality indicator" + alternative_names: + - "ctophqi" + 260222: + name: "Estimated u component of wind" + alternative_names: + - "estu" + 260223: + name: "Estimated v component of wind" + alternative_names: + - "estv" + 260224: + name: "Number of pixels used" + alternative_names: + - "npixu" + 260225: + name: "Solar zenith angle" + alternative_names: + - "solza" + 260226: + name: "Relative azimuth angle" + alternative_names: + - "raza" + 260227: + name: "Reflectance in 0.6 micron channel" + alternative_names: + - "rfl06" + 260228: + name: "Reflectance in 0.8 micron channel" + alternative_names: + - "rfl08" + 260229: + name: "Reflectance in 1.6 micron channel" + alternative_names: + - "rfl16" + 260230: + name: "Reflectance in 3.9 micron channel" + alternative_names: + - "rfl39" + 260231: + name: "Atmospheric divergence" + alternative_names: + - "atmdiv" + 260232: + name: "Direction of wind waves" + alternative_names: + - "wvdir" + 260233: + name: "Primary wave direction" + alternative_names: + - "dirpw" + 260234: + name: "Primary wave mean period" + alternative_names: + - "perpw" + 260235: + name: "Secondary wave mean period" + alternative_names: + - "persw" + 260236: + name: "Current direction" + alternative_names: + - "dirc" + 260237: + name: "Current speed" + alternative_names: + - "spc" + 260238: + name: "Geometric vertical velocity" + alternative_names: + - "wz" + 260239: + name: "Ice temperature" + alternative_names: + - "ist" + 260240: + name: "Deviation of sea level from mean" + alternative_names: + - "dslm" + 260241: + name: "Seconds prior to initial reference time (defined in section 1)" + alternative_names: + - "tsec" + 260242: + name: "2 metre relative humidity" + alternative_names: + - "2r" + 260243: + name: "Temperature tendency by all radiation" + alternative_names: + - "ttrad" + 260244: + name: "Relative error variance" + alternative_names: + - "rev" + 260245: + name: "Large scale condensate heating rate" + alternative_names: + - "lrghr" + 260246: + name: "Deep convective heating rate" + alternative_names: + - "cnvhr" + 260247: + name: "Total downward heat flux at surface" + alternative_names: + - "thflx" + 260248: + name: "Temperature tendency by all physics" + alternative_names: + - "ttdia" + 260249: + name: "Temperature tendency by non-radiation physics" + alternative_names: + - "ttphy" + 260250: + name: "Standard dev. of ir temp. over 1x1 deg. area" + alternative_names: + - "tsd1d" + 260251: + name: "Shallow convective heating rate" + alternative_names: + - "shahr" + 260252: + name: "Vertical diffusion heating rate" + alternative_names: + - "vdfhr" + 260253: + name: "Potential temperature at top of viscous sublayer" + alternative_names: + - "thz0" + 260254: + name: "Tropical cyclone heat potential" + alternative_names: + - "tchp" + 260255: + name: "Apparent temperature" + alternative_names: + - "aptmp" + 260256: + name: "Haines index" + alternative_names: + - "hindex" + 260257: + name: "Cloud cover" + alternative_names: + - "ccl" + 260258: + name: "Evaporation rate" + alternative_names: + - "evarate" + 260259: + name: "Evaporation" + alternative_names: + - "eva" + 260260: + name: "10 metre wind direction" + alternative_names: + - "10wdir" + 260261: + name: "Minimum relative humidity" + alternative_names: + - "minrh" + 260262: + name: "Direct short wave radiation flux" + alternative_names: + - "dirswrf" + 260263: + name: "Diffuse short wave radiation flux" + alternative_names: + - "difswrf" + 260264: + name: "Time-integrated surface direct short wave radiation flux" + alternative_names: + - "tidirswrf" + 260265: + name: "Evaporation in the last 6 hours" + alternative_names: + - "eva06" + 260266: + name: "Evaporation in the last 24 hours" + alternative_names: + - "eva24" + 260267: + name: "Total precipitation in the last 6 hours" + alternative_names: + - "tp06" + 260268: + name: "Total precipitation in the last 24 hours" + alternative_names: + - "tp24" + 260269: + name: "Total icing potential diagnostic" + alternative_names: + - "tipd" + 260270: + name: "Number concentration for ice particles" + alternative_names: + - "ncip" + 260271: + name: "Snow temperature" + alternative_names: + - "snot" + 260272: + name: "Total column-integrated supercooled liquid water" + alternative_names: + - "tclsw" + 260273: + name: "Total column-integrated melting ice" + alternative_names: + - "tcolm" + 260274: + name: "Evaporation - precipitation" + alternative_names: + - "emnp" + 260275: + name: "Sublimation (evaporation from snow)" + alternative_names: + - "sbsno" + 260276: + name: "Deep convective moistening rate" + alternative_names: + - "cnvmr" + 260277: + name: "Shallow convective moistening rate" + alternative_names: + - "shamr" + 260278: + name: "Vertical diffusion moistening rate" + alternative_names: + - "vdfmr" + 260279: + name: "Condensation pressure of parcali lifted from indicate surface" + alternative_names: + - "condp" + 260280: + name: "Large scale moistening rate" + alternative_names: + - "lrgmr" + 260281: + name: "Specific humidity at top of viscous sublayer" + alternative_names: + - "qz0" + 260282: + name: "Maximum specific humidity at 2m" + alternative_names: + - "qmax" + 260283: + name: "Minimum specific humidity at 2m" + alternative_names: + - "qmin" + 260284: + name: "Liquid precipitation (rainfall)" + alternative_names: + - "arain" + 260285: + name: "Snow temperature, depth-avg" + alternative_names: + - "snowt" + 260286: + name: "Total precipitation (nearest grid point)" + alternative_names: + - "apcpn" + 260287: + name: "Convective precipitation (nearest grid point)" + alternative_names: + - "acpcpn" + 260288: + name: "Freezing rain" + alternative_names: + - "frzr" + 260289: + name: "Fraction of snow cover" + alternative_names: + - "fscov" + 260290: + name: "Clear air turbulence (cat)" + alternative_names: + - "cat" + 260291: + name: "Mountain wave turbulence (eddy dissipation rate)" + alternative_names: + - "mwt" + 260292: + name: "Specific rain water content (convective)" + alternative_names: + - "crwc_conv" + 260293: + name: "Specific snow water content (convective)" + alternative_names: + - "cswc_conv" + 260294: + name: "Glacier mask" + alternative_names: + - "glm" + 260295: + name: "Latitude of u wind component of velocity" + alternative_names: + - "lauv" + 260296: + name: "Longitude of u wind component of velocity" + alternative_names: + - "louv" + 260297: + name: "Latitude of v wind component of velocity" + alternative_names: + - "lavv" + 260298: + name: "Longitude of v wind component of velocity" + alternative_names: + - "lovv" + 260299: + name: "Latitude of pressure point" + alternative_names: + - "lapp" + 260300: + name: "Longitude of pressure point" + alternative_names: + - "lopp" + 260301: + name: "Vertical eddy diffusivity heat exchange" + alternative_names: + - "vedh" + 260302: + name: "Covariance between meridional and zonal components of the wind." + alternative_names: + - "covmz" + 260303: + name: "Covariance between temperature and zonal components of the wind." + alternative_names: + - "covtz" + 260304: + name: "Covariance between temperature and meridional components of the wind." + alternative_names: + - "covtm" + 260305: + name: "Vertical diffusion zonal acceleration" + alternative_names: + - "vdfua" + 260306: + name: "Vertical diffusion meridional acceleration" + alternative_names: + - "vdfva" + 260307: + name: "Gravity wave drag zonal acceleration" + alternative_names: + - "gwdu" + 260308: + name: "Gravity wave drag meridional acceleration" + alternative_names: + - "gwdv" + 260309: + name: "Convective zonal momentum mixing acceleration" + alternative_names: + - "cnvu" + 260310: + name: "Convective meridional momentum mixing acceleration" + alternative_names: + - "cnvv" + 260311: + name: "Tendency of vertical velocity" + alternative_names: + - "wtend" + 260312: + name: "Omega (dp/dt) divide by density" + alternative_names: + - "omgalf" + 260313: + name: "Convective gravity wave drag zonal acceleration" + alternative_names: + - "cngwdu" + 260314: + name: "Convective gravity wave drag meridional acceleration" + alternative_names: + - "cngwdv" + 260315: + name: "Velocity point model surface" + alternative_names: + - "lmv" + 260316: + name: "Potential vorticity (mass-weighted)" + alternative_names: + - "pvmww" + 260317: + name: "Mslp (eta model reduction)" + alternative_names: + - "mslet" + 260318: + name: "Precipitation type (most severe) in the last 1 hour" + alternative_names: + - "ptype_sev1h" + 260319: + name: "Precipitation type (most severe) in the last 3 hours" + alternative_names: + - "ptype_sev3h" + 260320: + name: "Precipitation type (most frequent) in the last 1 hour" + alternative_names: + - "ptype_freq1h" + 260321: + name: "Precipitation type (most frequent) in the last 3 hours" + alternative_names: + - "ptype_freq3h" + 260323: + name: "Mslp (maps system reduction)" + alternative_names: + - "mslma" + 260324: + name: "3-hr pressure tendency (std. atmos. reduction)" + alternative_names: + - "tslsa" + 260325: + name: "Pressure of level from which parcel was lifted" + alternative_names: + - "plpl" + 260326: + name: "X-gradient of log pressure" + alternative_names: + - "lpsx" + 260327: + name: "Y-gradient of log pressure" + alternative_names: + - "lpsy" + 260328: + name: "X-gradient of height" + alternative_names: + - "hgtx" + 260329: + name: "Y-gradient of height" + alternative_names: + - "hgty" + 260330: + name: "Layer thickness" + alternative_names: + - "layth" + 260331: + name: "Natural log of surface pressure" + alternative_names: + - "nlgsp" + 260332: + name: "Convective updraft mass flux" + alternative_names: + - "cnvumf" + 260333: + name: "Convective downdraft mass flux" + alternative_names: + - "cnvdmf" + 260334: + name: "Convective detrainment mass flux" + alternative_names: + - "cnvdemf" + 260335: + name: "Mass point model surface" + alternative_names: + - "lmh" + 260336: + name: "Geopotential height (nearest grid point)" + alternative_names: + - "hgtn" + 260337: + name: "Pressure (nearest grid point)" + alternative_names: + - "presn" + 260338: + name: "Precipitation type (most severe) in the last 6 hours" + alternative_names: + - "ptype_sev6h" + 260339: + name: "Precipitation type (most frequent) in the last 6 hours" + alternative_names: + - "ptype_freq6h" + 260340: + name: "Uv-b downward solar flux" + alternative_names: + - "duvb" + 260341: + name: "Clear sky uv-b downward solar flux" + alternative_names: + - "cduvb" + 260342: + name: "Clear sky downward solar flux" + alternative_names: + - "csdsf" + 260343: + name: "Solar radiative heating rate" + alternative_names: + - "swhr" + 260344: + name: "Clear sky upward solar flux" + alternative_names: + - "csusf" + 260345: + name: "Cloud forcing net solar flux" + alternative_names: + - "cfnsf" + 260346: + name: "Visible beam downward solar flux" + alternative_names: + - "vbdsf" + 260347: + name: "Visible diffuse downward solar flux" + alternative_names: + - "vddsf" + 260348: + name: "Near ir beam downward solar flux" + alternative_names: + - "nbdsf" + 260349: + name: "Near ir diffuse downward solar flux" + alternative_names: + - "nddsf" + 260350: + name: "Downward total radiation flux" + alternative_names: + - "dtrf" + 260351: + name: "Upward total radiation flux" + alternative_names: + - "utrf" + 260354: + name: "Long-wave radiative heating rate" + alternative_names: + - "lwhr" + 260355: + name: "Clear sky upward long wave flux" + alternative_names: + - "csulf" + 260356: + name: "Clear sky downward long wave flux" + alternative_names: + - "csdlf" + 260357: + name: "Cloud forcing net long wave flux" + alternative_names: + - "cfnlf" + 260360: + name: "Soil temperature" + alternative_names: + - "sot" + 260361: + name: "Downward short-wave radiation flux, clear sky" + alternative_names: + - "dswrf_cs" + 260362: + name: "Upward short-wave radiation flux, clear sky" + alternative_names: + - "uswrf_cs" + 260363: + name: "Downward long-wave radiation flux, clear sky" + alternative_names: + - "dlwrf_cs" + 260364: + name: "Soil heat flux" + alternative_names: + - "sohf" + 260365: + name: "Percolation rate" + alternative_names: + - "percr" + 260366: + name: "Convective cloud mass flux" + alternative_names: + - "mflux" + 260367: + name: "Soil depth" + alternative_names: + - "sod" + 260368: + name: "Soil moisture" + alternative_names: + - "som" + 260369: + name: "Richardson number" + alternative_names: + - "ri" + 260370: + name: "Convective weather detection index" + alternative_names: + - "cwdi" + 260372: + name: "Updraft helicity" + alternative_names: + - "uphl" + 260373: + name: "Leaf area index" + alternative_names: + - "lai" + 260374: + name: "Particulate matter (coarse)" + alternative_names: + - "pmtc" + 260375: + name: "Particulate matter (fine)" + alternative_names: + - "pmtf" + 260376: + name: "Particulate matter (fine)" + alternative_names: + - "lpmtf" + 260377: + name: "Integrated column particulate matter (fine)" + alternative_names: + - "lipmf" + 260379: + name: "Ozone concentration (ppb)" + alternative_names: + - "ozcon" + 260380: + name: "Categorical ozone concentration" + alternative_names: + - "ozcat" + 260381: + name: "Ozone vertical diffusion" + alternative_names: + - "vdfoz" + 260382: + name: "Ozone production" + alternative_names: + - "poz" + 260383: + name: "Ozone tendency" + alternative_names: + - "toz" + 260384: + name: "Ozone production from temperature term" + alternative_names: + - "pozt" + 260385: + name: "Ozone production from col ozone term" + alternative_names: + - "pozo" + 260386: + name: "Derived radar reflectivity backscatter from rain" + alternative_names: + - "refzr" + 260387: + name: "Derived radar reflectivity backscatter from ice" + alternative_names: + - "refzi" + 260388: + name: "Derived radar reflectivity backscatter from parameterized convection" + alternative_names: + - "refzc" + 260389: + name: "Derived radar reflectivity" + alternative_names: + - "refd" + 260390: + name: "Maximum/composite radar reflectivity" + alternative_names: + - "refc" + 260391: + name: "Lightning" + alternative_names: + - "ltng" + 260394: + name: "Slight risk convective outlook" + alternative_names: + - "srcono" + 260395: + name: "Moderate risk convective outlook" + alternative_names: + - "mrcono" + 260396: + name: "High risk convective outlook" + alternative_names: + - "hrcono" + 260397: + name: "Tornado probability" + alternative_names: + - "torprob" + 260398: + name: "Hail probability" + alternative_names: + - "hailprob" + 260399: + name: "Wind probability" + alternative_names: + - "windprob" + 260400: + name: "Significant tornado probability" + alternative_names: + - "storprob" + 260401: + name: "Significant hail probability" + alternative_names: + - "shailpro" + 260402: + name: "Significant wind probability" + alternative_names: + - "swindpro" + 260403: + name: "Categorical thunderstorm (1-yes, 0-no)" + alternative_names: + - "tstmc" + 260404: + name: "Number of mixed layers next to surface" + alternative_names: + - "mixly" + 260405: + name: "Flight category" + alternative_names: + - "flght" + 260406: + name: "Confidence - ceiling" + alternative_names: + - "cicel" + 260407: + name: "Confidence - visibility" + alternative_names: + - "civis" + 260408: + name: "Confidence - flight category" + alternative_names: + - "ciflt" + 260409: + name: "Low-level aviation interest" + alternative_names: + - "lavni" + 260410: + name: "High-level aviation interest" + alternative_names: + - "havni" + 260411: + name: "Visible, black sky albedo" + alternative_names: + - "sbsalb" + 260412: + name: "Visible, white sky albedo" + alternative_names: + - "swsalb" + 260413: + name: "Near ir, black sky albedo" + alternative_names: + - "nbsalb" + 260414: + name: "Near ir, white sky albedo" + alternative_names: + - "nwsalb" + 260415: + name: "Total probability of severe thunderstorms (days 2,3)" + alternative_names: + - "prsvr" + 260416: + name: "Total probability of extreme severe thunderstorms (days 2,3)" + alternative_names: + - "prsigsvr" + 260417: + name: "Supercooled large droplet (sld) potential" + alternative_names: + - "sipd" + 260418: + name: "Radiative emissivity" + alternative_names: + - "epsr" + 260419: + name: "Turbulence potential forecast index" + alternative_names: + - "tpfi" + 260420: + name: "Volcanic ash forecast transport and dispersion" + alternative_names: + - "vaftd" + 260421: + name: "Latitude (-90 to +90)" + alternative_names: + - "nlat" + 260422: + name: "East longitude (0 - 360)" + alternative_names: + - "elon" + 260423: + name: "Accumulated surface downward short-wave radiation flux, clear sky" + alternative_names: + - "adswrf_cs" + 260424: + name: "Model layer number (from bottom up)" + alternative_names: + - "mlyno" + 260425: + name: "Latitude (nearest neighbor) (-90 to +90)" + alternative_names: + - "nlatn" + 260426: + name: "East longitude (nearest neighbor) (0 - 360)" + alternative_names: + - "elonn" + 260427: + name: "Accumulated surface upward short-wave radiation flux, clear sky" + alternative_names: + - "auswrf_cs" + 260428: + name: "Accumulated surface downward long-wave radiation flux, clear sky" + alternative_names: + - "adlwrf_cs" + 260429: + name: "Probability of freezing precipitation" + alternative_names: + - "cpozp" + 260430: + name: "Percolation" + alternative_names: + - "perc" + 260431: + name: "Probability of precipitation exceeding flash flood guidance values" + alternative_names: + - "ppffg" + 260432: + name: "Probability of wetting rain, exceeding in 0.10 in a given time period" + alternative_names: + - "cwr" + 260433: + name: "Evapotranspiration rate" + alternative_names: + - "et" + 260434: + name: "Time-integrated evapotranspiration rate in the last 24h" + alternative_names: + - "acc_et24" + 260435: + name: "Time-mean evapotranspiration rate in the last 24h" + alternative_names: + - "avg_et24" + 260436: + name: "Potential evapotranspiration rate" + alternative_names: + - "pet" + 260437: + name: "Time-integrated potential evapotranspiration rate in the last 24h" + alternative_names: + - "acc_pet24" + 260438: + name: "Time-mean potential evapotranspiration rate in the last 24h" + alternative_names: + - "avg_pet24" + 260439: + name: "Vegetation type" + alternative_names: + - "vgtyp" + 260440: + name: "Time-mean volumetric soil moisture" + alternative_names: + - "avg_swv24" + 260441: + name: "Time-mean total precipitation rate" + alternative_names: + - "avg_tp24" + 260442: + name: "Wilting point" + alternative_names: + - "wilt" + 260443: + name: "Water runoff and drainage rate" + alternative_names: + - "rod" + 260444: + name: "Time-integrated water runoff and drainage rate in the last 24h" + alternative_names: + - "acc_rod24" + 260445: + name: "Time-mean water runoff and drainage rate in the last 24h" + alternative_names: + - "avg_rod24" + 260447: + name: "Rate of water dropping from canopy to ground" + alternative_names: + - "rdrip" + 260448: + name: "Ice-free water surface" + alternative_names: + - "icwat" + 260449: + name: "Surface exchange coefficients for t and q divided by delta z" + alternative_names: + - "akhs" + 260450: + name: "Surface exchange coefficients for u and v divided by delta z" + alternative_names: + - "akms" + 260451: + name: "Vegetation canopy temperature" + alternative_names: + - "vegt" + 260452: + name: "Surface water storage" + alternative_names: + - "sstor" + 260453: + name: "Liquid soil moisture content (non-frozen)" + alternative_names: + - "lsoil" + 260454: + name: "Open water evaporation (standing water)" + alternative_names: + - "ewatr" + 260455: + name: "Groundwater recharge" + alternative_names: + - "gwrec" + 260456: + name: "Flood plain recharge" + alternative_names: + - "qrec" + 260457: + name: "Roughness length for heat" + alternative_names: + - "sfcrh" + 260458: + name: "Normalized difference vegetation index" + alternative_names: + - "ndvi" + 260459: + name: "Land-sea coverage (nearest neighbor) [land=1,sea=0]" + alternative_names: + - "landn" + 260460: + name: "Asymptotic mixing length scale" + alternative_names: + - "amixl" + 260461: + name: "Water vapor added by precip assimilation" + alternative_names: + - "wvinc" + 260462: + name: "Water condensate added by precip assimilation" + alternative_names: + - "wcinc" + 260463: + name: "Water vapor flux convergence (vertical int)" + alternative_names: + - "wvconv" + 260464: + name: "Water condensate flux convergence (vertical int)" + alternative_names: + - "wcconv" + 260465: + name: "Water vapor zonal flux (vertical int)" + alternative_names: + - "wvuflx" + 260466: + name: "Water vapor meridional flux (vertical int)" + alternative_names: + - "wvvflx" + 260467: + name: "Water condensate zonal flux (vertical int)" + alternative_names: + - "wcuflx" + 260468: + name: "Water condensate meridional flux (vertical int)" + alternative_names: + - "wcvflx" + 260469: + name: "Aerodynamic conductance" + alternative_names: + - "acond" + 260470: + name: "Canopy water evaporation" + alternative_names: + - "evcw" + 260471: + name: "Transpiration" + alternative_names: + - "trans" + 260472: + name: "Time-mean snow depth water equivalent" + alternative_names: + - "avg_sd24" + 260473: + name: "Time-mean skin temperature" + alternative_names: + - "avg_skt24" + 260474: + name: "Surface slope type" + alternative_names: + - "sltyp" + 260475: + name: "Snow melt rate" + alternative_names: + - "smr" + 260476: + name: "Time-integrated snow melt rate in the last 24h" + alternative_names: + - "acc_smr24" + 260477: + name: "Time-mean snow melt rate in the last 24h" + alternative_names: + - "avg_smr24" + 260478: + name: "Direct evaporation from bare soil" + alternative_names: + - "evbs" + 260479: + name: "Land surface precipitation accumulation" + alternative_names: + - "lspa" + 260480: + name: "Bare soil surface skin temperature" + alternative_names: + - "baret" + 260481: + name: "Average surface skin temperature" + alternative_names: + - "avsft" + 260482: + name: "Effective radiative skin temperature" + alternative_names: + - "radt" + 260483: + name: "Field capacity" + alternative_names: + - "fldcp" + 260484: + name: "Scatterometer estimated u wind component" + alternative_names: + - "usct" + 260485: + name: "Scatterometer estimated v wind component" + alternative_names: + - "vsct" + 260486: + name: "Wave steepness" + alternative_names: + - "wstp" + 260487: + name: "Ocean mixed layer u velocity" + alternative_names: + - "omlu" + 260488: + name: "Ocean mixed layer v velocity" + alternative_names: + - "omlv" + 260489: + name: "Barotropic u velocity" + alternative_names: + - "ubaro" + 260490: + name: "Barotropic v velocity" + alternative_names: + - "vbaro" + 260491: + name: "Storm surge" + alternative_names: + - "surge" + 260492: + name: "Extra tropical storm surge" + alternative_names: + - "etsrg" + 260493: + name: "Ocean surface elevation relative to geoid" + alternative_names: + - "elevhtml" + 260494: + name: "Sea surface height relative to geoid" + alternative_names: + - "sshg" + 260495: + name: "Ocean mixed layer potential density (reference 2000m) Date: Tue, 10 Mar 2026 14:27:51 +0100 Subject: [PATCH 20/26] fix catalogue --- stac_server/main.py | 35 ++++++++++--- stac_server/static/app.js | 101 ++++++++++++++++++++++++++++++++------ 2 files changed, 114 insertions(+), 22 deletions(-) diff --git a/stac_server/main.py b/stac_server/main.py index bacbb1f..7e632f1 100644 --- a/stac_server/main.py +++ b/stac_server/main.py @@ -335,6 +335,7 @@ async def query_polytope( def follow_query(request: dict[str, str | list[str]], qube: PyQube): + # TODO: implement a selection mode that only shows the pruned tree with the selected request keys rel_qube = qube.select(request, None, None) # full_axes = rel_qube.axes_info() @@ -347,10 +348,10 @@ def follow_query(request: dict[str, str | list[str]], qube: PyQube): # Also compute the selected tree just to the point where our selection ends s = qube.select(request, "prune", None) s.compress() - print("WHAT IS THE QUBE HERE") - print("LOOK NOW HERE") + # print("WHAT IS THE QUBE HERE") + # print("LOOK NOW HERE") - print(s.to_ascii()) + # print(s.to_ascii()) if seen_keys and "dataset" in seen_keys: if ( @@ -379,9 +380,9 @@ def follow_query(request: dict[str, str | list[str]], qube: PyQube): # "dtype": list(info.dtypes)[0], "on_frontier": (key in frontier_keys) and (key not in seen_keys), } - print("WHAT IS INFO HERE") - print(info) - print(full_axes) + # print("WHAT IS INFO HERE") + # print(info) + # print(full_axes) if isinstance(list(info)[0], str): try: int(list(info)[0]) @@ -508,8 +509,13 @@ async def get_STAC( end_of_traversal = not any(a["on_frontier"] for a in axes) final_object = [] + + print("ARE WE AT THE END OF THE TRAVERSAL??") + print(end_of_traversal) if end_of_traversal: final_object = list(q.to_datacubes()) + print("WHAT IS THE FINAL OBJECT??") + print(final_object) kvs = [ f"{k}={','.join(v)}" if isinstance(v, list) else f"{k}={v}" @@ -517,15 +523,30 @@ async def get_STAC( ] request_params = "&".join(kvs) + # Get all possible keys from axes to ensure complete descriptions + all_axes_keys = {axis["key"] for axis in axes} + request_keys = set(request.keys()) + all_description_keys = all_axes_keys | request_keys + descriptions = { key: { "key": key, - "values": values, + "values": values if isinstance(values, list) else [values] if isinstance(values, str) else [], "description": mars_language.get(key, {}).get("description", ""), "value_descriptions": mars_language.get(key, {}).get("values", {}), } for key, values in request.items() } + + # Add descriptions for axes keys that might not be in request + for key in all_description_keys: + if key not in descriptions: + descriptions[key] = { + "key": key, + "values": [], + "description": mars_language.get(key, {}).get("description", ""), + "value_descriptions": mars_language.get(key, {}).get("values", {}), + } # Format the response as a STAC collection stac_collection = { diff --git a/stac_server/static/app.js b/stac_server/static/app.js index 79d0c69..c151f8a 100644 --- a/stac_server/static/app.js +++ b/stac_server/static/app.js @@ -494,15 +494,72 @@ function renderRequestBreakdown(request, descriptions) { function renderMARSRequest(request, descriptions) { const container = document.getElementById("final_req"); + + console.log("=== renderMARSRequest START ==="); + console.log("request:", request); + console.log("request type:", typeof request); + console.log("is array?", Array.isArray(request)); + console.log("descriptions:", descriptions); + + if (!Array.isArray(request)) { + console.error("ERROR: request is not an array!", request); + container.innerHTML = `

ERROR: request is not an array. Got: ${typeof request}

${JSON.stringify(request, null, 2)}
`; + return; + } + + if (request.length === 0) { + console.warn("WARNING: request array is empty"); + container.innerHTML = `

No MARS requests generated

`; + return; + } + + console.log("First request item:", request[0]); + console.log("First item entries:", Object.entries(request[0])); + const format_value = (key, value) => { - return `"${value}"`; + // Convert value to string if it's not already + const stringValue = String(value); + const desc = descriptions?.[key]?.["value_descriptions"]?.[stringValue]; + return `"${stringValue}"`; }; const format_values = (key, values) => { - if (values.length === 1) { - return format_value(key, values[0]); + console.log(`format_values called: key=${key}, values=${values}, type=${typeof values}`); + + // Handle different types of values + if (values === null || values === undefined) { + return `null`; } - return `[${values.map((v) => format_value(key, v)).join(`, `)}]`; + + // Check if it's an array-like structure + let valueArray; + if (Array.isArray(values)) { + console.log(` -> is array, length ${values.length}`); + valueArray = values; + } else if (typeof values === 'object') { + console.log(` -> is object, stringify`); + // If it's an object, just JSON stringify it + return `${JSON.stringify(values)}`; + } else { + console.log(` -> is scalar (${typeof values}), wrapping in array`); + // Scalar value - wrap in array + valueArray = [values]; + } + + // If array is empty, return empty array repr + if (valueArray.length === 0) { + return `[]`; + } + + // If array has single element, just return that + if (valueArray.length === 1) { + const result = format_value(key, valueArray[0]); + console.log(` -> returning single value: ${result}`); + return result; + } + + // Multiple values - return as array + return `[${valueArray.map((v) => format_value(key, v)).join(`, `)}]`; }; // Add feature object to each request if polygon is selected @@ -517,11 +574,12 @@ function renderMARSRequest(request, descriptions) { // Store for copying currentMARSRequests = requestsWithFeature; - let html = - `[\n` + - requestsWithFeature - .map( - obj => { + try { + let html = + `[\n` + + requestsWithFeature + .map((obj, objIdx) => { + console.log(`Rendering object ${objIdx}:`, obj); const entries = Object.entries(obj); return ` {\n` + entries @@ -536,16 +594,23 @@ function renderMARSRequest(request, descriptions) { ` "shape": ${shapeStr}\n` + ` }${isLast ? '' : ','}`; } - return ` "${key}": ${format_values(key, values)}${isLast ? '' : ','}`; + const formattedValue = format_values(key, values); + return ` "${key}": ${formattedValue}${isLast ? '' : ','}`; } ) .join("\n") + `\n }`; - } - ) - .join(`,\n`) + - `\n]`; - container.innerHTML = html; + }) + .join(`,\n`) + + `\n]`; + container.innerHTML = html; + console.log("=== renderMARSRequest COMPLETED SUCCESSFULLY ==="); + } catch (error) { + console.error("=== ERROR in renderMARSRequest ===", error); + console.error("Stack trace:", error.stack); + const container = document.getElementById("final_req"); + container.innerHTML = `

Error rendering MARS requests: ${error.message}

${JSON.stringify(request, null, 2)}
${error.stack}
`; + } } function renderRawSTACResponse(catalog) { @@ -568,9 +633,13 @@ async function fetchCatalog(request, stacUrl) { const response = await fetch(stacUrl); const catalog = await response.json(); + console.log("Fetched catalog:", catalog); + // Check if we've reached the end of the catalogue (final_object has data) const hasReachedEnd = catalog.final_object && catalog.final_object.length > 0; + console.log("Has reached end:", hasReachedEnd, "final_object:", catalog.final_object); + // Get section elements const currentSelectionSection = document.getElementById("current-selection-section"); const marsRequestsSection = document.getElementById("mars-requests-section"); @@ -578,10 +647,12 @@ async function fetchCatalog(request, stacUrl) { if (hasReachedEnd) { // At the end: show MARS requests, hide current selection and next button + console.log("At end of traversal, rendering MARS requests"); currentSelectionSection.style.display = "none"; marsRequestsSection.style.display = "block"; nextButton.style.display = "none"; catalogCache = catalog; // Store catalog for re-rendering with features + console.log("Descriptions available:", catalog.debug.descriptions); renderMARSRequest(catalog.final_object, catalog.debug.descriptions); } else { // Not at the end: show current selection, hide MARS requests, show next button From ef5a64de23ed248782e8906857492b8ab5a78522 Mon Sep 17 00:00:00 2001 From: mathleur Date: Tue, 10 Mar 2026 17:20:42 +0100 Subject: [PATCH 21/26] WIP: add partial selection mode --- qubed/src/select.rs | 156 ++++++++++++++++++++++++++++++++++++++++++-- 1 file changed, 152 insertions(+), 4 deletions(-) diff --git a/qubed/src/select.rs b/qubed/src/select.rs index 50308f5..795cd73 100644 --- a/qubed/src/select.rs +++ b/qubed/src/select.rs @@ -7,6 +7,7 @@ use std::collections::{HashMap, HashSet}; pub enum SelectMode { Default, Prune, + FollowSelection, // Only shows tree up to where selection values are, doesn't expand deeper } pub(crate) struct WalkPair { @@ -17,6 +18,11 @@ pub(crate) struct WalkPair { impl Qube { // Select takes a dictionary of key-vecvalues pairs and returns a QubeView // It does not matter which order the keys are specified + // + // SelectMode: + // - Default: Returns full subtree from selected values downward + // - Prune: Removes branches that don't have all selected dimensions + // - FollowSelection: Only shows nodes up to the selected values, doesn't expand deeper pub fn select(&self, selection: &[(&str, C)], mode: SelectMode) -> Result where @@ -30,7 +36,7 @@ impl Qube { let parents = WalkPair { left: root, right: result.root() }; - self.select_recurse(&selection, &mut result, parents)?; + self.select_recurse(&selection, &mut result, parents, &mode, false)?; // Prune any nodes which do not have all selected dimensions if mode == SelectMode::Prune { @@ -51,6 +57,8 @@ impl Qube { selection: &HashMap<&str, Coordinates>, result: &mut Qube, parents: WalkPair, + mode: &SelectMode, + selected_at_this_level: bool, ) -> Result<(), String> { let source_node = self.node(parents.left).ok_or_else(|| format!("Node {:?} not found", parents.left))?; @@ -58,7 +66,7 @@ impl Qube { // For each child in the source Qube, find the values which overlap and create a child in the result Qube // We ignore values only_in_a and only_in_b, we only want the intersection - // Get the dimension of each chil + // Get the dimension of each child let span = source_node.child_dimensions(); for dimension in span { @@ -66,6 +74,11 @@ impl Qube { format!("Dimension {:?} not found in key store. Should not happen.", dimension) })?; + // For FollowSelection mode, if we selected at a previous level, don't recurse deeper + if *mode == SelectMode::FollowSelection && selected_at_this_level { + continue; + } + if selection.contains_key(dimension_str) { let selection_coordinates = selection.get(dimension_str).unwrap(); @@ -97,7 +110,8 @@ impl Qube { let new_parents = WalkPair { left: child_id, right: new_child }; - self.select_recurse(selection, result, new_parents)?; + // We selected at this level, so mark it for FollowSelection mode + self.select_recurse(selection, result, new_parents, mode, true)?; } } else { // Dimension not in selection, so we take all children @@ -121,7 +135,14 @@ impl Qube { let new_parents = WalkPair { left: child_id, right: new_child }; - self.select_recurse(selection, result, new_parents)?; + // Pass along the selected_at_this_level flag + self.select_recurse( + selection, + result, + new_parents, + mode, + selected_at_this_level, + )?; } } } @@ -405,4 +426,131 @@ mod tests { Ok(()) } + + #[test] + fn test_follow_selection() -> Result<(), String> { + let input = r#"root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ ├── param=2 + │ └── param=3 + └── expver=0002 + ├── param=1 + └── param=2"#; + + let qube = Qube::from_ascii(input).unwrap(); + + // Select class=1 and expver=0001 with FollowSelection mode + // Should only show the path to these selections, not the param children + let selection = [("class", &["1"]), ("expver", &["0001"])]; + let selected_qube = qube.select(&selection, SelectMode::FollowSelection)?; + + println!("FollowSelection Result:\n{}", selected_qube.to_ascii()); + + // With FollowSelection, we stop at the deepest selected dimension + // So we get class=1 and expver=0001, but no further children + let result = r#"root +└── class=1 + └── expver=0001"#; + + let result = Qube::from_ascii(result).unwrap(); + assert_eq!(selected_qube.to_ascii(), result.to_ascii()); + + Ok(()) + } + + #[test] + fn test_follow_selection_vs_default() -> Result<(), String> { + let input = r#"root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ ├── param=2 + │ └── param=3 + └── expver=0002 + ├── param=1 + └── param=2"#; + + let qube = Qube::from_ascii(input).unwrap(); + + let selection = [("class", &[1])]; + + // Default mode: shows full subtree + let default_result = qube.select(&selection, SelectMode::Default)?; + println!("Default Mode:\n{}", default_result.to_ascii()); + + let expected_default = r#"root +└── class=1 + ├── expver=0001 + │ ├── param=1 + │ └── param=2 + └── expver=0002 + ├── param=1 + └── param=2"#; + assert_eq!(default_result.to_ascii(), Qube::from_ascii(expected_default)?.to_ascii()); + + // FollowSelection mode: stops at selected dimension + let follow_result = qube.select(&selection, SelectMode::FollowSelection)?; + println!("FollowSelection Mode:\n{}", follow_result.to_ascii()); + + let expected_follow = r#"root +└── class=1"#; + assert_eq!(follow_result.to_ascii(), Qube::from_ascii(expected_follow)?.to_ascii()); + + Ok(()) + } + + #[test] + fn test_follow_selection_with_unselected_dimensions() -> Result<(), String> { + // Test FollowSelection with mixed selected and unselected dimensions + let input = r#"root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ └── param=2 + └── expver=0002 + ├── param=1 + └── param=2"#; + + let qube = Qube::from_ascii(input).unwrap(); + + // Only select class=1 (expver is NOT selected) + // With FollowSelection, we should get class=1 and ALL its expver children, + // but stop before param + let selection = [("class", &[1])]; + let result_qube = qube.select(&selection, SelectMode::FollowSelection)?; + + println!("FollowSelection with partial selection:\n{}", result_qube.to_ascii()); + + // Should have class=1 with all expver variants (not selected, so included) + // But no param children (dimensions after the selected one) + let expected = r#"root +└── class=1"#; + + assert_eq!(result_qube.to_ascii(), Qube::from_ascii(expected)?.to_ascii()); + + Ok(()) + } } From 8010017f4c5da1fbbe732225df3332e5da56fd6b Mon Sep 17 00:00:00 2001 From: mathleur Date: Thu, 12 Mar 2026 09:59:12 +0100 Subject: [PATCH 22/26] add FollowSelection mode to select and change select to take in coordinates so we can mix coordinate types in the request --- qubed/src/select.rs | 36 +++++++++++++++++++++--------------- qubed/tests/tdd.rs | 3 ++- 2 files changed, 23 insertions(+), 16 deletions(-) diff --git a/qubed/src/select.rs b/qubed/src/select.rs index 795cd73..8e01786 100644 --- a/qubed/src/select.rs +++ b/qubed/src/select.rs @@ -16,7 +16,7 @@ pub(crate) struct WalkPair { } impl Qube { - // Select takes a dictionary of key-vecvalues pairs and returns a QubeView + // Select takes a dictionary of key-values pairs and returns a QubeView // It does not matter which order the keys are specified // // SelectMode: @@ -24,15 +24,16 @@ impl Qube { // - Prune: Removes branches that don't have all selected dimensions // - FollowSelection: Only shows nodes up to the selected values, doesn't expand deeper - pub fn select(&self, selection: &[(&str, C)], mode: SelectMode) -> Result - where - C: Into + Clone, - { + pub fn select( + &self, + selection: &[(&str, Coordinates)], + mode: SelectMode, + ) -> Result { let root = self.root(); let mut result = Qube::new(); let selection: HashMap<&str, Coordinates> = - selection.iter().map(|(k, v)| (*k, v.clone().into())).collect(); + selection.iter().map(|(k, v)| (*k, v.clone())).collect(); let parents = WalkPair { left: root, right: result.root() }; @@ -74,8 +75,12 @@ impl Qube { format!("Dimension {:?} not found in key store. Should not happen.", dimension) })?; - // For FollowSelection mode, if we selected at a previous level, don't recurse deeper - if *mode == SelectMode::FollowSelection && selected_at_this_level { + // For FollowSelection mode, if we selected at a previous level and this dimension + // is NOT in the selection, don't recurse deeper (stop at the deepest selected dimension) + if *mode == SelectMode::FollowSelection + && selected_at_this_level + && !selection.contains_key(dimension_str) + { continue; } @@ -231,7 +236,7 @@ mod tests { let qube = Qube::from_ascii(input).unwrap(); - let selection = [("class", &[1])]; + let selection = [("class", Coordinates::from(1))]; let selected_qube = qube.select(&selection, SelectMode::Default)?; println!("Selected Qube:\n{}", selected_qube.to_ascii()); @@ -275,7 +280,7 @@ mod tests { selection.insert("class".to_string(), Coordinates::from(1)); selection.insert("param".to_string(), Coordinates::from(1)); - let selection = [("class", &[1]), ("param", &[1])]; + let selection = [("class", Coordinates::from(1)), ("param", Coordinates::from(1))]; let selected_qube = qube.select(&selection, SelectMode::Default)?; @@ -319,7 +324,7 @@ mod tests { // // selection.insert("class".to_string(), Coordinates::from(1)); // selection.insert("param".to_string(), Coordinates::from(1)); - let selection = [("expver", &["0001"])]; + let selection = [("expver", Coordinates::from(&["0001"]))]; let selected_qube = qube.select(&selection, SelectMode::Default)?; @@ -367,7 +372,7 @@ mod tests { // // selection.insert("class".to_string(), Coordinates::from(1)); // selection.insert("param".to_string(), Coordinates::from(1)); - let selection = [("expver", &["0003"])]; + let selection = [("expver", Coordinates::from(&["0003"]))]; let selected_qube = qube.select(&selection, SelectMode::Prune)?; @@ -450,7 +455,8 @@ mod tests { // Select class=1 and expver=0001 with FollowSelection mode // Should only show the path to these selections, not the param children - let selection = [("class", &["1"]), ("expver", &["0001"])]; + // Note: Can now mix integer and string coordinates in one selection! + let selection = [("class", Coordinates::from(1)), ("expver", Coordinates::from(&["0001"]))]; let selected_qube = qube.select(&selection, SelectMode::FollowSelection)?; println!("FollowSelection Result:\n{}", selected_qube.to_ascii()); @@ -488,7 +494,7 @@ mod tests { let qube = Qube::from_ascii(input).unwrap(); - let selection = [("class", &[1])]; + let selection = [("class", Coordinates::from(1))]; // Default mode: shows full subtree let default_result = qube.select(&selection, SelectMode::Default)?; @@ -539,7 +545,7 @@ mod tests { // Only select class=1 (expver is NOT selected) // With FollowSelection, we should get class=1 and ALL its expver children, // but stop before param - let selection = [("class", &[1])]; + let selection = [("class", Coordinates::from(1))]; let result_qube = qube.select(&selection, SelectMode::FollowSelection)?; println!("FollowSelection with partial selection:\n{}", result_qube.to_ascii()); diff --git a/qubed/tests/tdd.rs b/qubed/tests/tdd.rs index ff3ece1..7033ae8 100644 --- a/qubed/tests/tdd.rs +++ b/qubed/tests/tdd.rs @@ -1,3 +1,4 @@ +use qubed::Coordinates; use qubed::Qube; use qubed::select::SelectMode; @@ -51,7 +52,7 @@ fn tdd_select_demo() -> Result<(), String> { let qube = Qube::from_ascii(input)?; // Select: class=1 and param=2 - let selection = [("class", &[1]), ("param", &[2])]; + let selection = [("class", Coordinates::from(1)), ("param", Coordinates::from(2))]; let selected_qube = qube.select(&selection, SelectMode::Default)?; // Query and Assert: The selected Qube should only have class=1, From b2e1f14e0944cd0c2209126d714cb9bf501f86eb Mon Sep 17 00:00:00 2001 From: mathleur Date: Thu, 12 Mar 2026 11:58:12 +0100 Subject: [PATCH 23/26] fix FollowSelection method and use in catalogue --- py_qubed/src/lib.rs | 1 + py_qubed/tests/test_select.py | 142 ++++++++++++++++++++++ qubed/src/select.rs | 218 ++++++++++++++++++++++++++++++++-- stac_server/main.py | 8 +- 4 files changed, 358 insertions(+), 11 deletions(-) diff --git a/py_qubed/src/lib.rs b/py_qubed/src/lib.rs index 75a2408..1e76416 100644 --- a/py_qubed/src/lib.rs +++ b/py_qubed/src/lib.rs @@ -130,6 +130,7 @@ impl PyQube { let select_mode = match mode.as_deref() { Some(m) if m.eq_ignore_ascii_case("prune") => SelectMode::Prune, + Some(m) if m.eq_ignore_ascii_case("follow_selection") => SelectMode::FollowSelection, _ => SelectMode::Default, }; diff --git a/py_qubed/tests/test_select.py b/py_qubed/tests/test_select.py index bc75860..721b597 100644 --- a/py_qubed/tests/test_select.py +++ b/py_qubed/tests/test_select.py @@ -212,3 +212,145 @@ def test_compress_2(): # Verify datacube count is preserved assert len(q) > 0 + + +def test_follow_selection_single(): + """Test FollowSelection mode with a single selected dimension""" + input_qube = r"""root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ ├── param=2 + │ └── param=3 + └── expver=0002 + ├── param=1 + └── param=2""" + + q = qubed.PyQube.from_ascii(input_qube) + + # Select class=1 with follow_selection mode + # Should get class=1 and all its expver children, but no param children + selected = q.select({"class": [1]}, "follow_selection", None) + + expected = r"""root +└── class=1""" + + assert selected.to_ascii() == qubed.PyQube.from_ascii(expected).to_ascii() + + +def test_follow_selection_multiple(): + """Test FollowSelection mode with multiple selected dimensions""" + input_qube = r"""root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ ├── param=2 + │ └── param=3 + └── expver=0002 + ├── param=1 + └── param=2""" + + q = qubed.PyQube.from_ascii(input_qube) + + # Select class=1 and expver=0001 with follow_selection mode + # Should get class=1 and expver=0001, but no param children + selected = q.select({"class": [1], "expver": ["0001"]}, "follow_selection", None) + + expected = r"""root +└── class=1 + └── expver=0001""" + + assert selected.to_ascii() == qubed.PyQube.from_ascii(expected).to_ascii() + +def test_follow_selection_multiple_wrong_order(): + """Test FollowSelection mode with multiple selected dimensions""" + input_qube = r"""root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ ├── param=2 + │ └── param=3 + └── expver=0002 + ├── param=1 + └── param=2""" + + q = qubed.PyQube.from_ascii(input_qube) + + # Select class=1 and expver=0001 with follow_selection mode + # Should get class=1 and expver=0001, but no param children + selected = q.select({"class": [1], "param": [1]}, "follow_selection", None) + + expected = r"""root +└── class=1 + ├── expver=0001 + │ └── param=1 + └── expver=0002 + └── param=1""" + + assert selected.to_ascii() == qubed.PyQube.from_ascii(expected).to_ascii() + + +def test_follow_selection_vs_default(): + """Compare FollowSelection vs Default mode""" + input_qube = r"""root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ ├── param=2 + │ └── param=3 + └── expver=0002 + ├── param=1 + └── param=2""" + + q = qubed.PyQube.from_ascii(input_qube) + + # Default mode: shows full subtree + default_result = q.select({"class": [1]}, None, None) + + default_expected = r"""root +└── class=1 + ├── expver=0001 + │ ├── param=1 + │ └── param=2 + └── expver=0002 + ├── param=1 + └── param=2""" + + assert default_result.to_ascii() == qubed.PyQube.from_ascii(default_expected).to_ascii() + + # FollowSelection mode: stops at selected dimension + follow_result = q.select({"class": [1]}, "follow_selection", None) + + follow_expected = r"""root +└── class=1""" + + assert follow_result.to_ascii() == qubed.PyQube.from_ascii(follow_expected).to_ascii() + diff --git a/qubed/src/select.rs b/qubed/src/select.rs index 8e01786..fb0e53d 100644 --- a/qubed/src/select.rs +++ b/qubed/src/select.rs @@ -23,6 +23,7 @@ impl Qube { // - Default: Returns full subtree from selected values downward // - Prune: Removes branches that don't have all selected dimensions // - FollowSelection: Only shows nodes up to the selected values, doesn't expand deeper + // Works regardless of key order - continues through all selected dimensions and stops after pub fn select( &self, @@ -37,10 +38,17 @@ impl Qube { let parents = WalkPair { left: root, right: result.root() }; - self.select_recurse(&selection, &mut result, parents, &mode, false)?; + // For FollowSelection mode, track which selected keys we still need to encounter + let remaining_selected_keys = if mode == SelectMode::FollowSelection { + selection.keys().cloned().collect::>() + } else { + HashSet::new() + }; + + self.select_recurse(&selection, &mut result, parents, &mode, remaining_selected_keys)?; // Prune any nodes which do not have all selected dimensions - if mode == SelectMode::Prune { + if mode == SelectMode::Prune || mode == SelectMode::FollowSelection { let mut has_none_of: HashSet<&str> = HashSet::new(); for key in selection.keys() { has_none_of.insert(*key); @@ -59,7 +67,7 @@ impl Qube { result: &mut Qube, parents: WalkPair, mode: &SelectMode, - selected_at_this_level: bool, + mut remaining_selected_keys: HashSet<&str>, ) -> Result<(), String> { let source_node = self.node(parents.left).ok_or_else(|| format!("Node {:?} not found", parents.left))?; @@ -69,16 +77,19 @@ impl Qube { // Get the dimension of each child let span = source_node.child_dimensions(); + let mut has_children = false; + let mut children_found = false; // Track if we successfully processed children with matching values for dimension in span { + has_children = true; let dimension_str = self.dimension_str(dimension).ok_or_else(|| { format!("Dimension {:?} not found in key store. Should not happen.", dimension) })?; - // For FollowSelection mode, if we selected at a previous level and this dimension - // is NOT in the selection, don't recurse deeper (stop at the deepest selected dimension) + // For FollowSelection mode: continue as long as there are selected keys to encounter + // Only skip dimensions if we've already encountered all selected keys if *mode == SelectMode::FollowSelection - && selected_at_this_level + && remaining_selected_keys.is_empty() && !selection.contains_key(dimension_str) { continue; @@ -86,6 +97,7 @@ impl Qube { if selection.contains_key(dimension_str) { let selection_coordinates = selection.get(dimension_str).unwrap(); + let mut found = remaining_selected_keys.remove(dimension_str); // Get children for this dimension let source_children: Vec<_> = match source_node.children(*dimension) { @@ -115,8 +127,15 @@ impl Qube { let new_parents = WalkPair { left: child_id, right: new_child }; - // We selected at this level, so mark it for FollowSelection mode - self.select_recurse(selection, result, new_parents, mode, true)?; + // Recurse with the (possibly modified) remaining keys + self.select_recurse( + selection, + result, + new_parents, + mode, + remaining_selected_keys.clone(), + )?; + children_found = true; } } else { // Dimension not in selection, so we take all children @@ -140,18 +159,31 @@ impl Qube { let new_parents = WalkPair { left: child_id, right: new_child }; - // Pass along the selected_at_this_level flag + // Pass along the remaining selected keys for FollowSelection self.select_recurse( selection, result, new_parents, mode, - selected_at_this_level, + remaining_selected_keys.clone(), )?; + children_found = true; } } } + // In FollowSelection mode: if we've reached a terminal point and haven't found all requested keys, + // remove this branch. A terminal point is: + // - A leaf node (no child dimensions), OR + // - A node where we've found all keys and skipped remaining unselected dimensions + if *mode == SelectMode::FollowSelection + && !remaining_selected_keys.is_empty() + && !children_found + { + // This branch reached a dead end without finding all requested keys + result.remove_node(parents.right).ok(); + } + Ok(()) } @@ -559,4 +591,170 @@ mod tests { Ok(()) } + + #[test] + fn test_follow_selection_key_order_independence() -> Result<(), String> { + // Test that FollowSelection works regardless of key order in the selection + // Tree is: class -> expver -> param + // But we specify selection as: param="1", class=1 (reverse order) + let input = r#"root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ └── param=2 + └── expver=0002 + ├── param=1 + └── param=2"#; + + let qube = Qube::from_ascii(input).unwrap(); + + // Specify selection in different order than tree (param first, then class) + // Should still get same result as if we specified in tree order + let selection = [("param", Coordinates::from(1)), ("class", Coordinates::from(1))]; + let result_qube = qube.select(&selection, SelectMode::FollowSelection)?; + + println!("FollowSelection with reordered keys:\n{}", result_qube.to_ascii()); + + // Should show all combinations: class=1 with all expver that have param=1 + let expected = r#"root +└── class=1 + ├── expver=0001 + │ └── param=1 + └── expver=0002 + └── param=1"#; + + assert_eq!(result_qube.to_ascii(), Qube::from_ascii(expected)?.to_ascii()); + + Ok(()) + } + + #[test] + fn test_follow_selection_drops_incomplete_branches() -> Result<(), String> { + // Test that FollowSelection drops branches that don't have all requested KEY DIMENSIONS + // Even if they have some of the requested keys with values + let input = r#"root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ └── param=2 + └── expver=0002 + ├── param=1 + └── param=2"#; + + let qube = Qube::from_ascii(input).unwrap(); + + // Select for a key that only some branches have + // Request: step (doesn't exist) and class (exists) + // Since no branch has "step" dimension, all should be dropped + // This tests that missing requested keys cause branch removal + let selection = [("step", Coordinates::from(1))]; + let result_qube = qube.select(&selection, SelectMode::FollowSelection)?; + + println!("FollowSelection with nonexistent key:\n{}", result_qube.to_ascii()); + + // Since "step" key is never found in any branch, result should be empty (just root) + let expected = r#"root"#; + assert_eq!(result_qube.to_ascii(), Qube::from_ascii(expected)?.to_ascii()); + + Ok(()) + } + + #[test] + fn test_follow_selection_drops_incomplete_branches_2() -> Result<(), String> { + // Test that FollowSelection drops branches that don't have all requested KEY DIMENSIONS + // Even if they have some of the requested keys with values + let input = r#"root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── step=1 + │ ├── param=1 + │ └── param=2 + └── expver=0002 + ├── param=1 + └── param=2"#; + + let qube = Qube::from_ascii(input).unwrap(); + + // Select for a key that only some branches have + // Request: step (doesn't exist) and class (exists) + // Since no branch has "step" dimension, all should be dropped + // This tests that missing requested keys cause branch removal + let selection = [("step", Coordinates::from(1))]; + let result_qube = qube.select(&selection, SelectMode::FollowSelection)?; + + println!("FollowSelection with nonexistent key:\n{}", result_qube.to_ascii()); + + // Since "step" key is never found in any branch, result should be empty (just root) + let expected = r#"root +└── class=2 + └── step=1"#; + assert_eq!(result_qube.to_ascii(), Qube::from_ascii(expected)?.to_ascii()); + + Ok(()) + } + + #[test] + fn test_follow_selection_keeps_complete_branches() -> Result<(), String> { + // Test that FollowSelection keeps branches that have all requested keys + let input = r#"root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ └── param=2 + └── expver=0002 + ├── param=1 + └── param=2"#; + + let qube = Qube::from_ascii(input).unwrap(); + + // Select multiple values of expver and param - all combinations should show + let selection = + [("expver", Coordinates::from(&["0001", "0002"])), ("param", Coordinates::from(1))]; + let result_qube = qube.select(&selection, SelectMode::FollowSelection)?; + + println!("FollowSelection with multiple selected values:\n{}", result_qube.to_ascii()); + + // Should show all class/expver combinations that have param=1 + let expected = r#"root +├── class=1 +│ ├── expver=0001 +│ │ └── param=1 +│ └── expver=0002 +│ └── param=1 +└── class=2 + ├── expver=0001 + │ └── param=1 + └── expver=0002 + └── param=1"#; + assert_eq!(result_qube.to_ascii(), Qube::from_ascii(expected)?.to_ascii()); + + Ok(()) + } } diff --git a/stac_server/main.py b/stac_server/main.py index 7e632f1..21f2299 100644 --- a/stac_server/main.py +++ b/stac_server/main.py @@ -337,6 +337,12 @@ async def query_polytope( def follow_query(request: dict[str, str | list[str]], qube: PyQube): # TODO: implement a selection mode that only shows the pruned tree with the selected request keys rel_qube = qube.select(request, None, None) + print("WHAT IS THE REQUEST HERE??") + print(request) + print("WHAT IS THE REL_QUBE HERE??") + print(rel_qube.to_ascii()) + print("WHAT WAS THE ORIGINAL QUBE HERE??") + print(qube.to_ascii()) # full_axes = rel_qube.axes_info() full_axes = rel_qube.all_unique_dim_coords() @@ -346,7 +352,7 @@ def follow_query(request: dict[str, str | list[str]], qube: PyQube): dataset_key_ordering = None # Also compute the selected tree just to the point where our selection ends - s = qube.select(request, "prune", None) + s = qube.select(request, "follow_selection", None) s.compress() # print("WHAT IS THE QUBE HERE") # print("LOOK NOW HERE") From a30d9e9fc88469160ddf07ee68fe12b6e7b4adcd Mon Sep 17 00:00:00 2001 From: mathleur Date: Thu, 12 Mar 2026 12:33:56 +0100 Subject: [PATCH 24/26] add test to select multiple vals --- qubed/src/select.rs | 148 ++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 148 insertions(+) diff --git a/qubed/src/select.rs b/qubed/src/select.rs index fb0e53d..a497f7c 100644 --- a/qubed/src/select.rs +++ b/qubed/src/select.rs @@ -757,4 +757,152 @@ mod tests { Ok(()) } + + #[test] + fn test_select_multiple_values_same_key_default_mode() -> Result<(), String> { + // Test selecting multiple values on the same key in Default mode + let input = r#"root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ ├── param=2 + │ └── param=3 + └── expver=0002 + ├── param=1 + └── param=2"#; + + let qube = Qube::from_ascii(input).unwrap(); + + // Select multiple expver values: 0001 AND 0002 + // Default mode should show full subtree for all selected values + let selection = [("expver", Coordinates::from(&["0001", "0002"]))]; + let result_qube = qube.select(&selection, SelectMode::Default)?; + + println!("Default mode with multiple expver values:\n{}", result_qube.to_ascii()); + + // Should include all class/expver combinations where expver is 0001 or 0002 + let expected = r#"root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ ├── param=2 + │ └── param=3 + └── expver=0002 + ├── param=1 + └── param=2"#; + + assert_eq!(result_qube.to_ascii(), Qube::from_ascii(expected)?.to_ascii()); + + Ok(()) + } + + #[test] + fn test_select_multiple_values_same_key_default_mode_int() -> Result<(), String> { + // Test selecting multiple values on the same key in Default mode + let input = r#"root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ ├── param=2 + │ └── param=3 + └── expver=0002 + ├── param=1 + └── param=2"#; + + let qube = Qube::from_ascii(input).unwrap(); + + // Select multiple expver values: 0001 AND 0002 + // Default mode should show full subtree for all selected values + let selection = [("param", Coordinates::from(&["1", "2"]))]; + let result_qube = qube.select(&selection, SelectMode::Default)?; + + println!("Default mode with multiple param values:\n{}", result_qube.to_ascii()); + + // Should include all class/expver combinations where param is 1 or 2 + let expected = r#"root +├── class=1 +│ ├── expver=0001 +│ │ ├── param=1 +│ │ └── param=2 +│ └── expver=0002 +│ ├── param=1 +│ └── param=2 +└── class=2 + ├── expver=0001 + │ ├── param=1 + │ └── param=2 + └── expver=0002 + ├── param=1 + └── param=2"#; + + assert_eq!(result_qube.to_ascii(), Qube::from_ascii(expected)?.to_ascii()); + + Ok(()) + } + + #[test] + fn test_select_multiple_values_same_key_excludes_unselected() -> Result<(), String> { + // Test that selecting multiple values on same key excludes values not in the selection + let input = r#"root +├── class=1 +│ ├── expver=0001 +│ │ └── param=1 +│ ├── expver=0002 +│ │ └── param=1 +│ └── expver=0003 +│ └── param=1 +└── class=2 + ├── expver=0001 + │ └── param=1 + ├── expver=0002 + │ └── param=1 + └── expver=0003 + └── param=1"#; + + let qube = Qube::from_ascii(input).unwrap(); + + // Select only expver 0001 and 0002 (excludes 0003) + let selection = [("expver", Coordinates::from(&["0001", "0002"]))]; + let result_qube = qube.select(&selection, SelectMode::Default)?; + + println!("Multiple values excluding unselected:\n{}", result_qube.to_ascii()); + + // Should NOT include expver=0003 + let expected = r#"root +├── class=1 +│ ├── expver=0001 +│ │ └── param=1 +│ └── expver=0002 +│ └── param=1 +└── class=2 + ├── expver=0001 + │ └── param=1 + └── expver=0002 + └── param=1"#; + + assert_eq!(result_qube.to_ascii(), Qube::from_ascii(expected)?.to_ascii()); + + Ok(()) + } } From 6c5b84d810bad6ce79baa9ad0ec01f33b65f8e1d Mon Sep 17 00:00:00 2001 From: mathleur Date: Thu, 12 Mar 2026 13:44:28 +0100 Subject: [PATCH 25/26] fix test --- qubed/src/select.rs | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/qubed/src/select.rs b/qubed/src/select.rs index a497f7c..f0077ad 100644 --- a/qubed/src/select.rs +++ b/qubed/src/select.rs @@ -812,7 +812,7 @@ mod tests { #[test] fn test_select_multiple_values_same_key_default_mode_int() -> Result<(), String> { - // Test selecting multiple values on the same key in Default mode + // Test selecting multiple integer values on the same key in Default mode let input = r#"root ├── class=1 │ ├── expver=0001 @@ -832,9 +832,9 @@ mod tests { let qube = Qube::from_ascii(input).unwrap(); - // Select multiple expver values: 0001 AND 0002 + // Select multiple param values: 1 AND 2 (both integers) // Default mode should show full subtree for all selected values - let selection = [("param", Coordinates::from(&["1", "2"]))]; + let selection = [("param", Coordinates::from(&[1, 2]))]; let result_qube = qube.select(&selection, SelectMode::Default)?; println!("Default mode with multiple param values:\n{}", result_qube.to_ascii()); From d105704b3c8240a583fed23eef5095db56ed6680 Mon Sep 17 00:00:00 2001 From: mathleur Date: Thu, 12 Mar 2026 14:13:32 +0100 Subject: [PATCH 26/26] fix bug in from_str method for coords --- py_qubed/src/lib.rs | 9 +++++++++ qubed/src/coordinates/mod.rs | 25 ++++++++++++++++++++++++- 2 files changed, 33 insertions(+), 1 deletion(-) diff --git a/py_qubed/src/lib.rs b/py_qubed/src/lib.rs index 1e76416..effade9 100644 --- a/py_qubed/src/lib.rs +++ b/py_qubed/src/lib.rs @@ -104,11 +104,15 @@ impl PyQube { // Collect selection data with owned Strings and Coordinates let mut selection_data: Vec<(String, Coordinates)> = Vec::new(); + println!("WHAT IS THE REQ IN PYTHON?"); + println!("{:?}", request); + for (k, v) in request.iter() { let key: String = k.extract().map_err(|_| PyTypeError::new_err("select keys must be strings"))?; let coords = if v.is_instance_of::() { + println!("WE ACTUALLY DEALT WITH A LIST HERE??"); let lst = v.cast_into::()?; let mut parts: Vec = Vec::with_capacity(lst.len()); for item in lst.iter() { @@ -117,11 +121,16 @@ impl PyQube { let s: String = py_str.extract()?; parts.push(s); } + println!("WHAT ARE THE PARTS HERE??"); + println!("{:?}", parts); Coordinates::from_string(&parts.join("/")) } else { + println!("WE DID NOT DEAL WITH A LIST HERE??"); // Convert any value to string representation (handles int, float, str) let py_str = v.str()?; let s: String = py_str.extract()?; + println!("WHAT IS THE STRING VALUE HERE??"); + println!("{:?}", s); Coordinates::from_string(&s) }; diff --git a/qubed/src/coordinates/mod.rs b/qubed/src/coordinates/mod.rs index ac488ad..b046976 100644 --- a/qubed/src/coordinates/mod.rs +++ b/qubed/src/coordinates/mod.rs @@ -52,7 +52,7 @@ impl Coordinates { return Coordinates::Empty; } let mut coords = Coordinates::Empty; - let split: Vec<&str> = s.split('|').collect(); + let split: Vec<&str> = s.split('/').collect(); for part in split { // Check for leading zeros to preserve formatting (e.g., "0001") @@ -162,6 +162,29 @@ impl Coordinates { } } _ => { + eprintln!("Intersection not implemented for:"); + eprintln!( + " self type: {}", + match self { + Coordinates::Empty => "Empty", + Coordinates::Integers(_) => "Integers", + Coordinates::Floats(_) => "Floats", + Coordinates::Strings(_) => "Strings", + Coordinates::DateTimes(_) => "DateTimes", + Coordinates::Mixed(_) => "Mixed", + } + ); + eprintln!( + " other type: {}", + match _other { + Coordinates::Empty => "Empty", + Coordinates::Integers(_) => "Integers", + Coordinates::Floats(_) => "Floats", + Coordinates::Strings(_) => "Strings", + Coordinates::DateTimes(_) => "DateTimes", + Coordinates::Mixed(_) => "Mixed", + } + ); unimplemented!("Intersection not implemented for these coordinate types"); } }