-
Notifications
You must be signed in to change notification settings - Fork 3
Expand file tree
/
Copy pathplugin.js
More file actions
193 lines (172 loc) · 5.04 KB
/
plugin.js
File metadata and controls
193 lines (172 loc) · 5.04 KB
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
/**
* Defines a set of rules the annotator must follow so good quality can be guaranteed. If the rules are not follow,
* it will pause the annotator
*/
/**
* Rules configuration for pausing the annotation
*
* `fields` describe per-field rules in a format
* <field-name>: [<rule>(<optional params for the rule>)]
* `global` is for rules applied to the whole annotation
*/
const RULES = {
fields: {
comment: [timesInARow(3)],
sentiment: [tooSimilar()],
},
global: [tooFast()],
};
/**
* Messages for users when they are paused.
*
* Each message is a function with the same name as original rule and it receives an object with
* `items` and `field`.
*/
const MESSAGES = {
timesInARow: ({ field }) => `Too many similar values for ${field}`,
tooSimilar: ({ field }) => `Too similar values for ${field}`,
tooFast: () => "Too fast annotations",
};
/**
* All Available rules are below.
*
* They recieve params and return function which recieves `items` and optional `field`.
* If condition is met it returns warning message. If not — returns `false`.
*/
/**
* Validates if values for the `field` in last `times` items are the same
*/
function timesInARow(times) {
return (items, field) => {
if (items.length < times) return false;
const last = String(items.at(-1).values[field]);
return items
.slice(-times)
.every((item) => String(item.values[field]) === last)
? MESSAGES.timesInARow({ items, field })
: false;
};
}
/**
* Validates if the annotations are too similar (`deviation`) with the given frequency (`max_count`)
*/
function tooSimilar(deviation = 0.1, max_count = 10) {
return (items, field) => {
if (items.length < max_count) return false;
const values = items.map((item) => item.values[field]);
const points = values.map((v) => values.indexOf(v));
return calcDeviation(points) < deviation
? MESSAGES.tooSimilar({ items, field })
: false;
};
}
/**
* Validates the annotations are less than `times` in the given time window (`minutes`)
*/
function tooFast(minutes = 10, times = 20) {
return (items) => {
if (items.length < times) return false;
const last = items.at(-1);
const first = items.at(-times);
return last.created_at - first.created_at < minutes * 60
? MESSAGES.tooFast({ items })
: false;
};
}
/**
* Internal code for calculating the deviation and provide faster accessors
*/
const project = DM.project?.id;
if (!project) throw new Error("Project is not initialized");
const key = ["__pause_stats", project].join("|");
const fields = Object.keys(RULES.fields);
// { sentiment: ["positive", ...], comment: undefined }
const values = Object.fromEntries(
fields.map((field) => [field, DM.project.parsed_label_config[field]?.labels]),
);
// simplified version of MSE with normalized x-axis
function calcDeviation(data) {
const n = data.length;
// we normalize indices from -n/2 to n/2 so meanX is 0
const mid = n / 2;
const mean = data.reduce((a, b) => a + b) / n;
const k =
data.reduce((a, b, i) => a + (b - mean) * (i - mid), 0) /
data.reduce((a, b, i) => a + (i - mid) ** 2, 0);
const mse =
data.reduce((a, b, i) => a + (b - (k * (i - mid) + mean)) ** 2, 0) / n;
return Math.abs(mse);
}
// When triggering the submission of the annotation, it will check the annotators are following the predefined `RULES`
// and they will be paused otherwise
LSI.on("submitAnnotation", async (_store, annotation) => {
const results = annotation.serializeAnnotation();
// { sentiment: "positive", comment: "good" }
const values = {};
for (const field of fields) {
const value = results.find((r) => r.from_name === field)?.value;
if (!value) return;
if (value.choices) values[field] = value.choices.join("|");
else if (value.text) values[field] = value.text;
}
let stats = [];
try {
stats = JSON.parse(localStorage.getItem(key)) ?? [];
} catch (e) {
// Ignore parse errors
}
stats.push({ values, created_at: Date.now() / 1000 });
for (const rule of RULES.global) {
const result = rule(stats);
if (result) {
localStorage.setItem(key, "[]");
try {
await pause(result);
} catch (error) {
Htx.showModal(error.message, "error");
}
return;
}
}
for (const field of fields) {
if (!values[field]) continue;
for (const rule of RULES.fields[field]) {
const result = rule(stats, field);
if (result) {
localStorage.setItem(key, "[]");
try {
await pause(result);
} catch (error) {
Htx.showModal(error.message, "error");
}
return;
}
}
}
localStorage.setItem(key, JSON.stringify(stats));
});
/**
* Sends a request to the API to pause an annotator
*/
async function pause(verbose_reason) {
const body = {
reason: "CUSTOM_SCRIPT",
verbose_reason,
};
const options = {
method: "POST",
headers: { "Content-Type": "application/json" },
body: JSON.stringify(body),
};
const response = await fetch(
`/api/projects/${project}/members/${Htx.user.id}/pauses`,
options,
);
if (!response.ok) {
throw new Error(
`Error pausing the annotator: ${response.status} ${response.statusText}`,
);
}
const data = await response.json();
return data;
}