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
use crate::error::{Result, UrbitAPIError};
use chrono::prelude::*;
use json::{object, JsonValue};
use regex::Regex;
#[derive(Clone, Debug)]
pub struct Graph {
pub nodes: Vec<Node>,
}
#[derive(Clone, Debug)]
pub struct Node {
pub index: String,
pub author: String,
pub time_sent: u64,
pub signatures: Vec<String>,
pub contents: NodeContents,
pub hash: Option<String>,
pub children: Vec<Node>,
}
#[derive(Debug, Clone)]
pub struct NodeContents {
pub content_list: Vec<JsonValue>,
}
impl Graph {
pub fn new(nodes: Vec<Node>) -> Graph {
Graph { nodes: nodes }
}
pub fn insert(&mut self, node: Node) {
self.nodes.push(node);
}
pub fn find_node_parent(&self, child: &Node) -> Option<&Node> {
self.nodes.iter().find(|n| n.is_direct_parent(&child))
}
pub fn from_json(graph_json: JsonValue) -> Result<Graph> {
let mut graph = Graph::new(vec![]);
let mut childless_nodes = vec![];
let graph_text = format!("{}", graph_json["graph-update"]["add-graph"]["graph"]);
let re = Regex::new(r#""\d+":(.+?children":).+?"#)
.map_err(|_| UrbitAPIError::FailedToCreateGraphFromJSON)?;
for capture in re.captures_iter(&graph_text) {
let node_string = capture
.get(1)
.ok_or(UrbitAPIError::FailedToCreateGraphFromJSON)?
.as_str()
.to_string()
+ r#"null}"#;
let json = json::parse(&node_string)
.map_err(|_| UrbitAPIError::FailedToCreateGraphNodeFromJSON)?;
let processed_node = Node::from_json_childless(&json)?;
childless_nodes.push(processed_node);
}
let mut building_node = childless_nodes[0].clone();
for i in 1..childless_nodes.len() {
if building_node.is_parent(&childless_nodes[i]) {
building_node = building_node.add_child(&childless_nodes[i]);
} else {
graph.insert(building_node.clone());
building_node = childless_nodes[i].clone();
}
}
graph.insert(building_node.clone());
Ok(graph)
}
pub fn to_json(&self) -> JsonValue {
let nodes_json: Vec<JsonValue> = self.nodes.iter().map(|n| n.to_json(None)).collect();
object! {
"graph-update": {
"add-graph": {
"graph": nodes_json,
}
}
}
}
}
impl Node {
pub fn new(
index: String,
author: String,
time_sent: u64,
signatures: Vec<String>,
contents: NodeContents,
hash: Option<String>,
) -> Node {
Node {
index: index,
author: author,
time_sent: time_sent,
signatures: signatures,
contents: contents,
hash: hash,
children: vec![],
}
}
pub fn parent_index(&self) -> Option<String> {
let rev_index = self.index.chars().rev().collect::<String>();
let split_index: Vec<&str> = rev_index.splitn(2, "/").collect();
if split_index.len() < 2 {
return None;
}
let parent_index = split_index[1].chars().rev().collect::<String>();
Some(parent_index)
}
pub fn is_direct_parent(&self, potential_child: &Node) -> bool {
if let Some(index) = potential_child.parent_index() {
return self.index == index;
}
false
}
pub fn is_parent(&self, potential_child: &Node) -> bool {
let pc_split_index: Vec<&str> = potential_child.index.split("/").collect();
let parent_split_index: Vec<&str> = self.index.split("/").collect();
if parent_split_index.len() > pc_split_index.len() {
return false;
}
let mut matching = false;
for n in 0..parent_split_index.len() {
matching = parent_split_index[n] == pc_split_index[n]
}
matching
}
pub fn add_child(&self, new_child: &Node) -> Node {
let mut new_self = self.clone();
for i in 0..self.children.len() {
let child = &new_self.children[i];
if child.is_direct_parent(new_child) {
new_self.children[i].children.push(new_child.clone());
return new_self;
} else if child.is_parent(new_child) {
new_self.children[i] = child.add_child(new_child);
return new_self;
}
}
new_self.children.push(new_child.clone());
new_self
}
pub fn to_formatted_string(&self) -> String {
let unix_time = self.time_sent as i64 / 1000;
let date_time: DateTime<Utc> =
DateTime::from_utc(NaiveDateTime::from_timestamp(unix_time, 0), Utc);
let new_date = date_time.format("%Y-%m-%d %H:%M:%S");
let content = self.contents.to_formatted_string();
format!("{} - ~{}:{}", new_date, self.author, content)
}
pub fn to_json(&self, children: Option<JsonValue>) -> JsonValue {
let mut node_json = object!();
let final_children = match children {
Some(json) => json,
None => JsonValue::Null,
};
node_json[self.index.clone()] = object! {
"post": {
"author": self.author.clone(),
"index": self.index.clone(),
"time-sent": self.time_sent,
"contents": self.contents.to_json(),
"hash": null,
"signatures": []
},
"children": final_children
};
node_json
}
pub fn from_graph_update_json(wrapped_json: &JsonValue) -> Result<Node> {
let dumped = wrapped_json["graph-update"]["add-nodes"]["nodes"].dump();
let split: Vec<&str> = dumped.splitn(2, ":").collect();
if split.len() <= 1 {
return Err(UrbitAPIError::FailedToCreateGraphNodeFromJSON);
}
let mut inner_string = split[1].to_string();
inner_string.remove(inner_string.len() - 1);
let inner_json = json::parse(&inner_string)
.map_err(|_| UrbitAPIError::FailedToCreateGraphNodeFromJSON)?;
Self::from_json_childless(&inner_json)
}
fn from_json_childless(json: &JsonValue) -> Result<Node> {
let _children = json["children"].clone();
let post_json = json["post"].clone();
let index = post_json["index"]
.as_str()
.ok_or(UrbitAPIError::FailedToCreateGraphNodeFromJSON)?;
let author = post_json["author"]
.as_str()
.ok_or(UrbitAPIError::FailedToCreateGraphNodeFromJSON)?;
let time_sent = post_json["time-sent"]
.as_u64()
.ok_or(UrbitAPIError::FailedToCreateGraphNodeFromJSON)?;
let hash = match post_json["hash"].is_null() {
true => None,
false => Some(
post_json["hash"]
.as_str()
.ok_or(UrbitAPIError::FailedToCreateGraphNodeFromJSON)?
.to_string(),
),
};
let mut json_contents = vec![];
for content in post_json["contents"].members() {
json_contents.push(content.clone());
}
let contents = NodeContents::from_json(json_contents);
let mut signatures = vec![];
for signature in post_json["signatures"].members() {
signatures.push(
signature
.as_str()
.ok_or(UrbitAPIError::FailedToCreateGraphNodeFromJSON)?
.to_string(),
);
}
Ok(Node {
index: index.to_string(),
author: author.to_string(),
time_sent: time_sent,
signatures: signatures,
contents: contents,
hash: hash,
children: vec![],
})
}
}
impl NodeContents {
pub fn new() -> NodeContents {
NodeContents {
content_list: vec![],
}
}
pub fn is_empty(&self) -> bool {
self.content_list.len() == 0
}
pub fn add_text(&self, text: &str) -> NodeContents {
let formatted = object! {
"text": text
};
self.add_to_contents(formatted)
}
pub fn add_url(&self, url: &str) -> NodeContents {
let formatted = object! {
"url": url
};
self.add_to_contents(formatted)
}
pub fn add_mention(&self, referenced_ship: &str) -> NodeContents {
let formatted = object! {
"mention": referenced_ship
};
self.add_to_contents(formatted)
}
pub fn add_code(&self, expression: &str, output: &str) -> NodeContents {
let formatted = object! {
"code": {
"expression": expression,
"output": [[output]]
}
};
self.add_to_contents(formatted)
}
pub fn from_json(json_contents: Vec<JsonValue>) -> NodeContents {
NodeContents {
content_list: json_contents,
}
}
pub fn to_json(&self) -> JsonValue {
self.content_list.clone().into()
}
pub fn to_formatted_string(&self) -> String {
let mut result = "".to_string();
for item in &self.content_list {
let text = Self::extract_content_text(item);
result = result + " " + text.trim();
}
result
}
pub fn to_formatted_words(&self) -> Vec<String> {
let formatted_string = self.to_formatted_string();
formatted_string
.split_whitespace()
.map(|s| s.to_string())
.collect()
}
fn extract_content_text(json: &JsonValue) -> String {
let mut result = " ".to_string();
if !json["text"].is_empty() {
result = json["text"].dump();
} else if !json["url"].is_empty() {
result = json["url"].dump();
} else if !json["mention"].is_empty() {
result = json["mention"].dump();
result.remove(0);
result.remove(result.len() - 1);
return format!("~{}", result);
} else if !json["code"].is_empty() {
result = json["code"].dump();
}
result.remove(0);
result.remove(result.len() - 1);
result
}
fn add_to_contents(&self, json: JsonValue) -> NodeContents {
let mut contents = self.content_list.clone();
contents.append(&mut vec![json]);
NodeContents {
content_list: contents,
}
}
}