-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathform.rs
320 lines (297 loc) · 12.5 KB
/
form.rs
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
use crate::{
comment::Comment, AnnotatedDoc, AudioSlice, CherokeeOrthography, Database, Date, DocumentId,
MorphemeSegmentUpdate, PartsOfWord, PositionInDocument, TagId, WordSegment, WordSegmentRole,
};
use async_graphql::{dataloader::DataLoader, FieldResult, MaybeUndefined};
use itertools::Itertools;
use serde::{Deserialize, Serialize};
use sqlx::types::Uuid;
use std::borrow::Cow;
/// Mostly unused type
#[derive(Clone, Eq, PartialEq, Hash, Serialize, Deserialize, Debug, async_graphql::NewType)]
pub struct FormId(pub String);
/// A single word in an annotated document.
/// One word contains several layers of interpretation, including the original
/// source text, multiple layers of linguistic annotation, and annotator notes.
/// TODO Split into two types, one for migration and one for SQL + GraphQL
#[derive(Clone, Serialize, Deserialize, Debug, async_graphql::SimpleObject)]
#[serde(rename_all = "camelCase")]
#[graphql(complex)]
pub struct AnnotatedForm {
/// Unique identifier of this form
#[serde(skip)]
#[graphql(skip)]
pub id: Option<Uuid>,
/// Original source text
pub source: String,
/// A normalized version of the word
pub normalized_source: Option<String>,
#[graphql(skip)]
/// Romanized version of the word for simple phonetic pronunciation
pub simple_phonetics: Option<String>,
/// Underlying phonemic representation of this word
pub phonemic: Option<String>,
/// Morphemic segmentation of the form that includes a phonemic
/// representation and gloss for each
#[graphql(skip)]
pub segments: Option<Vec<WordSegment>>,
#[serde(default)]
/// English gloss for the whole word
pub english_gloss: Vec<String>,
/// Further details about the annotation layers, including uncertainty
pub commentary: Option<String>,
/// The character index of a mid-word line break, if there is one
pub line_break: Option<i32>,
/// The character index of a mid-word page break, if there is one
pub page_break: Option<i32>,
/// Position of the form within the context of its parent document
pub position: PositionInDocument,
/// The date and time this form was recorded
pub date_recorded: Option<Date>,
/// The audio for this word that was ingested from GoogleSheets, if there is any.
// TODO: #[graphql(guard = "GroupGuard::new(UserGroup::Editors)")]
pub ingested_audio_track: Option<AudioSlice>,
}
#[async_graphql::ComplexObject]
impl AnnotatedForm {
/// The root morpheme of the word.
/// For example, a verb form glossed as "he catches" might have a root morpheme
/// corresponding to "catch."
async fn root(&self, context: &async_graphql::Context<'_>) -> FieldResult<Option<WordSegment>> {
let segments = self.segments(context, CherokeeOrthography::Taoc).await?;
for seg in segments {
if is_root_morpheme(&seg.gloss) {
return Ok(Some(seg));
}
}
Ok(None)
}
async fn romanized_source(&self, system: CherokeeOrthography) -> Option<Cow<'_, str>> {
self.simple_phonetics.as_ref().map(|phonetic| {
if system == CherokeeOrthography::Learner {
crate::lexical::simple_phonetics_to_worcester(phonetic).into()
} else {
phonetic.into()
}
})
}
async fn segments(
&self,
context: &async_graphql::Context<'_>,
system: CherokeeOrthography,
) -> FieldResult<Vec<WordSegment>> {
let db = context.data::<DataLoader<Database>>()?;
// 1. To convert to a concrete analysis, start with a list of abstract tags.
let abstract_segments = db
.load_one(PartsOfWord(*self.id.as_ref().unwrap()))
.await?
.unwrap_or_default();
// 2. Request all concrete tags that start with each abstract tag.
let concrete_tag_matches = db
.load_many(
abstract_segments
.iter()
.map(|seg| TagId(seg.gloss.clone(), system)),
)
.await?;
// 3. Pick the longest match for each abstract segment.
let mut concrete_segments = Vec::new();
let mut curr_index = 0;
for (idx, abstract_segment) in abstract_segments.iter().enumerate() {
// If this segment has already been filled by a previous match, skip it.
if idx < curr_index {
continue;
}
let concrete_tags =
concrete_tag_matches.get(&TagId(abstract_segment.gloss.clone(), system));
if let Some(concrete_tags) = concrete_tags {
for concrete_tag in concrete_tags {
// Check whether the whole sequence of abstract tags is the current
// start of the abstract segment list.
let abstract_matches = concrete_tag
.internal_tags
.iter()
.zip(abstract_segments.iter().skip(curr_index));
let is_match = abstract_matches.clone().all(|(a, b)| *a == b.gloss);
if is_match {
let corresponding_segments = abstract_segments
.iter()
.skip(curr_index)
.take(concrete_tag.internal_tags.len());
concrete_segments.push(WordSegment {
system: Some(system),
// Use the segment type of the first abstract one
// unless the concrete segment overrides the segment type.
role: concrete_tag
.role_override
.or_else(|| {
corresponding_segments.clone().next().map(|seg| seg.role)
})
.unwrap_or(WordSegmentRole::Morpheme),
morpheme: corresponding_segments.map(|seg| &seg.morpheme).join(""),
gloss: concrete_tag.tag.clone(),
gloss_id: None,
matching_tag: Some(concrete_tag.clone()),
});
curr_index += concrete_tag.internal_tags.len();
break;
}
}
} else {
// If this abstract segment was unmatched (probably a root),
// then just use it directly.
concrete_segments.push(WordSegment {
system: Some(system),
..abstract_segment.clone()
});
curr_index += 1;
}
// if !success {
// anyhow::bail!("Failed to generate all morpheme tags");
// }
}
Ok(concrete_segments)
}
/// All other observed words with the same root morpheme as this word.
async fn similar_forms(
&self,
context: &async_graphql::Context<'_>,
) -> FieldResult<Vec<AnnotatedForm>> {
if let Some(root) = self.root(context).await? {
let db = context.data::<DataLoader<Database>>()?.loader();
// Find the forms with the exact same root.
// let similar_roots = db.morphemes(id.clone());
// Find forms with directly linked roots.
let connected = db
.connected_forms(Some(self.position.document_id), &root.gloss)
.await?;
// let (connected, similar_roots) = futures::join!(connected, similar_roots);
Ok(connected
.into_iter()
// Only return other similar words.
.filter(|word| word.id != self.id)
.collect())
} else {
Ok(Vec::new())
}
}
/// The document that contains this word.
async fn document(
&self,
context: &async_graphql::Context<'_>,
) -> FieldResult<Option<AnnotatedDoc>> {
Ok(context
.data::<DataLoader<Database>>()?
.load_one(self.position.document_id)
.await?)
}
/// Number of words preceding this one in the containing document
async fn index(&self) -> i64 {
self.position.index
}
/// Unique identifier of the containing document
async fn document_id(&self) -> DocumentId {
self.position.document_id
}
/// Unique identifier of this form
async fn id(&self) -> anyhow::Result<Uuid> {
self.id
.ok_or_else(|| anyhow::format_err!("No AnnotatedForm ID"))
}
/// A slices of audio associated with this word in the context of a document.
/// This audio has been selected by an editor from contributions, or is the
/// same as the ingested audio track, if one is available.
async fn edited_audio(
&self,
context: &async_graphql::Context<'_>,
) -> FieldResult<Vec<AudioSlice>> {
let mut all_audio = self.user_contributed_audio(context).await?;
// add ingested audio track as first element if it should be shown
if let Some(ingested_audio_track) = self.ingested_audio_track.to_owned() {
all_audio.insert(0, ingested_audio_track);
}
return Ok(all_audio
.into_iter()
.filter(|audio| audio.include_in_edited_collection)
.collect_vec());
}
/// Audio for this word that has been recorded by community members. Will be
/// empty if user does not have access to uncurated contributions.
/// TODO! User guard for contributors only
async fn user_contributed_audio(
&self,
context: &async_graphql::Context<'_>,
) -> FieldResult<Vec<AudioSlice>> {
let db = context.data::<DataLoader<Database>>()?.loader();
Ok(db.word_contributor_audio(self.id.as_ref().unwrap()).await?)
}
/// Get comments on this word
async fn comments(&self, context: &async_graphql::Context<'_>) -> FieldResult<Vec<Comment>> {
let db = context.data::<DataLoader<Database>>()?.loader();
Ok(db
.comments_by_parent(
self.id.as_ref().unwrap(),
&crate::comment::CommentParentType::Word,
)
.await?)
}
}
impl AnnotatedForm {
/// Look for a root morpheme in the word using crude case checks.
pub fn find_root(&self) -> Option<&WordSegment> {
self.segments
.as_ref()
.and_then(|segments| segments.iter().find(|seg| is_root_morpheme(&seg.gloss)))
}
/// Find a morpheme within this word with the given exact gloss.
pub fn find_morpheme(&self, gloss: &str) -> Option<&WordSegment> {
self.segments
.as_ref()
.and_then(|segments| segments.iter().find(|seg| seg.gloss == gloss))
}
/// Are there any unidentified segments within this word? Just checks if
/// there are morphemes or glosses consisting of a question mark "?"
pub fn is_unresolved(&self) -> bool {
if let Some(segments) = &self.segments {
segments
.iter()
.any(|segment| segment.morpheme.contains('?') || segment.gloss.contains('?'))
} else {
self.source.contains('?')
}
}
}
/// Is the given gloss for a root morpheme? This is a crude calculation that just
/// checks if there are any lowercase characters. Convention says that typically
/// functional morpheme tags are all uppercase (plus numbers and punctuation),
/// so having lowercase characters indicates a lexical morpheme gloss.
pub fn is_root_morpheme(s: &str) -> bool {
s.contains(|c: char| c.is_lowercase())
}
/// A single word in an annotated document that can be edited.
/// All fields except id are optional.
#[derive(async_graphql::InputObject)]
pub struct AnnotatedFormUpdate {
/// Unique identifier of the form
pub id: Uuid,
/// Possible update to source content
pub source: MaybeUndefined<String>,
/// Possible update to commentary
pub commentary: MaybeUndefined<String>,
/// Updated segments
pub segments: MaybeUndefined<Vec<MorphemeSegmentUpdate>>,
}
/// Trait that defines function which takes in a possibly undefined value.
pub trait MaybeUndefinedExt<T> {
/// If the given value is undefined, convert into a vector of option. Otherwise, return an empty vector.
fn into_vec(self) -> Vec<Option<T>>;
}
impl<T> MaybeUndefinedExt<T> for MaybeUndefined<T> {
fn into_vec(self) -> Vec<Option<T>> {
if self.is_undefined() {
return Vec::new();
} else {
return vec![self.take()];
};
}
}