-
Notifications
You must be signed in to change notification settings - Fork 24
/
Copy pathdocument.js
322 lines (286 loc) · 8.24 KB
/
document.js
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
import { getOwner } from "@ember/application";
import { assert } from "@ember/debug";
import { associateDestroyableChild } from "@ember/destroyable";
import jexl from "jexl";
import { cached } from "tracked-toolbox";
import { decodeId } from "@projectcaluma/ember-core/helpers/decode-id";
import {
intersects,
mapby,
flatten,
} from "@projectcaluma/ember-core/utils/jexl";
import Base from "@projectcaluma/ember-form/lib/base";
const onlyNumbers = (nums) =>
nums.filter((num) => !isNaN(num) && typeof num === "number");
const sum = (nums) => nums.reduce((num, base) => base + num, 0);
/**
* Object which represents a document
*
* @class Document
*/
export default class Document extends Base {
constructor({ raw, parentDocument, dataSourceContext, ...args }) {
assert(
"A graphql document `raw` must be passed",
raw?.__typename === "Document",
);
super({ raw, ...args });
this.parentDocument = parentDocument;
this.dataSourceContext =
dataSourceContext ?? parentDocument?.dataSourceContext;
this.pushIntoStore();
this._createRootForm();
this._createFieldsets();
}
_createRootForm() {
const owner = getOwner(this);
this.rootForm =
this.calumaStore.find(`Form:${this.raw.rootForm.slug}`) ||
new (owner.factoryFor("caluma-model:form").class)({
raw: this.raw.rootForm,
owner,
});
}
_createFieldsets() {
const owner = getOwner(this);
this.fieldsets = this.raw.forms.map((form) => {
return associateDestroyableChild(
this,
this.calumaStore.find(`${this.pk}:Form:${form.slug}`) ||
new (owner.factoryFor("caluma-model:fieldset").class)({
raw: { form, answers: this.raw.answers },
document: this,
owner,
}),
);
});
}
/**
* The parent document of this document. If this is set, the document is most
* likely a table row.
*
* @property {Document} parentDocument
*/
parentDocument = null;
/**
* The root form of this document
*
* @property {Form} rootForm
*/
rootForm = null;
/**
* The fieldsets of this document
*
* @property {Fieldset[]} fieldsets
*/
fieldsets = [];
/**
* Context object for data sources
*
* @property {Object} dataSourceContext
*/
dataSourceContext = null;
/**
* The primary key of the document.
*
* @property {String} pk
*/
@cached
get pk() {
return `Document:${this.uuid}`;
}
/**
* The uuid of the document
*
* @property {String} uuid
*/
@cached
get uuid() {
return decodeId(this.raw.id);
}
@cached
get workItemUuid() {
// The document is either directly attached to a work item (via
// CompleteTaskFormTask) or it's the case document and therefore
// indirectly attached to a work item (via CompleteWorkflowFormTask)
const rawId =
this.raw.workItem?.id ||
this.raw.case?.workItems.edges.find(
(edge) => edge.node.task.__typename === "CompleteWorkflowFormTask",
)?.node.id;
return rawId ? decodeId(rawId) : null;
}
/**
* All fields of all fieldsets of this document
*
* @property {Field[]} fields
*/
@cached
get fields() {
return this.fieldsets.flatMap((fieldset) => fieldset.fields);
}
/**
* The JEXL object for evaluating jexl expressions on this document
*
* @property {JEXL} jexl
*/
@cached
get jexl() {
const documentJexl = new jexl.Jexl();
// WARNING: When adding a new transform or operator, make sure to add it in
// `packages/form-builder/addon/validators/jexl.js` as well for the
// validation in the form builder.
documentJexl.addTransform("answer", (slug, defaultValue) =>
this.findAnswer(slug, defaultValue),
);
documentJexl.addTransform("mapby", mapby);
documentJexl.addBinaryOp("intersects", 20, intersects);
documentJexl.addTransform("debug", (any, label = "JEXL Debug") => {
// eslint-disable-next-line no-console
console.debug(`${label}:`, any);
return any;
});
documentJexl.addTransform("min", (arr) => {
const nums = onlyNumbers(arr);
return nums.length ? Math.min(...nums) : null;
});
documentJexl.addTransform("max", (arr) => {
const nums = onlyNumbers(arr);
return nums.length ? Math.max(...nums) : null;
});
documentJexl.addTransform("round", (num, places = 0) =>
!onlyNumbers([num]).length
? null
: Math.round(num * Math.pow(10, places)) / Math.pow(10, places),
);
documentJexl.addTransform("ceil", (num) =>
!onlyNumbers([num]).length ? null : Math.ceil(num),
);
documentJexl.addTransform("floor", (num) =>
!onlyNumbers([num]).length ? null : Math.floor(num),
);
documentJexl.addTransform("sum", (arr) => sum(onlyNumbers(arr)));
documentJexl.addTransform("avg", (arr) => {
const nums = onlyNumbers(arr);
return nums.length ? sum(nums) / nums.length : null;
});
documentJexl.addTransform("stringify", (input) => JSON.stringify(input));
documentJexl.addTransform("flatten", flatten);
documentJexl.addTransform("length", (input) => {
if (input?.length !== undefined) {
// strings, arrays
return input.length;
} else if (input instanceof Object) {
// objects
return Object.keys(input).length;
}
return null;
});
return documentJexl;
}
/**
* The JEXL context object for passing to the evaluation of jexl expessions
*
* @property {Object} jexlContext
*/
get jexlContext() {
const _case = this.raw.workItem?.case ?? this.raw.case;
return (
this.parentDocument?.jexlContext ?? {
// JEXL interprets null in an expression as variable instead of a
// primitive. This resolves that issue.
null: null,
form: this.rootForm.slug,
info: {
root: {
form: this.rootForm.slug,
formMeta: this.rootForm.raw.meta,
},
case: {
form: _case?.document?.form.slug,
workflow: _case?.workflow.slug,
root: {
form: _case?.family.document?.form.slug,
workflow: _case?.family.workflow.slug,
},
},
},
}
);
}
/**
* Object representation of a document. The question slug as key and the
* answer value as value. E.g:
*
* ```json
* {
* "some-question": "Test Value",
* "some-other-question": 123,
* }
* ```
*
* This is needed for comparing a table row with the table questions default
* answer.
*
* @property {Object} flatAnswerMap
*/
@cached
get flatAnswerMap() {
return this.fields.reduce(
(answerMap, field) => ({
...answerMap,
[field.question.slug]: field.value,
}),
{},
);
}
/**
* Find an answer for a given question slug
*
* @param {String} slug The slug of the question to find the answer for
* @param {*} defaultValue The value that will be returned if the question doesn't exist
* @return {*} The answer to the given question
*/
findAnswer(slug, defaultValue) {
const field = this.findField(slug);
const hasDefault = !(defaultValue === undefined);
if (!field) {
if (!hasDefault) {
throw new Error(`Field for question \`${slug}\` could not be found`);
}
return defaultValue;
}
const emptyValue =
field.question.isTable || field.question.isMultipleChoice ? [] : null;
if (field.hidden) {
return emptyValue;
}
if ([undefined, null].includes(field.value)) {
return hasDefault ? defaultValue : emptyValue;
}
if (field.question.isTable) {
return field.value.map((doc) =>
doc.fields
.filter((field) => !field.hidden)
.reduce((obj, tableField) => {
return {
...obj,
[tableField.question.slug]: tableField.value,
};
}, {}),
);
}
return field.value;
}
/**
* Find a field in the document by a given question slug
*
* @param {String} slug The slug of the wanted field
* @return {Field} The wanted field
*/
findField(slug) {
return [...this.fields, ...(this.parentDocument?.fields ?? [])].find(
(field) => field.question.slug === slug,
);
}
}