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
use std::fs::File;
use std::io::{self, BufRead, BufReader};
use std::path::PathBuf;
use ahash::AHashMap;
use indexmap::map::Entry;
use log::warn;
type AttrMap<K, V> = indexmap::IndexMap<K, V, ahash::RandomState>;
macro_rules! unwrap_or_continue {
($e:expr) => {{
if let Some(x) = $e {
x
} else {
continue;
}
}};
}
#[derive(PartialEq, Eq, Debug, Default)]
pub struct FuncFrameAttrsMap(AHashMap<String, FrameAttrs>);
impl FuncFrameAttrsMap {
pub fn from_file(path: &PathBuf) -> io::Result<FuncFrameAttrsMap> {
let file = BufReader::new(File::open(path)?);
FuncFrameAttrsMap::from_reader(file)
}
pub fn from_reader<R: BufRead>(mut reader: R) -> io::Result<FuncFrameAttrsMap> {
let mut funcattr_map = FuncFrameAttrsMap::default();
let mut line = String::new();
loop {
line.clear();
if reader.read_line(&mut line)? == 0 {
break;
}
let mut line = line.trim().splitn(2, '\t');
let func = unwrap_or_continue!(line.next());
if func.is_empty() {
continue;
}
let funcattrs = funcattr_map.0.entry(func.to_string()).or_default();
let namevals = unwrap_or_continue!(line.next());
for nameval in namevals.split('\t') {
let mut nameval = nameval.splitn(2, '=');
let name = unwrap_or_continue!(nameval.next()).trim();
if name.is_empty() {
continue;
}
let mut value = unwrap_or_continue!(nameval.next()).trim();
if value.starts_with('"') && value.ends_with('"') {
value = &value[1..value.len() - 1];
}
match name {
"title" => {
funcattrs.title = Some(value.to_string());
}
"href" => {
funcattrs.add_attr(func, "xlink:href".to_string(), value.to_string());
}
"id" | "class" | "target" => {
funcattrs.add_attr(func, name.to_string(), value.to_string());
}
"g_extra" | "a_extra" => funcattrs.parse_extra_attrs(func, value),
_ => warn!("invalid attribute {} found for {}", name, func),
}
}
if funcattrs.attrs.contains_key("xlink:href") && !funcattrs.attrs.contains_key("target")
{
funcattrs
.attrs
.insert("target".to_string(), "_top".to_string());
}
}
Ok(funcattr_map)
}
pub(super) fn frameattrs_for_func(&self, func: &str) -> Option<&FrameAttrs> {
self.0.get(func)
}
}
#[derive(PartialEq, Eq, Debug, Default)]
pub(super) struct FrameAttrs {
pub(super) title: Option<String>,
pub(super) attrs: AttrMap<String, String>,
}
impl FrameAttrs {
fn add_attr(&mut self, func: &str, name: String, value: String) {
match self.attrs.entry(name) {
Entry::Occupied(mut e) => {
warn!(
"duplicate attribute `{}` in nameattr file for `{}`; replacing value \"{}\" with \"{}\"",
e.key(), func, e.get(), value
);
e.insert(value);
}
Entry::Vacant(e) => {
e.insert(value);
}
};
}
fn parse_extra_attrs(&mut self, func: &str, s: &str) {
AttrIter { s }.for_each(|(name, value)| {
self.add_attr(func, name, value);
});
}
}
struct AttrIter<'a> {
s: &'a str,
}
impl<'a> Iterator for AttrIter<'a> {
type Item = (String, String);
fn next(&mut self) -> Option<(String, String)> {
let mut name_rest = self.s.splitn(2, '=');
let name = name_rest.next()?.trim();
if name.is_empty() {
warn!("\"=\" found with no name in extra attributes");
return None;
}
let mut split_name = name.split_whitespace();
let name = split_name.next_back()?;
for extra in split_name {
warn!(
"extra attribute {} has no value (did you mean to quote the value?)",
extra
);
}
let rest = name_rest.next()?.trim_start();
if rest.is_empty() {
warn!("no value after \"=\" for extra attribute {}", name);
}
let (value, rest) = if rest.starts_with('"') {
if let Some(eq) = rest[1..].find('"') {
(&rest[1..=eq], &rest[eq + 1..])
} else {
warn!("no end quote found for extra attribute {}", name);
return None;
}
} else if let Some(w) = rest.find(char::is_whitespace) {
(&rest[..w], &rest[w + 1..])
} else {
(rest, "")
};
self.s = rest;
Some((name.to_string(), value.to_string()))
}
}
#[cfg(test)]
mod test {
use super::*;
use ahash::AHashMap;
use maplit::{convert_args, hashmap};
use pretty_assertions::assert_eq;
#[test]
fn func_frame_attrs_map_from_reader() {
let foo = vec![
"foo",
"title=foo title",
r#"class="foo class""#,
r#"g_extra=gextra1=gextra1 gextra2="foo gextra2""#,
"href=foo href",
"target=foo target",
r#"a_extra="aextra1="foo aextra1" aextra2="foo aextra2"""#,
]
.join("\t");
let bar = vec![
"bar",
"class=bar class",
"href=bar href",
r#"a_extra=aextra1=foo invalid aextra2=bar"#,
]
.join("\t");
let s = vec![foo, bar].join("\n");
let r = s.as_bytes();
let mut expected_inner = AHashMap::default();
let foo_attrs: AttrMap<String, String> = convert_args!(hashmap!(
"class" => "foo class",
"xlink:href" => "foo href",
"target" => "foo target",
"gextra1" => "gextra1",
"gextra2" => "foo gextra2",
"aextra1" => "foo aextra1",
"aextra2" => "foo aextra2",
))
.into_iter()
.collect();
expected_inner.insert(
"foo".to_owned(),
FrameAttrs {
title: Some("foo title".to_owned()),
attrs: foo_attrs,
},
);
let bar_attrs: AttrMap<String, String> = convert_args!(hashmap!(
"class" => "bar class",
"xlink:href" => "bar href",
"aextra1" => "foo",
"aextra2" => "bar",
"target" => "_top",
))
.into_iter()
.collect();
expected_inner.insert(
"bar".to_owned(),
FrameAttrs {
title: None,
attrs: bar_attrs,
},
);
let result = FuncFrameAttrsMap::from_reader(r).unwrap();
let expected = FuncFrameAttrsMap(expected_inner);
assert_eq!(result, expected);
}
}