1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
extern crate parse_zoneinfo;
#[cfg(feature = "filter-by-regex")]
extern crate regex;
use std::collections::BTreeSet;
use std::env;
use std::fs::File;
use std::io::{self, BufRead, BufReader, Write};
use std::path::Path;
use parse_zoneinfo::line::{Line, LineParser};
use parse_zoneinfo::structure::{Child, Structure};
use parse_zoneinfo::table::{Table, TableBuilder};
use parse_zoneinfo::transitions::FixedTimespan;
use parse_zoneinfo::transitions::TableTransitions;
const FILTER_ENV_VAR_NAME: &str = "CHRONO_TZ_TIMEZONE_FILTER";
fn strip_comments(mut line: String) -> String {
if let Some(pos) = line.find('#') {
line.truncate(pos);
};
line
}
fn format_rest(rest: Vec<(i64, FixedTimespan)>) -> String {
let mut ret = "&[\n".to_string();
for (start, FixedTimespan { utc_offset, dst_offset, name }) in rest {
ret.push_str(&format!(
" ({start}, FixedTimespan {{ \
utc_offset: {utc}, dst_offset: {dst}, name: \"{name}\" \
}}),\n",
start = start,
utc = utc_offset,
dst = dst_offset,
name = name,
));
}
ret.push_str(" ]");
ret
}
fn convert_bad_chars(name: &str) -> String {
let name = name.replace("/", "__").replace("+", "Plus");
if let Some(pos) = name.find('-') {
if name[pos + 1..].chars().next().map(char::is_numeric).unwrap_or(false) {
name.replace("-", "Minus")
} else {
name.replace("-", "")
}
} else {
name
}
}
fn write_timezone_file(timezone_file: &mut File, table: &Table) -> io::Result<()> {
let zones = table.zonesets.keys().chain(table.links.keys()).collect::<BTreeSet<_>>();
writeln!(timezone_file, "use core::fmt::{{self, Debug, Display, Formatter}};",)?;
writeln!(timezone_file, "use core::str::FromStr;\n",)?;
writeln!(
timezone_file,
"use ::timezone_impl::{{TimeSpans, FixedTimespanSet, FixedTimespan}};\n",
)?;
writeln!(
timezone_file,
"/// TimeZones built at compile time from the tz database
///
/// This implements [`chrono::TimeZone`] so that it may be used in and to
/// construct chrono's DateTime type. See the root module documentation
/// for details."
)?;
writeln!(timezone_file, "#[derive(Clone, Copy, PartialEq, Eq, Hash)]\npub enum Tz {{")?;
for zone in &zones {
let zone_name = convert_bad_chars(zone);
writeln!(
timezone_file,
" /// {raw_zone_name}\n {zone},",
zone = zone_name,
raw_zone_name = zone
)?;
}
writeln!(timezone_file, "}}")?;
let mut map = phf_codegen::Map::new();
for zone in &zones {
map.entry(zone, &format!("Tz::{}", convert_bad_chars(zone)));
}
writeln!(timezone_file, "static TIMEZONES: ::phf::Map<&'static str, Tz> = \n{};", map.build())?;
#[cfg(feature = "case-insensitive")]
{
writeln!(timezone_file, "use uncased::UncasedStr;\n",)?;
let mut map = phf_codegen::Map::new();
for zone in &zones {
map.entry(uncased::UncasedStr::new(zone), &format!("Tz::{}", convert_bad_chars(zone)));
}
writeln!(
timezone_file,
"static TIMEZONES_UNCASED: ::phf::Map<&'static uncased::UncasedStr, Tz> = \n{};",
map.build().to_string().replace("::std::mem::transmute", "::core::mem::transmute")
)?;
}
writeln!(
timezone_file,
"#[cfg(feature = \"std\")]
pub type ParseError = String;
#[cfg(not(feature = \"std\"))]
pub type ParseError = &'static str;
impl FromStr for Tz {{
type Err = ParseError;
fn from_str(s: &str) -> Result<Self, Self::Err> {{
#[cfg(feature = \"std\")]
return TIMEZONES.get(s).cloned().ok_or_else(|| format!(\"'{{}}' is not a valid timezone\", s));
#[cfg(not(feature = \"std\"))]
return TIMEZONES.get(s).cloned().ok_or(\"received invalid timezone\");
}}
}}\n"
)?;
writeln!(
timezone_file,
"impl Tz {{
pub fn name(self) -> &'static str {{
match self {{"
)?;
for zone in &zones {
let zone_name = convert_bad_chars(zone);
writeln!(
timezone_file,
" Tz::{zone} => \"{raw_zone_name}\",",
zone = zone_name,
raw_zone_name = zone
)?;
}
writeln!(
timezone_file,
" }}
}}"
)?;
#[cfg(feature = "case-insensitive")]
{
writeln!(
timezone_file,
r#"
#[cfg(feature = "case-insensitive")]
/// Parses a timezone string in a case-insensitive way
pub fn from_str_insensitive(s: &str) -> Result<Self, ParseError> {{
#[cfg(feature = "std")]
return TIMEZONES_UNCASED.get(s.into()).cloned().ok_or_else(|| format!("'{{}}' is not a valid timezone", s));
#[cfg(not(feature = "std"))]
return TIMEZONES_UNCASED.get(s.into()).cloned().ok_or("received invalid timezone");
}}"#
)?;
}
writeln!(timezone_file, "}}")?;
writeln!(
timezone_file,
"impl Debug for Tz {{
fn fmt(&self, f: &mut Formatter) -> fmt::Result {{
f.write_str(self.name().as_ref())
}}
}}\n"
)?;
writeln!(
timezone_file,
"impl Display for Tz {{
fn fmt(&self, f: &mut Formatter) -> fmt::Result {{
f.write_str(self.name().as_ref())
}}
}}\n"
)?;
writeln!(
timezone_file,
"impl TimeSpans for Tz {{
fn timespans(&self) -> FixedTimespanSet {{
match *self {{"
)?;
for zone in &zones {
let timespans = table.timespans(&zone).unwrap();
let zone_name = convert_bad_chars(zone);
writeln!(
timezone_file,
" Tz::{zone} => {{
const REST: &[(i64, FixedTimespan)] = {rest};
FixedTimespanSet {{
first: FixedTimespan {{
utc_offset: {utc},
dst_offset: {dst},
name: \"{name}\",
}},
rest: REST
}}
}},\n",
zone = zone_name,
rest = format_rest(timespans.rest),
utc = timespans.first.utc_offset,
dst = timespans.first.dst_offset,
name = timespans.first.name,
)?;
}
write!(
timezone_file,
" }}
}}
}}\n"
)?;
write!(
timezone_file,
"/// An array of every known variant
///
/// Useful for iterating over known timezones:
///
/// ```
/// use chrono_tz::{{TZ_VARIANTS, Tz}};
/// assert!(TZ_VARIANTS.iter().any(|v| *v == Tz::UTC));
/// ```
pub static TZ_VARIANTS: [Tz; {num}] = [
",
num = zones.len()
)?;
for zone in &zones {
writeln!(timezone_file, " Tz::{zone},", zone = convert_bad_chars(zone))?;
}
write!(timezone_file, "];")?;
Ok(())
}
fn write_directory_file(directory_file: &mut File, table: &Table) -> io::Result<()> {
writeln!(directory_file, "use timezones::Tz;\n")?;
let zones = table
.zonesets
.keys()
.chain(table.links.keys())
.filter(|zone| !zone.contains('/'))
.collect::<BTreeSet<_>>();
for zone in zones {
let zone = convert_bad_chars(zone);
writeln!(directory_file, "pub const {name} : Tz = Tz::{name};", name = zone)?;
}
writeln!(directory_file)?;
for entry in table.structure() {
if entry.name.contains('/') {
continue;
}
let module_name = convert_bad_chars(entry.name);
writeln!(directory_file, "pub mod {name} {{", name = module_name)?;
writeln!(directory_file, " use timezones::Tz;\n",)?;
for child in entry.children {
match child {
Child::Submodule(name) => {
let submodule_name = convert_bad_chars(name);
writeln!(directory_file, " pub mod {name} {{", name = submodule_name)?;
writeln!(directory_file, " use timezones::Tz;\n",)?;
let full_name = entry.name.to_string() + "/" + name;
for entry in table.structure() {
if entry.name == full_name {
for child in entry.children {
match child {
Child::Submodule(_) => {
panic!("Depth of > 3 nested submodules not implemented!")
}
Child::TimeZone(name) => {
let converted_name = convert_bad_chars(name);
writeln!(directory_file,
" pub const {name} : Tz = Tz::{module_name}__{submodule_name}__{name};",
module_name = module_name,
submodule_name = submodule_name,
name = converted_name,
)?;
}
}
}
}
}
writeln!(directory_file, " }}\n")?;
}
Child::TimeZone(name) => {
let name = convert_bad_chars(name);
writeln!(
directory_file,
" pub const {name} : Tz = Tz::{module_name}__{name};",
module_name = module_name,
name = name
)?;
}
}
}
writeln!(directory_file, "}}\n")?;
}
Ok(())
}
#[cfg(not(feature = "filter-by-regex"))]
mod filter {
pub(crate) fn maybe_filter_timezone_table(_table: &mut super::Table) {}
}
#[cfg(feature = "filter-by-regex")]
mod filter {
use std::collections::HashSet;
use std::env;
use regex::Regex;
use crate::{Table, FILTER_ENV_VAR_NAME};
pub(crate) fn maybe_filter_timezone_table(table: &mut Table) {
if let Some(filter_regex) = get_filter_regex() {
filter_timezone_table(table, filter_regex);
}
}
fn get_filter_regex() -> Option<Regex> {
match env::var(FILTER_ENV_VAR_NAME) {
Ok(val) => {
let val = val.trim();
if val.is_empty() {
return None;
}
match Regex::new(val) {
Ok(regex) => Some(regex),
Err(err) => panic!(
"The value '{:?}' for environment variable {} is not a valid regex, err={}",
val, FILTER_ENV_VAR_NAME, err
),
}
}
Err(env::VarError::NotPresent) => None,
Err(env::VarError::NotUnicode(s)) => panic!(
"The value '{:?}' for environment variable {} is not valid Unicode",
s, FILTER_ENV_VAR_NAME
),
}
}
fn insert_keep_entry(keep: &mut HashSet<String>, new_value: &str) {
let mut parts = new_value.split('/');
if let (Some(p1), Some(p2), Some(_), None) =
(parts.next(), parts.next(), parts.next(), parts.next())
{
keep.insert(format!("{}/{}", p1, p2));
}
keep.insert(new_value.to_string());
}
fn filter_timezone_table(table: &mut Table, filter_regex: Regex) {
let mut keep = HashSet::new();
for (k, v) in &table.links {
if filter_regex.is_match(k) {
insert_keep_entry(&mut keep, k);
}
if filter_regex.is_match(v) {
insert_keep_entry(&mut keep, v);
}
}
let mut n = 0;
loop {
let len = keep.len();
for (k, v) in &table.links {
if keep.contains(k) && !keep.contains(v) {
insert_keep_entry(&mut keep, v);
}
if keep.contains(v) && !keep.contains(k) {
insert_keep_entry(&mut keep, k);
}
}
if keep.len() == len {
break;
}
n += 1;
if n == 50 {
println!("cargo:warning=Recursion limit reached while building filter list");
break;
}
}
table.links.retain(|k, v| keep.contains(k) || keep.contains(v));
table
.zonesets
.retain(|k, _| filter_regex.is_match(&k) || keep.iter().any(|s| k.starts_with(s)));
}
}
pub fn main() {
println!("cargo:rerun-if-env-changed={}", FILTER_ENV_VAR_NAME);
let parser = LineParser::new();
let mut table = TableBuilder::new();
let tzfiles = [
"tz/africa",
"tz/antarctica",
"tz/asia",
"tz/australasia",
"tz/backward",
"tz/etcetera",
"tz/europe",
"tz/northamerica",
"tz/southamerica",
];
let lines = tzfiles
.iter()
.map(Path::new)
.map(|p| {
Path::new(&env::var("CARGO_MANIFEST_DIR").unwrap_or_else(|_| String::new())).join(p)
})
.map(|path| {
File::open(&path).unwrap_or_else(|e| panic!("cannot open {}: {}", path.display(), e))
})
.map(BufReader::new)
.flat_map(BufRead::lines)
.map(Result::unwrap)
.map(strip_comments);
for line in lines {
match parser.parse_str(&line).unwrap() {
Line::Zone(zone) => table.add_zone_line(zone).unwrap(),
Line::Continuation(cont) => table.add_continuation_line(cont).unwrap(),
Line::Rule(rule) => table.add_rule_line(rule).unwrap(),
Line::Link(link) => table.add_link_line(link).unwrap(),
Line::Space => {}
}
}
let mut table = table.build();
filter::maybe_filter_timezone_table(&mut table);
let timezone_path = Path::new(&env::var("OUT_DIR").unwrap()).join("timezones.rs");
let mut timezone_file = File::create(&timezone_path).unwrap();
write_timezone_file(&mut timezone_file, &table).unwrap();
let directory_path = Path::new(&env::var("OUT_DIR").unwrap()).join("directory.rs");
let mut directory_file = File::create(&directory_path).unwrap();
write_directory_file(&mut directory_file, &table).unwrap();
}