mirror of
https://gitlab.ub.uni-bielefeld.de/sfb1288inf/nopaque.git
synced 2025-04-06 01:04:22 +00:00
Cleanup and documentation.
This commit is contained in:
parent
ad636d308d
commit
8083382046
@ -133,7 +133,12 @@ class Client {
|
|||||||
last_cpos: tmp_last_cpos,});
|
last_cpos: tmp_last_cpos,});
|
||||||
}
|
}
|
||||||
|
|
||||||
//
|
/**
|
||||||
|
* Gets results data either for, 'full-results' or 'sub-results'
|
||||||
|
* Gets results for every provided dataIndex (one match) without full
|
||||||
|
* context. Because no context is needed the results data is gathered locally
|
||||||
|
* from results.data and not from the server.
|
||||||
|
**/
|
||||||
getResultsDataWithoutContext(resultsType, dataIndexes, results, resultsList) {
|
getResultsDataWithoutContext(resultsType, dataIndexes, results, resultsList) {
|
||||||
this.notifyView('results-data-recieving', {fullContext: false});
|
this.notifyView('results-data-recieving', {fullContext: false});
|
||||||
let objectKey = '';
|
let objectKey = '';
|
||||||
|
@ -70,6 +70,12 @@ function saveQueryData() {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* This callback gets the results data for the export. Either requesting it
|
||||||
|
* whith full context from the server or gets it locally without full context
|
||||||
|
* from the already present results.data. Result data is identified with the
|
||||||
|
* dataIndexes. On index is one match.
|
||||||
|
*/
|
||||||
function getResultsData() {
|
function getResultsData() {
|
||||||
let [resultsType, dataIndexes, resultsList, client, results, rest] = arguments;
|
let [resultsType, dataIndexes, resultsList, client, results, rest] = arguments;
|
||||||
client.isBusy = true;
|
client.isBusy = true;
|
||||||
@ -83,6 +89,10 @@ function getResultsData() {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Handles incoming results whcih have been requestes via getResultsData(). and
|
||||||
|
* saves the data accorindgly into the results object.
|
||||||
|
*/
|
||||||
function saveResultsData() {
|
function saveResultsData() {
|
||||||
let [payload, type, client, results, rest] = arguments;
|
let [payload, type, client, results, rest] = arguments;
|
||||||
let objectKey = '';
|
let objectKey = '';
|
||||||
|
@ -186,7 +186,6 @@ function recieveViewNotification(type, client) {
|
|||||||
default:
|
default:
|
||||||
console.error('Recieved unkown notification case identifier from View');
|
console.error('Recieved unkown notification case identifier from View');
|
||||||
// do something to not crash the analysis session?
|
// do something to not crash the analysis session?
|
||||||
// maybe unnecessary?
|
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
@ -4,6 +4,7 @@
|
|||||||
* classes combined in the Results class define the Model.
|
* classes combined in the Results class define the Model.
|
||||||
*/
|
*/
|
||||||
|
|
||||||
|
// Results class bundleing the different data objects.
|
||||||
class Results {
|
class Results {
|
||||||
constructor() {
|
constructor() {
|
||||||
this.data = new Data();
|
this.data = new Data();
|
||||||
@ -14,6 +15,7 @@ class Results {
|
|||||||
console.info('Initialized the Results object.');
|
console.info('Initialized the Results object.');
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Reset all the data objects in the results class and thus emptying them.
|
||||||
init() {
|
init() {
|
||||||
this.data.init();
|
this.data.init();
|
||||||
this.metaData.init();
|
this.metaData.init();
|
||||||
@ -24,19 +26,43 @@ class Results {
|
|||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Class that defines the actual data objects holding the results data
|
||||||
|
* requested by the client. Data can be the results of a query, full results
|
||||||
|
* data for the export, sub results data for the export or inspect results data.
|
||||||
|
* All kinds are structured the same way.
|
||||||
|
*/
|
||||||
class Data {
|
class Data {
|
||||||
// Sets empty object structure. Also usefull to delete old results.
|
/**
|
||||||
// matchCount default is 0
|
* Sets empty object structure. Also usefull to delete old results.
|
||||||
|
* MatchCount default is 0.
|
||||||
|
*/
|
||||||
init(matchCount=0, type="results") {
|
init(matchCount=0, type="results") {
|
||||||
this.matches = []; // list of all c with lc and rc
|
// List of all c with lc and rc CPOS.
|
||||||
this.cpos_lookup = {}; // object contains all this key value pair
|
this.matches = [];
|
||||||
this.text_lookup = {}; // same as above for all text ids
|
/**
|
||||||
|
* CPOS lookup object. CPOS are the key and value are infos about the CPOS
|
||||||
|
* like lemma, ner, pos, text ID etc. CPOS from the matches correspond to
|
||||||
|
* exactly one object in the cpos_lookup.
|
||||||
|
*/
|
||||||
|
this.cpos_lookup = {};
|
||||||
|
/**
|
||||||
|
* Same like above but for text IDs. One CPOS object always has a text ID
|
||||||
|
* referencing on text object in the text_lookup. Text ID is the key. Values
|
||||||
|
* are author, publishing year etc.
|
||||||
|
*/
|
||||||
|
this.text_lookup = {};
|
||||||
this.match_count = matchCount;
|
this.match_count = matchCount;
|
||||||
this.corpus_type = 'results';
|
this.corpus_type = 'results';
|
||||||
this.cpos_ranges = null;
|
this.cpos_ranges = null;
|
||||||
this.query = '';
|
this.query = '';
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Function to add json data/object data to this data instance.
|
||||||
|
* If no key is specified the entire data will be assigned to this data
|
||||||
|
* instance.
|
||||||
|
*/
|
||||||
addData(jsonData, key=null) {
|
addData(jsonData, key=null) {
|
||||||
if (key !== null) {
|
if (key !== null) {
|
||||||
Object.assign(this[key], jsonData);
|
Object.assign(this[key], jsonData);
|
||||||
@ -45,7 +71,7 @@ class Data {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// get query as string from form Element
|
// Get query as a string from the form Element.
|
||||||
getQueryStr(queryFormElement) {
|
getQueryStr(queryFormElement) {
|
||||||
// gets query
|
// gets query
|
||||||
let queryFormData;
|
let queryFormData;
|
||||||
@ -55,7 +81,7 @@ class Data {
|
|||||||
this['query'] = queryStr;
|
this['query'] = queryStr;
|
||||||
}
|
}
|
||||||
|
|
||||||
// function creates a unique and safe filename for the download
|
// Function creates a unique and safe filename for the download.
|
||||||
createDownloadFilename(suffix) {
|
createDownloadFilename(suffix) {
|
||||||
let today = new Date();
|
let today = new Date();
|
||||||
let currentDate = `${today.getUTCFullYear()}` +
|
let currentDate = `${today.getUTCFullYear()}` +
|
||||||
@ -80,7 +106,7 @@ class Data {
|
|||||||
downloadElement.download = filename;
|
downloadElement.download = filename;
|
||||||
}
|
}
|
||||||
|
|
||||||
// function to download the results as JSON
|
// Function to download the results as JSON.
|
||||||
downloadJSONRessource(resultFilename, downloadData, downloadElement) {
|
downloadJSONRessource(resultFilename, downloadData, downloadElement) {
|
||||||
/**
|
/**
|
||||||
* Stringify JSON object for json download.
|
* Stringify JSON object for json download.
|
||||||
@ -93,6 +119,10 @@ class Data {
|
|||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Similar to the data class but just intended for meta data about the current
|
||||||
|
* corpus the client is working with.
|
||||||
|
*/
|
||||||
class MetaData {
|
class MetaData {
|
||||||
// Sets empty object structure when no input is given.
|
// Sets empty object structure when no input is given.
|
||||||
// if json object like input is given class fields are created from this
|
// if json object like input is given class fields are created from this
|
||||||
@ -101,4 +131,9 @@ class MetaData {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
export {Results, Data, MetaData};
|
// Export the classes
|
||||||
|
export {
|
||||||
|
Results,
|
||||||
|
Data,
|
||||||
|
MetaData
|
||||||
|
};
|
@ -1,5 +1,5 @@
|
|||||||
/**
|
/**
|
||||||
* This class implements a NotificationListener that is listening for the
|
* This class implements a ViewEventListener that is listening for the
|
||||||
* specified
|
* specified
|
||||||
*/
|
*/
|
||||||
class ViewEventListener {
|
class ViewEventListener {
|
||||||
@ -43,16 +43,23 @@ class ResultsList extends List {
|
|||||||
*/
|
*/
|
||||||
this.eventTokens = {};
|
this.eventTokens = {};
|
||||||
/**
|
/**
|
||||||
* all token elements which have added
|
* All token elements which have added classes like chip and hoverable for
|
||||||
* classes like chip and hoverable for expert view. Collected
|
* expert view. Collected here to delete later on.
|
||||||
* here to delete later on
|
*/
|
||||||
*/
|
|
||||||
this.currentExpertTokenElements = {};
|
this.currentExpertTokenElements = {};
|
||||||
// TODO: Rename both variables to something more descreptive and clear
|
/**
|
||||||
// holds True/false for check buttons used to add matches tu sub-results. If checked, it is True. If unchecked, it is false. Buttons for this have the class add. Those little round check buttons.
|
* Holds True/false for check buttons used to add matches to sub-results.
|
||||||
|
* If checked, it is True. If unchecked, it is false. Buttons for this
|
||||||
|
* have the class add. The ittle round check buttons to add matches to sub
|
||||||
|
* results.
|
||||||
|
*/
|
||||||
this.addToSubResultsStatus = {};
|
this.addToSubResultsStatus = {};
|
||||||
this.addToSubResultsIdsToShow = new Set(); // If check button is pressed its corresponding data_index is saved in this set. The set is shown to the user.
|
/**
|
||||||
// notification listeners listening for client notifications (or other in the future?)
|
* If a check button is pressed its corresponding data_index is saved in
|
||||||
|
* this set. The set is shown to the user.
|
||||||
|
*/
|
||||||
|
this.addToSubResultsIdsToShow = new Set();
|
||||||
|
// ViewEventListeners listening for client notifications.
|
||||||
this.notificationListeners = {};
|
this.notificationListeners = {};
|
||||||
this.knownHTMLElements = new Set();
|
this.knownHTMLElements = new Set();
|
||||||
}
|
}
|
||||||
@ -80,8 +87,11 @@ class ResultsList extends List {
|
|||||||
* class field in the ResultsList object with the query selector
|
* class field in the ResultsList object with the query selector
|
||||||
* string as the key. The selector will be converted to a valid JavaScript
|
* string as the key. The selector will be converted to a valid JavaScript
|
||||||
* Field name i. e. #html-id-string -> this.htmlIdString
|
* Field name i. e. #html-id-string -> this.htmlIdString
|
||||||
* The value will be the identifed element or elements fetched with the querySelector
|
* The value will be the identifed element or elements fetched with the
|
||||||
* method.
|
* querySelector respectively querySelectorAll method.
|
||||||
|
* If the query selector is passed as an Array of length 2, with the second
|
||||||
|
* element defining modal options, teh identified element will be initialized
|
||||||
|
* as a modal with the given options.
|
||||||
*/
|
*/
|
||||||
getHTMLElements(arrayOfSelectors) {
|
getHTMLElements(arrayOfSelectors) {
|
||||||
for (let selector of arrayOfSelectors) {
|
for (let selector of arrayOfSelectors) {
|
||||||
@ -116,7 +126,7 @@ class ResultsList extends List {
|
|||||||
cleanKey[0] = cleanKey[0].toLowerCase();
|
cleanKey[0] = cleanKey[0].toLowerCase();
|
||||||
cleanKey = cleanKey.join('');
|
cleanKey = cleanKey.join('');
|
||||||
this[cleanKey] = element ? element: elements;
|
this[cleanKey] = element ? element: elements;
|
||||||
// Initialize current element as modal if true.
|
// Initialize current element as modal if modalInit true.
|
||||||
if (modalInit) {
|
if (modalInit) {
|
||||||
this[cleanKey] = M.Modal.init(this[cleanKey], options);
|
this[cleanKey] = M.Modal.init(this[cleanKey], options);
|
||||||
}
|
}
|
||||||
@ -127,20 +137,20 @@ class ResultsList extends List {
|
|||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Register notificationListeners to the ResultsList. Which will listen for
|
* Register ViewEventListeners to the ResultsList. Which will listen for
|
||||||
* the specified event.
|
* the specified event.
|
||||||
*/
|
*/
|
||||||
setNotificationListeners(notificationListeners) {
|
setViewEventListeners(notificationListeners) {
|
||||||
for (let notificationListener of notificationListeners) {
|
for (let notificationListener of notificationListeners) {
|
||||||
this.notificationListeners[notificationListener.type] = notificationListener;
|
this.notificationListeners[notificationListener.type] = notificationListener;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Loads the notificationListeners so that hey will be listening to their
|
* Loads the ViewEventListeners so that hey will be listening to their
|
||||||
* assigned custom events.
|
* assigned custom events.
|
||||||
*/
|
*/
|
||||||
loadNotificationListeners() {
|
loadViewEventListeners() {
|
||||||
for (let [type, listener] of Object.entries(this.notificationListeners)) {
|
for (let [type, listener] of Object.entries(this.notificationListeners)) {
|
||||||
listener.listenerFunction(type, this);
|
listener.listenerFunction(type, this);
|
||||||
}
|
}
|
||||||
@ -165,8 +175,10 @@ class ResultsList extends List {
|
|||||||
let c;
|
let c;
|
||||||
let rc;
|
let rc;
|
||||||
if (cpos_ranges) {
|
if (cpos_ranges) {
|
||||||
// python range like function from MDN
|
/**
|
||||||
// https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/from#Sequence_generator_(range)
|
* Python range like function from MDN
|
||||||
|
* https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/from#Sequence_generator_(range)
|
||||||
|
*/
|
||||||
const range = (start, stop, step) => Array.from({ length: (stop - start) / step + 1}, (_, i) => start + (i * step));
|
const range = (start, stop, step) => Array.from({ length: (stop - start) / step + 1}, (_, i) => start + (i * step));
|
||||||
lc = range(cpos_values.lc[0], cpos_values.lc[1], 1)
|
lc = range(cpos_values.lc[0], cpos_values.lc[1], 1)
|
||||||
c = range(cpos_values.c[0], cpos_values.c[1], 1)
|
c = range(cpos_values.c[0], cpos_values.c[1], 1)
|
||||||
@ -179,30 +191,7 @@ class ResultsList extends List {
|
|||||||
return {lc: lc, c: c, rc: rc};
|
return {lc: lc, c: c, rc: rc};
|
||||||
}
|
}
|
||||||
|
|
||||||
// handels interactionElements during a pagination navigation
|
// Get display options from display options form element.
|
||||||
// loops over interactionElements and executes callback functions accordingly
|
|
||||||
pageChangeEventInteractionHandler(interactionElements) {
|
|
||||||
// get elements to check thier status
|
|
||||||
for (let interaction of interactionElements.interactions) {
|
|
||||||
if (interaction.checkStatus) {
|
|
||||||
if (interaction.element.checked) {
|
|
||||||
let f_on = interaction.bindThisToCallback("on");
|
|
||||||
let args_on = interaction.callbacks.on.args;
|
|
||||||
f_on(...args_on);
|
|
||||||
} else {
|
|
||||||
let f_off = interaction.bindThisToCallback("off");
|
|
||||||
let args_off = interaction.callbacks.off.args;
|
|
||||||
f_off(...args_off);
|
|
||||||
}
|
|
||||||
} else {
|
|
||||||
let f = interaction.bindThisToCallback("noCheck");
|
|
||||||
let args = interaction.callbacks.noCheck.args;
|
|
||||||
f(...args);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// get display options from display options form element
|
|
||||||
static getDisplayOptions(htmlId) {
|
static getDisplayOptions(htmlId) {
|
||||||
// gets display options parameters
|
// gets display options parameters
|
||||||
let displayOptionsFormElement = document.getElementById(htmlId);
|
let displayOptionsFormElement = document.getElementById(htmlId);
|
||||||
@ -215,48 +204,56 @@ class ResultsList extends List {
|
|||||||
};
|
};
|
||||||
return displayOptionsData
|
return displayOptionsData
|
||||||
}
|
}
|
||||||
|
/**
|
||||||
// Used in addToSubResults and inspect to toggle the design of the check
|
* Used in addToSubResults and inspect to toggle the design of the check
|
||||||
// buttons according to its checked unchecked status.
|
* buttons according to its checked unchecked status.
|
||||||
|
*/
|
||||||
helperActivateAddBtn(btn) {
|
helperActivateAddBtn(btn) {
|
||||||
btn.classList.remove("corpus-analysis-color.lighten");
|
btn.classList.remove("corpus-analysis-color.lighten");
|
||||||
btn.classList.add("green");
|
btn.classList.add("green");
|
||||||
btn.textContent = "check";
|
btn.textContent = "check";
|
||||||
}
|
}
|
||||||
|
|
||||||
// Used in addToSubResults and inspect to toggle the design of the check
|
/**
|
||||||
// buttons according to its checked unchecked status.
|
* Used in addToSubResults and inspect to toggle the design of the check
|
||||||
|
* buttons according to its checked unchecked status.
|
||||||
|
*/
|
||||||
helperDeactivateAddBtn(btn) {
|
helperDeactivateAddBtn(btn) {
|
||||||
btn.classList.remove("green");
|
btn.classList.remove("green");
|
||||||
btn.classList.add("corpus-analysis-color.lighten");
|
btn.classList.add("corpus-analysis-color.lighten");
|
||||||
btn.textContent = "add";
|
btn.textContent = "add";
|
||||||
}
|
}
|
||||||
|
/**
|
||||||
// Either adds or removes a match to the sub-results. For this it checks
|
* Either adds or removes a match to the sub-results. For this it checks
|
||||||
// onclick if the current button has been checked or not. For this the
|
* onclick if the current button has been checked or not. For this the
|
||||||
// function checks if its status in addToSubResultsStatus is either flase or
|
* function checks if its status in addToSubResultsStatus is either flase or
|
||||||
// true. Adds match to sub-results if status is false if status is true it
|
* true. Adds match to sub-results if status is false if status is true it
|
||||||
// removes it.
|
* removes it.
|
||||||
|
*/
|
||||||
addToSubResults(dataIndex, client, tableCall=true) {
|
addToSubResults(dataIndex, client, tableCall=true) {
|
||||||
if (!this.addToSubResultsStatus[dataIndex]
|
if (!this.addToSubResultsStatus[dataIndex]
|
||||||
|| this.addToSubResultsStatus === undefined) {
|
|| this.addToSubResultsStatus === undefined) {
|
||||||
// add button is activated because status is either false or undefined
|
// add button is activated because status is either false or undefined
|
||||||
this.helperActivateAddBtn(event.target);
|
this.helperActivateAddBtn(event.target);
|
||||||
this.addToSubResultsStatus[dataIndex] = true; // sets status to true
|
this.addToSubResultsStatus[dataIndex] = true;
|
||||||
this.addToSubResultsIdsToShow.add(dataIndex + 1); // + 1 because user does not see zero indexd data indexes
|
// Add 1 because indexes are zero based. User sees 1 based numbering.
|
||||||
this.subResultsMatchIds.textContent = [...this.addToSubResultsIdsToShow].sort(function(a, b){return a-b}).join(", "); // automaticalle sorts ids into the textarea in ascending order
|
this.addToSubResultsIdsToShow.add(dataIndex + 1);
|
||||||
M.textareaAutoResize(this.subResultsMatchIds); // after an insert textarea has to be resized manually
|
// Allways sort the shown indexes for the user if new match is added.
|
||||||
|
this.subResultsMatchIds.textContent = [...this.addToSubResultsIdsToShow].sort(function(a, b){return a-b}).join(", ");
|
||||||
|
M.textareaAutoResize(this.subResultsMatchIds);
|
||||||
this.nrMarkedMatches.textContent = [...this.addToSubResultsIdsToShow].length;
|
this.nrMarkedMatches.textContent = [...this.addToSubResultsIdsToShow].length;
|
||||||
} else if (this.addToSubResultsStatus[dataIndex]) {
|
} else if (this.addToSubResultsStatus[dataIndex]) {
|
||||||
// add button is deactivated because status is true
|
// add button is deactivated because status is true
|
||||||
this.helperDeactivateAddBtn(event.target);
|
this.helperDeactivateAddBtn(event.target);
|
||||||
this.addToSubResultsStatus[dataIndex] = false; // sets status to false
|
this.addToSubResultsStatus[dataIndex] = false;
|
||||||
this.addToSubResultsIdsToShow.delete(dataIndex + 1); // + 1 because user does not see zero indexd data indexes
|
// Add 1 because indexes are zero based. User sees 1 based numbering.
|
||||||
this.subResultsMatchIds.textContent = [...this.addToSubResultsIdsToShow].sort(function(a, b){return a-b}).join(", "); // automaticalle sorts ids into the textarea in ascending order
|
this.addToSubResultsIdsToShow.delete(dataIndex + 1);
|
||||||
|
// Allways sort the shown indexes for the user if new match is added.
|
||||||
|
this.subResultsMatchIds.textContent = [...this.addToSubResultsIdsToShow].sort(function(a, b){return a-b}).join(", ");
|
||||||
this.nrMarkedMatches.textContent = [...this.addToSubResultsIdsToShow].length;
|
this.nrMarkedMatches.textContent = [...this.addToSubResultsIdsToShow].length;
|
||||||
M.textareaAutoResize(this.subResultsMatchIds); // after an insert textarea has to be resized manually
|
M.textareaAutoResize(this.subResultsMatchIds);
|
||||||
}
|
}
|
||||||
// Toggles the create button according to the number of ids in addToSubResultsIdsToShow
|
// Toggles create button according to the number of ids in addToSubResultsIdsToShow
|
||||||
if ([...this.addToSubResultsIdsToShow].length > 0 && !client.isBusy) {
|
if ([...this.addToSubResultsIdsToShow].length > 0 && !client.isBusy) {
|
||||||
this.subResultsCreate.classList.toggle('disabled', false);
|
this.subResultsCreate.classList.toggle('disabled', false);
|
||||||
} else if ([...this.addToSubResultsIdsToShow].length === 0) {
|
} else if ([...this.addToSubResultsIdsToShow].length === 0) {
|
||||||
@ -270,7 +267,7 @@ class ResultsList extends List {
|
|||||||
this.subResultsExport.classList.add("hide");
|
this.subResultsExport.classList.add("hide");
|
||||||
this.subResultsCreate.classList.remove("hide");
|
this.subResultsCreate.classList.remove("hide");
|
||||||
/**
|
/**
|
||||||
* Also activate/deactivate buttons in the table/jsList results accordingly
|
* Also activate/deactivate buttons in the table/resultsList accordingly
|
||||||
* if button in inspect was activated/deactivated.
|
* if button in inspect was activated/deactivated.
|
||||||
* This part only runs if tableCall is set to false when this function is
|
* This part only runs if tableCall is set to false when this function is
|
||||||
* called.
|
* called.
|
||||||
@ -287,8 +284,7 @@ class ResultsList extends List {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// ###### Functions to inspect one match, to show more details ######
|
// Toggle inspect buttons depending on the Client status
|
||||||
// Activate inspect buttons depending on the Client status
|
|
||||||
toggleInspectButtons(client) {
|
toggleInspectButtons(client) {
|
||||||
if (!client.isBusy) {
|
if (!client.isBusy) {
|
||||||
this.activateInspectButtons();
|
this.activateInspectButtons();
|
||||||
@ -297,7 +293,7 @@ class ResultsList extends List {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// Activate inspect buttons. Should be private if this is supported.
|
// Helper function. Should be private if feature is available.
|
||||||
activateInspectButtons() {
|
activateInspectButtons() {
|
||||||
let inspectBtnElements;
|
let inspectBtnElements;
|
||||||
inspectBtnElements = document.querySelectorAll('.inspect');
|
inspectBtnElements = document.querySelectorAll('.inspect');
|
||||||
@ -306,7 +302,7 @@ class ResultsList extends List {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// Deactivate inspect buttons. Should be private if this is supported.
|
// Helper function. Should be private if feature is available.
|
||||||
deactivateInspectButtons() {
|
deactivateInspectButtons() {
|
||||||
let inspectBtnElements;
|
let inspectBtnElements;
|
||||||
inspectBtnElements = document.querySelectorAll('.inspect');
|
inspectBtnElements = document.querySelectorAll('.inspect');
|
||||||
@ -314,10 +310,13 @@ class ResultsList extends List {
|
|||||||
inspectBtn.classList.toggle('disabled', true);
|
inspectBtn.classList.toggle('disabled', true);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
/**
|
||||||
// ### functions to inspect imported Matches
|
* Function to inspect one match in more detail (Showing more context).
|
||||||
// gets result cpos infos for dataIndexes (use list of length 1 for one match) to send back to
|
* If in dynamic mode the view notifies the client to requests the new
|
||||||
// the server
|
* context for the one match identified by the given dataIndex.
|
||||||
|
* If not in dynamic mode the the needed context will be gathered from the
|
||||||
|
* already present results in results.data.
|
||||||
|
*/
|
||||||
inspect(client, results, dataIndex, type) {
|
inspect(client, results, dataIndex, type) {
|
||||||
// initialize context modal
|
// initialize context modal
|
||||||
this.getHTMLElements([
|
this.getHTMLElements([
|
||||||
@ -326,31 +325,37 @@ class ResultsList extends List {
|
|||||||
'#create-inspect-menu',
|
'#create-inspect-menu',
|
||||||
'#create-from-inspect',
|
'#create-from-inspect',
|
||||||
]);
|
]);
|
||||||
// get result infos from server and show them in context modal
|
// Clear fields from old data on every new inspect() call.
|
||||||
this.contextId = dataIndex[0];
|
this.contextId = dataIndex[0];
|
||||||
this.contextResults.innerHTML = ""; // clear it from old inspects
|
this.contextResults.innerHTML = "";
|
||||||
if (client.dynamicMode) {
|
if (client.dynamicMode) {
|
||||||
|
// Notify Client to get results from server.
|
||||||
this.notifyClient('get-results', {resultsType: 'inspect-results',
|
this.notifyClient('get-results', {resultsType: 'inspect-results',
|
||||||
dataIndexes: [dataIndex],
|
dataIndexes: [dataIndex],
|
||||||
resultsList: this});
|
resultsList: this});
|
||||||
} else {
|
} else {
|
||||||
|
// Gather results data from already present data.
|
||||||
results.inspectResultsData.matches = [results.data.matches[dataIndex[0]]];
|
results.inspectResultsData.matches = [results.data.matches[dataIndex[0]]];
|
||||||
results.inspectResultsData.cpos_ranges = results.data.cpos_ranges;
|
results.inspectResultsData.cpos_ranges = results.data.cpos_ranges;
|
||||||
this.showMatchContext(results, client)
|
this.showMatchContext(results, client)
|
||||||
}
|
}
|
||||||
// match nr for user to display derived from data_index
|
// Match nr for user to display derived from data_index.
|
||||||
let contextMatchNrElement = document.getElementById("context-match-nr");
|
let contextMatchNrElement = document.getElementById("context-match-nr");
|
||||||
contextMatchNrElement.textContent = this.contextId + 1;
|
contextMatchNrElement.textContent = this.contextId + 1;
|
||||||
this.contextModal.open();
|
this.contextModal.open();
|
||||||
// add a button to add this match to sub results with onclick event
|
// Add the add button to add this match to sub results with onclick event.
|
||||||
let classes = `btn-floating btn waves-effect` +
|
let classes = `btn-floating btn waves-effect` +
|
||||||
` waves-light corpus-analysis-color.lighten right`
|
` waves-light corpus-analysis-color.lighten right`
|
||||||
let addToSubResultsIdsBtn = document.createElement("a");
|
let addToSubResultsIdsBtn = document.createElement("a");
|
||||||
addToSubResultsIdsBtn.setAttribute("class", classes + ` add`);
|
addToSubResultsIdsBtn.setAttribute("class", classes + ` add`);
|
||||||
addToSubResultsIdsBtn.innerHTML = '<i class="material-icons">add</i>';
|
addToSubResultsIdsBtn.innerHTML = '<i class="material-icons">add</i>';
|
||||||
addToSubResultsIdsBtn.onclick= () => {this.addToSubResults(dataIndex[0], client, false)};
|
addToSubResultsIdsBtn.onclick= () => {
|
||||||
// checks if the match has or has not been added to sub results yet
|
this.addToSubResults(dataIndex[0], client, false)
|
||||||
// sets the color and status of the button accordingly
|
};
|
||||||
|
/**
|
||||||
|
* Checks if the match has or has not been added to sub results yet.
|
||||||
|
* Sets the color and status of the button accordingly.
|
||||||
|
*/
|
||||||
if (this.addToSubResultsStatus[dataIndex[0]]) {
|
if (this.addToSubResultsStatus[dataIndex[0]]) {
|
||||||
this.helperActivateAddBtn(addToSubResultsIdsBtn.firstElementChild);
|
this.helperActivateAddBtn(addToSubResultsIdsBtn.firstElementChild);
|
||||||
} else if (!this.addToSubResultsStatus[dataIndex[0]]) {
|
} else if (!this.addToSubResultsStatus[dataIndex[0]]) {
|
||||||
@ -358,25 +363,27 @@ class ResultsList extends List {
|
|||||||
}
|
}
|
||||||
this.createInspectMenu.innerHTML = '';
|
this.createInspectMenu.innerHTML = '';
|
||||||
this.createInspectMenu.appendChild(addToSubResultsIdsBtn);
|
this.createInspectMenu.appendChild(addToSubResultsIdsBtn);
|
||||||
// Hide create menu if not in dynamic mode
|
// Hide create menu if not in dynamic mode.
|
||||||
if (!client.dynamicMode) {
|
if (!client.dynamicMode) {
|
||||||
this.createFromInspect.classList.add('hide');
|
this.createFromInspect.classList.add('hide');
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
/**
|
||||||
// create Element from HTML String helper function
|
* Create Element from HTML String. Helper function should be private.
|
||||||
|
* https://stackoverflow.com/questions/494143/creating-a-new-dom-element-from-an-html-string-using-built-in-dom-methods-or-pro/35385518#35385518
|
||||||
|
*/
|
||||||
HTMLTStrToElement(htmlStr) {
|
HTMLTStrToElement(htmlStr) {
|
||||||
// https://stackoverflow.com/questions/494143/creating-a-new-dom-element-from-an-html-string-using-built-in-dom-methods-or-pro/35385518#35385518
|
|
||||||
let template = document.createElement("template");
|
let template = document.createElement("template");
|
||||||
htmlStr = htmlStr.trim();
|
htmlStr = htmlStr.trim();
|
||||||
template.innerHTML = htmlStr;
|
template.innerHTML = htmlStr;
|
||||||
return template.content.firstChild;
|
return template.content.firstChild;
|
||||||
}
|
}
|
||||||
|
/**
|
||||||
// Used as a callback to handle incoming match context results when inspect
|
* Used either as a callback if the client has been notified to get new
|
||||||
// has been used.
|
* results with new full context. Or just directly invoced as a function
|
||||||
|
* with the according input data.
|
||||||
|
*/
|
||||||
showMatchContext(results, client) {
|
showMatchContext(results, client) {
|
||||||
|
|
||||||
this.getHTMLElements([
|
this.getHTMLElements([
|
||||||
'#context-results',
|
'#context-results',
|
||||||
'#inspect-display-options-form-expert_mode_inspect',
|
'#inspect-display-options-form-expert_mode_inspect',
|
||||||
@ -388,7 +395,7 @@ class ResultsList extends List {
|
|||||||
let uniqueContextS = new Set();
|
let uniqueContextS = new Set();
|
||||||
let {lc, c, rc} = this.helperCreateCpos(results.inspectResultsData.cpos_ranges,
|
let {lc, c, rc} = this.helperCreateCpos(results.inspectResultsData.cpos_ranges,
|
||||||
results.inspectResultsData.matches[0]);
|
results.inspectResultsData.matches[0]);
|
||||||
// create sentence strings as tokens
|
// Create sentence strings as tokens.
|
||||||
let tokenHTMLArray = [];
|
let tokenHTMLArray = [];
|
||||||
let htmlTokenStr = ``;
|
let htmlTokenStr = ``;
|
||||||
let tokenHTMlElement;
|
let tokenHTMlElement;
|
||||||
@ -457,9 +464,7 @@ class ResultsList extends List {
|
|||||||
}
|
}
|
||||||
this.contextResults.appendChild(sentenceElement);
|
this.contextResults.appendChild(sentenceElement);
|
||||||
}
|
}
|
||||||
|
// Add expert mode switch event for the modal to toggle expert mode.
|
||||||
|
|
||||||
// add inspect display options events
|
|
||||||
this.inspectDisplayOptionsFormExpertModeInspect.onchange = (event) => {
|
this.inspectDisplayOptionsFormExpertModeInspect.onchange = (event) => {
|
||||||
if (event.target.checked) {
|
if (event.target.checked) {
|
||||||
this.expertModeOn("context-results", results);
|
this.expertModeOn("context-results", results);
|
||||||
@ -467,7 +472,7 @@ class ResultsList extends List {
|
|||||||
this.expertModeOff("context-results")
|
this.expertModeOff("context-results")
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
// Add switch event to toggle Sentence highlighting.
|
||||||
this.inspectDisplayOptionsFormHighlightSentences.onchange = (event) => {
|
this.inspectDisplayOptionsFormHighlightSentences.onchange = (event) => {
|
||||||
if (event.target.checked) {
|
if (event.target.checked) {
|
||||||
this.higlightContextSentences();
|
this.higlightContextSentences();
|
||||||
@ -475,56 +480,52 @@ class ResultsList extends List {
|
|||||||
this.unhighlightContextSentences();
|
this.unhighlightContextSentences();
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
// Add range event to change nr of context sentences.
|
||||||
this.contextSentences.onchange = (event) => {
|
this.contextSentences.onchange = (event) => {
|
||||||
// console.log(event.target.value);
|
|
||||||
this.changeSentenceContext(event.target.value);
|
this.changeSentenceContext(event.target.value);
|
||||||
}
|
}
|
||||||
|
/**
|
||||||
// checks on new modal opening if switches are checked
|
* Checks on new modal opening if switches are checked
|
||||||
// if switches are checked functions are executed
|
* if switches are checked functions are executed.
|
||||||
|
*/
|
||||||
if (this.inspectDisplayOptionsFormExpertModeInspect.checked) {
|
if (this.inspectDisplayOptionsFormExpertModeInspect.checked) {
|
||||||
this.expertModeOn("context-results", results);
|
this.expertModeOn("context-results", results);
|
||||||
}
|
}
|
||||||
|
|
||||||
if (this.inspectDisplayOptionsFormHighlightSentences.checked) {
|
if (this.inspectDisplayOptionsFormHighlightSentences.checked) {
|
||||||
this.higlightContextSentences();
|
this.higlightContextSentences();
|
||||||
}
|
}
|
||||||
|
/**
|
||||||
// checks the value of the number of sentences to show on modal opening
|
* Checks the value of the number of sentences to show on modal opening
|
||||||
// sets context sentences accordingly
|
* sets context sentences accordingly
|
||||||
|
*/
|
||||||
this.changeSentenceContext(this.contextSentences.value);
|
this.changeSentenceContext(this.contextSentences.value);
|
||||||
}
|
}
|
||||||
|
|
||||||
// splits context text into sentences based on spacy sentence split
|
// Splits context text into sentences based on spacy sentence split
|
||||||
higlightContextSentences() {
|
higlightContextSentences() {
|
||||||
let sentences;
|
let sentences = document.getElementById("context-results").getElementsByClassName("sentence");
|
||||||
sentences = document.getElementById("context-results").getElementsByClassName("sentence");
|
for (let s of sentences) {
|
||||||
for (let s of sentences) {
|
s.insertAdjacentHTML("beforeend", `<span><br><br></span>`)
|
||||||
s.insertAdjacentHTML("beforeend", `<span><br><br></span>`)
|
}
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
// Reverse operation of above function.
|
||||||
unhighlightContextSentences() {
|
unhighlightContextSentences() {
|
||||||
let sentences;
|
let sentences = document.getElementById("context-results").getElementsByClassName("sentence");
|
||||||
let br;
|
let br;
|
||||||
sentences = document.getElementById("context-results").getElementsByClassName("sentence");
|
for (let s of sentences) {
|
||||||
for (let s of sentences) {
|
br = s.lastChild;
|
||||||
br = s.lastChild;
|
br.remove();
|
||||||
br.remove();
|
}
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
// changes how many context sentences in inspect view are shown
|
// Changes how many context sentences in inspect view are shown.
|
||||||
changeSentenceContext(sValue, maxSValue=10) {
|
changeSentenceContext(sValue, maxSValue=10) {
|
||||||
let array;
|
|
||||||
let sentences;
|
|
||||||
let toHideArray;
|
|
||||||
let toShowArray;
|
|
||||||
sValue = maxSValue - sValue;
|
sValue = maxSValue - sValue;
|
||||||
// console.log(sValue);
|
// console.log(sValue);
|
||||||
sentences = document.getElementById("context-results").getElementsByClassName("sentence");
|
let sentences = document.getElementById("context-results").getElementsByClassName("sentence");
|
||||||
array = Array.from(sentences);
|
let array = Array.from(sentences);
|
||||||
|
let toHideArray;
|
||||||
|
let toShowArray;
|
||||||
if (sValue != 0) {
|
if (sValue != 0) {
|
||||||
toHideArray = array.slice(0, sValue).concat(array.slice(-(sValue)));
|
toHideArray = array.slice(0, sValue).concat(array.slice(-(sValue)));
|
||||||
toShowArray = array.slice(sValue, 9).concat(array.slice(9, -(sValue)))
|
toShowArray = array.slice(sValue, 9).concat(array.slice(9, -(sValue)))
|
||||||
@ -540,10 +541,12 @@ class ResultsList extends List {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// ###### Display options changing live how the matches are being displayed ######
|
// ###### Display options functions changing how results are being displayed ######
|
||||||
|
|
||||||
// Event function that changes the shown hits per page.
|
/**
|
||||||
// Just alters the resultsList.page property
|
* Event function that changes the shown hits per page.
|
||||||
|
* Just alters the resultsList.page property.
|
||||||
|
*/
|
||||||
changeHitsPerPage(client, results) {
|
changeHitsPerPage(client, results) {
|
||||||
this.page = this.displayOptionsFormResultsPerPage.value;
|
this.page = this.displayOptionsFormResultsPerPage.value;
|
||||||
this.update();
|
this.update();
|
||||||
@ -553,9 +556,10 @@ class ResultsList extends List {
|
|||||||
this.expertModeOn('query-display', results);
|
this.expertModeOn('query-display', results);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
/**
|
||||||
// Event function triggered on context select change
|
* Event function triggered on context select change also if pagination is
|
||||||
// also if pagination is clicked
|
* clicked.
|
||||||
|
*/
|
||||||
changeContext() {
|
changeContext() {
|
||||||
let newContextValue = this.displayOptionsFormResultContext.value;
|
let newContextValue = this.displayOptionsFormResultContext.value;
|
||||||
let lc = document.querySelectorAll(".left-context");
|
let lc = document.querySelectorAll(".left-context");
|
||||||
@ -581,48 +585,15 @@ class ResultsList extends List {
|
|||||||
}
|
}
|
||||||
|
|
||||||
// ###### Expert view event functions ######
|
// ###### Expert view event functions ######
|
||||||
// function to create a tooltip for the current hovered token
|
|
||||||
|
// Function to create a tooltip for the current hovered token.
|
||||||
tooltipEventCreate(event, results) {
|
tooltipEventCreate(event, results) {
|
||||||
// console.log("Create Tooltip on mouseover.");
|
let token = results.data.cpos_lookup[event.target.dataset.cpos];
|
||||||
let token;
|
|
||||||
token = results.data.cpos_lookup[event.target.dataset.cpos];
|
|
||||||
if (!token) {
|
if (!token) {
|
||||||
token = results.inspectResultsData.cpos_lookup[event.target.dataset.cpos];
|
token = results.inspectResultsData.cpos_lookup[event.target.dataset.cpos];
|
||||||
}
|
}
|
||||||
this.addToolTipToTokenElement(event.target, token, results);
|
this.currentTooltipElement = M.Tooltip.init(event.target, {
|
||||||
}
|
'html': `<table>
|
||||||
|
|
||||||
// Function to destroy the current Tooltip for the current hovered tooltip
|
|
||||||
// on mouse leave
|
|
||||||
tooltipEventDestroy(event) {
|
|
||||||
// console.log("Tooltip destroy on leave.");
|
|
||||||
this.currentTooltipElement.destroy();
|
|
||||||
}
|
|
||||||
|
|
||||||
// turn the expert mode on for all tokens in the DOM element identified by its htmlID
|
|
||||||
expertModeOn(htmlId, results) {
|
|
||||||
if (!Array.isArray(this.currentExpertTokenElements[htmlId])) {
|
|
||||||
this.currentExpertTokenElements[htmlId] = [];
|
|
||||||
}
|
|
||||||
let container = document.getElementById(htmlId);
|
|
||||||
let tokens = container.querySelectorAll('span.token');
|
|
||||||
this.currentExpertTokenElements[htmlId].push(...tokens);
|
|
||||||
this.eventTokens[htmlId] = [];
|
|
||||||
for (let tokenElement of this.currentExpertTokenElements[htmlId]) {
|
|
||||||
tokenElement.classList.add("chip", "hoverable", "expert-view");
|
|
||||||
const eventCreate = (event, arg) => this.tooltipEventCreate(event, arg);
|
|
||||||
tokenElement.onmouseover = (event) => eventCreate(event, results);
|
|
||||||
tokenElement.onmouseout = (event) => this.tooltipEventDestroy(event);
|
|
||||||
this.eventTokens[htmlId].push(tokenElement);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// fuction that creates Tooltip for one token and extracts the corresponding
|
|
||||||
// infos from the result JSON
|
|
||||||
addToolTipToTokenElement(tokenElement, token, results) {
|
|
||||||
this.currentTooltipElement;
|
|
||||||
this.currentTooltipElement = M.Tooltip.init(tokenElement,
|
|
||||||
{"html": `<table>
|
|
||||||
<tr>
|
<tr>
|
||||||
<th>Token information</th>
|
<th>Token information</th>
|
||||||
<th>Source information</th>
|
<th>Source information</th>
|
||||||
@ -643,13 +614,44 @@ class ResultsList extends List {
|
|||||||
Publishing year: ${results.data.text_lookup[token.text].publishing_year}
|
Publishing year: ${results.data.text_lookup[token.text].publishing_year}
|
||||||
</td>
|
</td>
|
||||||
</tr>
|
</tr>
|
||||||
</table>`}
|
</table>`
|
||||||
);
|
}
|
||||||
|
);
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* Function to destroy the current Tooltip for the current hovered tooltip
|
||||||
|
* on mouse leave
|
||||||
|
*/
|
||||||
|
tooltipEventDestroy(event) {
|
||||||
|
this.currentTooltipElement.destroy();
|
||||||
}
|
}
|
||||||
|
|
||||||
// function to remove extra informations and animations from tokens
|
/**
|
||||||
|
* Turn the expert mode on for all tokens in the DOM element identified by
|
||||||
|
* its htmlID.
|
||||||
|
*/
|
||||||
|
expertModeOn(htmlId, results) {
|
||||||
|
if (!Array.isArray(this.currentExpertTokenElements[htmlId])) {
|
||||||
|
this.currentExpertTokenElements[htmlId] = [];
|
||||||
|
}
|
||||||
|
let container = document.getElementById(htmlId);
|
||||||
|
let tokens = container.querySelectorAll('span.token');
|
||||||
|
this.currentExpertTokenElements[htmlId].push(...tokens);
|
||||||
|
this.eventTokens[htmlId] = [];
|
||||||
|
for (let tokenElement of this.currentExpertTokenElements[htmlId]) {
|
||||||
|
tokenElement.classList.add('chip', 'hoverable', 'expert-view');
|
||||||
|
const eventCreate = (event, arg) => this.tooltipEventCreate(event, arg);
|
||||||
|
tokenElement.onmouseover = (event) => eventCreate(event, results);
|
||||||
|
tokenElement.onmouseout = (event) => this.tooltipEventDestroy(event);
|
||||||
|
this.eventTokens[htmlId].push(tokenElement);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Turn the expert mode off for all tokens in the DOM element identified by
|
||||||
|
* its htmlID.
|
||||||
|
*/
|
||||||
expertModeOff(htmlId) {
|
expertModeOff(htmlId) {
|
||||||
// console.log("Expert mode is off.");
|
|
||||||
if (!Array.isArray(this.currentExpertTokenElements[htmlId])) {
|
if (!Array.isArray(this.currentExpertTokenElements[htmlId])) {
|
||||||
this.currentExpertTokenElements[htmlId] = [];
|
this.currentExpertTokenElements[htmlId] = [];
|
||||||
}
|
}
|
||||||
@ -662,78 +664,62 @@ class ResultsList extends List {
|
|||||||
this.currentExpertTokenElements[htmlId] = [];
|
this.currentExpertTokenElements[htmlId] = [];
|
||||||
|
|
||||||
for (let eventToken of this.eventTokens[htmlId]) {
|
for (let eventToken of this.eventTokens[htmlId]) {
|
||||||
eventToken.onmouseover = "";
|
eventToken.onmouseover = '';
|
||||||
eventToken.onmouseout = "";
|
eventToken.onmouseout = '';
|
||||||
}
|
}
|
||||||
this.eventTokens[htmlId] = [];
|
this.eventTokens[htmlId] = [];
|
||||||
}
|
}
|
||||||
|
|
||||||
createResultRowElement(item, chunk, client, imported=false) {
|
createResultRowElement(item, chunk, client, imported=false) {
|
||||||
let aCellElement;
|
// Gather values from item.
|
||||||
let addToSubResultsBtn;
|
let values = item.values();
|
||||||
let cCellElement;
|
|
||||||
let cpos;
|
|
||||||
let fakeResponse; // used if imported results are being created;
|
|
||||||
let inspectBtn
|
|
||||||
let lcCellElement;
|
|
||||||
let matchNrElement;
|
|
||||||
let matchRowElement;
|
|
||||||
let rcCellElement;
|
|
||||||
let textTitles;
|
|
||||||
let textTitlesCellElement;
|
|
||||||
let token;
|
|
||||||
let values;
|
|
||||||
// gather values from item
|
|
||||||
values = item.values();
|
|
||||||
let {lc, c, rc} = this.helperCreateCpos(chunk.cpos_ranges,
|
let {lc, c, rc} = this.helperCreateCpos(chunk.cpos_ranges,
|
||||||
values)
|
values)
|
||||||
// get infos for full match row
|
// Get infos for full match row.
|
||||||
matchRowElement = document.createElement("tr");
|
let matchRowElement = document.createElement("tr");
|
||||||
matchRowElement.setAttribute("data-index", values.index)
|
matchRowElement.setAttribute("data-index", values.index)
|
||||||
lcCellElement = document.createElement("td");
|
let lcCellElement = document.createElement("td");
|
||||||
lcCellElement.classList.add("left-context");
|
lcCellElement.classList.add("left-context");
|
||||||
matchRowElement.appendChild(lcCellElement);
|
matchRowElement.appendChild(lcCellElement);
|
||||||
for (cpos of lc) {
|
for (let cpos of lc) {
|
||||||
token = chunk.cpos_lookup[cpos];
|
let token = chunk.cpos_lookup[cpos];
|
||||||
lcCellElement.insertAdjacentHTML("beforeend",
|
lcCellElement.insertAdjacentHTML("beforeend",
|
||||||
`<span class="token" data-cpos="${cpos}">${token.word} </span>`);
|
`<span class="token" data-cpos="${cpos}">${token.word} </span>`);
|
||||||
}
|
}
|
||||||
|
|
||||||
// get infos for hit of match and set actions
|
// Get infos for hit of match and set actions.
|
||||||
textTitles = new Set();
|
let textTitles = new Set();
|
||||||
aCellElement = document.createElement("td");
|
let aCellElement = document.createElement("td");
|
||||||
aCellElement.classList.add("actions");
|
aCellElement.classList.add("actions");
|
||||||
cCellElement = document.createElement("td");
|
let cCellElement = document.createElement("td");
|
||||||
cCellElement.classList.add("match-hit");
|
cCellElement.classList.add("match-hit");
|
||||||
textTitlesCellElement = document.createElement("td");
|
let textTitlesCellElement = document.createElement("td");
|
||||||
textTitlesCellElement.classList.add("titles");
|
textTitlesCellElement.classList.add("titles");
|
||||||
matchNrElement = document.createElement("td");
|
let matchNrElement = document.createElement("td");
|
||||||
matchNrElement.classList.add("match-nr");
|
matchNrElement.classList.add("match-nr");
|
||||||
matchRowElement.appendChild(cCellElement);
|
matchRowElement.appendChild(cCellElement);
|
||||||
matchRowElement.appendChild(aCellElement);
|
matchRowElement.appendChild(aCellElement);
|
||||||
for (cpos of c) {
|
for (let cpos of c) {
|
||||||
token = chunk.cpos_lookup[cpos];
|
let token = chunk.cpos_lookup[cpos];
|
||||||
cCellElement.insertAdjacentHTML("beforeend",
|
cCellElement.insertAdjacentHTML("beforeend",
|
||||||
`<span class="token" data-cpos="${cpos}">${token.word} </span>`);
|
`<span class="token" data-cpos="${cpos}">${token.word} </span>`);
|
||||||
// get text titles of every hit cpos token
|
// Get text titles of every hit cpos token.
|
||||||
textTitles.add(chunk.text_lookup[token.text].title);
|
textTitles.add(chunk.text_lookup[token.text].title);
|
||||||
}
|
}
|
||||||
// add some interaction buttons
|
// Add some interaction buttons.
|
||||||
// # some btn css rules and classes
|
|
||||||
let css = `margin-right: 5px; margin-bottom: 5px;`
|
let css = `margin-right: 5px; margin-bottom: 5px;`
|
||||||
let classes = `btn-floating btn waves-effect` +
|
let classes = `btn-floating btn waves-effect` +
|
||||||
` waves-light corpus-analysis-color.lighten`
|
` waves-light corpus-analysis-color.lighten`
|
||||||
// # add button to trigger more context to every match td
|
// Add inspect button to trigger inspect view with more context.
|
||||||
inspectBtn = document.createElement("a");
|
let inspectBtn = document.createElement("a");
|
||||||
inspectBtn.setAttribute("style", css);
|
inspectBtn.setAttribute("style", css);
|
||||||
inspectBtn.setAttribute("class", classes + ` disabled inspect`
|
inspectBtn.setAttribute("class", classes + ` disabled inspect`
|
||||||
);
|
);
|
||||||
inspectBtn.innerHTML = '<i class="material-icons inspect-btn">search</i>';
|
inspectBtn.innerHTML = '<i class="material-icons inspect-btn">search</i>';
|
||||||
// # add btn to add matches to sub-results. hidden per default
|
// Add btn to be able add matches to sub-results.
|
||||||
addToSubResultsBtn = document.createElement("a");
|
let addToSubResultsBtn = document.createElement("a");
|
||||||
addToSubResultsBtn.setAttribute("style", css);
|
addToSubResultsBtn.setAttribute("style", css);
|
||||||
addToSubResultsBtn.setAttribute("class", classes + ` add`
|
addToSubResultsBtn.setAttribute("class", classes + ` add`);
|
||||||
);
|
|
||||||
addToSubResultsBtn.innerHTML = '<i class="material-icons add-btn">add</i>';
|
addToSubResultsBtn.innerHTML = '<i class="material-icons add-btn">add</i>';
|
||||||
if (client.dynamicMode || client.fullContext) {
|
if (client.dynamicMode || client.fullContext) {
|
||||||
aCellElement.appendChild(inspectBtn);
|
aCellElement.appendChild(inspectBtn);
|
||||||
@ -741,25 +727,27 @@ class ResultsList extends List {
|
|||||||
if (client.dynamicMode) {
|
if (client.dynamicMode) {
|
||||||
aCellElement.appendChild(addToSubResultsBtn);
|
aCellElement.appendChild(addToSubResultsBtn);
|
||||||
}
|
}
|
||||||
// add text titles at front as first td of one row
|
// Add text titles at front as first td of one row.
|
||||||
textTitlesCellElement.textContent = [...textTitles].join(", ");
|
textTitlesCellElement.textContent = [...textTitles].join(", ");
|
||||||
matchRowElement.insertAdjacentHTML("afterbegin", textTitlesCellElement.outerHTML);
|
matchRowElement.insertAdjacentHTML("afterbegin", textTitlesCellElement.outerHTML);
|
||||||
matchNrElement.textContent = values.index + 1;
|
matchNrElement.textContent = values.index + 1;
|
||||||
matchRowElement.insertAdjacentHTML("afterbegin", matchNrElement.outerHTML);
|
matchRowElement.insertAdjacentHTML("afterbegin", matchNrElement.outerHTML);
|
||||||
|
|
||||||
// get infos for right context of match
|
// Get infos for right context of match
|
||||||
rcCellElement = document.createElement("td");
|
let rcCellElement = document.createElement("td");
|
||||||
rcCellElement.classList.add("right-context");
|
rcCellElement.classList.add("right-context");
|
||||||
matchRowElement.appendChild(rcCellElement);
|
matchRowElement.appendChild(rcCellElement);
|
||||||
for (cpos of rc) {
|
for (let cpos of rc) {
|
||||||
token = chunk.cpos_lookup[cpos];
|
let token = chunk.cpos_lookup[cpos];
|
||||||
rcCellElement.insertAdjacentHTML("beforeend",
|
rcCellElement.insertAdjacentHTML("beforeend",
|
||||||
`<span class="token" data-cpos="${cpos}">${token.word} </span>`);
|
`<span class="token" data-cpos="${cpos}">${token.word} </span>`);
|
||||||
}
|
}
|
||||||
return matchRowElement
|
return matchRowElement
|
||||||
}
|
}
|
||||||
|
/**
|
||||||
// creates the HTML table code for the metadata view in the corpus analysis interface
|
* Creates the HTML table code for the metadata view in the corpus analysis
|
||||||
|
* interface
|
||||||
|
*/
|
||||||
createMetaDataForModal(metaDataObject) {
|
createMetaDataForModal(metaDataObject) {
|
||||||
let html = `<div class="col s12">
|
let html = `<div class="col s12">
|
||||||
<table class="highlight">
|
<table class="highlight">
|
||||||
@ -771,7 +759,7 @@ class ResultsList extends List {
|
|||||||
</thead>
|
</thead>
|
||||||
<tbody>`
|
<tbody>`
|
||||||
for (let [outerKey, outerValue] of Object.entries(metaDataObject)) {
|
for (let [outerKey, outerValue] of Object.entries(metaDataObject)) {
|
||||||
// Use more descriptive names
|
// Use more descriptive names.
|
||||||
if (outerKey === 'corpus_all_texts') {
|
if (outerKey === 'corpus_all_texts') {
|
||||||
let tmpName = 'All texts in this corpus';
|
let tmpName = 'All texts in this corpus';
|
||||||
html += `<tr>
|
html += `<tr>
|
||||||
@ -823,8 +811,10 @@ class ResultsList extends List {
|
|||||||
</table>`
|
</table>`
|
||||||
return html
|
return html
|
||||||
}
|
}
|
||||||
|
/**
|
||||||
// Creates the text details for the texts shown in the corpus analysis metadata modal.
|
* Creates the text details for the texts shown in the corpus analysis
|
||||||
|
* metadata modal table.
|
||||||
|
*/
|
||||||
createTextDetails(metaData) {
|
createTextDetails(metaData) {
|
||||||
let metadataKey = event.target.dataset.metadataKey;
|
let metadataKey = event.target.dataset.metadataKey;
|
||||||
let textKey = event.target.dataset.textKey;
|
let textKey = event.target.dataset.textKey;
|
||||||
@ -833,12 +823,19 @@ class ResultsList extends List {
|
|||||||
bibliographicData.textContent = '';
|
bibliographicData.textContent = '';
|
||||||
for (let [key, value] of Object.entries(textData)) {
|
for (let [key, value] of Object.entries(textData)) {
|
||||||
bibliographicData.insertAdjacentHTML("afterbegin",
|
bibliographicData.insertAdjacentHTML("afterbegin",
|
||||||
`
|
`
|
||||||
<li><span style="text-transform: capitalize;">${key}:</span> ${value}</li>
|
<li>
|
||||||
`);
|
<span style="text-transform: capitalize;">${key}:</span>
|
||||||
|
${value}
|
||||||
|
</li>
|
||||||
|
`
|
||||||
|
);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
// export classses
|
// Export classes.
|
||||||
export { ViewEventListener, ResultsList };
|
export {
|
||||||
|
ViewEventListener,
|
||||||
|
ResultsList
|
||||||
|
};
|
@ -4,6 +4,7 @@
|
|||||||
* showing/enabling of common elements when data is being transmitted or not.
|
* showing/enabling of common elements when data is being transmitted or not.
|
||||||
*/
|
*/
|
||||||
|
|
||||||
|
// Callback to disable some elements for the user when the client is busy.
|
||||||
function disableElementsGeneralCallback(resultsList, detail) {
|
function disableElementsGeneralCallback(resultsList, detail) {
|
||||||
if (detail.client.isBusy) {
|
if (detail.client.isBusy) {
|
||||||
resultsList.fullResultsCreate.classList.toggle('disabled', true);
|
resultsList.fullResultsCreate.classList.toggle('disabled', true);
|
||||||
@ -12,6 +13,7 @@ function disableElementsGeneralCallback(resultsList, detail) {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Callback to enable some elements for the user when the client is not busy.
|
||||||
function enableElementsGeneralCallback(resultsList, detail) {
|
function enableElementsGeneralCallback(resultsList, detail) {
|
||||||
if (!detail.client.isBusy) {
|
if (!detail.client.isBusy) {
|
||||||
resultsList.fullResultsCreate.classList.toggle('disabled', false);
|
resultsList.fullResultsCreate.classList.toggle('disabled', false);
|
||||||
@ -22,6 +24,10 @@ function enableElementsGeneralCallback(resultsList, detail) {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Callback opening the loading modal when the client is connecting to the
|
||||||
|
* CQP server.
|
||||||
|
*/
|
||||||
function connectingCallback(resultsList, detail) {
|
function connectingCallback(resultsList, detail) {
|
||||||
resultsList.getHTMLElements(['#analysis-init-modal']);
|
resultsList.getHTMLElements(['#analysis-init-modal']);
|
||||||
resultsList.analysisInitModal = M.Modal.init(resultsList.analysisInitModal,
|
resultsList.analysisInitModal = M.Modal.init(resultsList.analysisInitModal,
|
||||||
@ -29,10 +35,12 @@ function connectingCallback(resultsList, detail) {
|
|||||||
resultsList.analysisInitModal.open();
|
resultsList.analysisInitModal.open();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Callback that closes teh loading modal from above.
|
||||||
function connectedCallback(resultsList, detail) {
|
function connectedCallback(resultsList, detail) {
|
||||||
resultsList.analysisInitModal.close();
|
resultsList.analysisInitModal.close();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Callback that shows the user some feedback if the client raised an error.
|
||||||
function clientFailedCallback(resultsList, detail) {
|
function clientFailedCallback(resultsList, detail) {
|
||||||
resultsList.getHTMLElements([
|
resultsList.getHTMLElements([
|
||||||
'#analysis-init-progress',
|
'#analysis-init-progress',
|
||||||
@ -49,6 +57,7 @@ function clientFailedCallback(resultsList, detail) {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Callback doing some preperation work if a query has been issued by the user.
|
||||||
function queryDataPreparingCallback(resultsList, detail) {
|
function queryDataPreparingCallback(resultsList, detail) {
|
||||||
// remove all items from resultsList, like from the query issued before
|
// remove all items from resultsList, like from the query issued before
|
||||||
resultsList.clear()
|
resultsList.clear()
|
||||||
@ -83,6 +92,10 @@ function queryDataPreparingCallback(resultsList, detail) {
|
|||||||
resultsList.resetFields();
|
resultsList.resetFields();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Callback handling the incoming results of an issued query. It renders
|
||||||
|
* the incoming matches using the resultsList for the user.
|
||||||
|
*/
|
||||||
function queryDataRecievingCallback(resultsList, detail) {
|
function queryDataRecievingCallback(resultsList, detail) {
|
||||||
// load the data into the resultsList and show them to the user
|
// load the data into the resultsList and show them to the user
|
||||||
let results = detail.results;
|
let results = detail.results;
|
||||||
@ -142,6 +155,7 @@ function queryDataRecievingCallback(resultsList, detail) {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Callback that is executed when all results from an issued query have been recieved
|
||||||
function queryDataRecievedCallback(resultsList, detail) {
|
function queryDataRecievedCallback(resultsList, detail) {
|
||||||
// hide or disable some things for the user
|
// hide or disable some things for the user
|
||||||
resultsList.queryResultsUserFeedback.classList.toggle('hide');
|
resultsList.queryResultsUserFeedback.classList.toggle('hide');
|
||||||
@ -150,12 +164,16 @@ function queryDataRecievedCallback(resultsList, detail) {
|
|||||||
resultsList.queryProgressBar.firstElementChild.style.width = '0%';
|
resultsList.queryProgressBar.firstElementChild.style.width = '0%';
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Callback that is handling incoming results data. Results data is needed for
|
||||||
|
* the export and download of the data.
|
||||||
|
*/
|
||||||
function resultsDataRecievingCallback(resultsList, detail) {
|
function resultsDataRecievingCallback(resultsList, detail) {
|
||||||
resultsList.getHTMLElements([
|
resultsList.getHTMLElements([
|
||||||
'#full-results-progress-bar',
|
'#full-results-progress-bar',
|
||||||
'#sub-results-progress-bar',
|
'#sub-results-progress-bar',
|
||||||
]);
|
]);
|
||||||
// Disable the full context switch when results are being recieved
|
// Disable the full context switch when results are being recieved.
|
||||||
resultsList.exportFullInspectContext.setAttribute('disabled', '');
|
resultsList.exportFullInspectContext.setAttribute('disabled', '');
|
||||||
if (detail.type === 'full-results' && detail.progress) {
|
if (detail.type === 'full-results' && detail.progress) {
|
||||||
resultsList.fullResultsProgressBar.firstElementChild.style.width = `${detail.progress}%`;
|
resultsList.fullResultsProgressBar.firstElementChild.style.width = `${detail.progress}%`;
|
||||||
@ -165,7 +183,10 @@ function resultsDataRecievingCallback(resultsList, detail) {
|
|||||||
resultsList.subResultsProgressBar.classList.toggle('hide', false);
|
resultsList.subResultsProgressBar.classList.toggle('hide', false);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
/**
|
||||||
|
* Callback is executed when all results data has been recieved.
|
||||||
|
* Reactivates the resutls create buttons etc.
|
||||||
|
*/
|
||||||
function resultsDataRecievedCallback(resultsList, detail) {
|
function resultsDataRecievedCallback(resultsList, detail) {
|
||||||
// create strings for create buttons depending on type
|
// create strings for create buttons depending on type
|
||||||
const handleType = (keyPrefix, text) => {
|
const handleType = (keyPrefix, text) => {
|
||||||
|
@ -1,17 +1,17 @@
|
|||||||
|
/**
|
||||||
|
* This module contains vanilla javascript Event listeners which are listening
|
||||||
|
* for button clicks etc. the user is doing to interact with the page.
|
||||||
|
*/
|
||||||
|
|
||||||
// Import the script that implements a spinner animation for buttons.
|
// Import the script that implements a spinner animation for buttons.
|
||||||
import {
|
import {
|
||||||
loadingSpinnerHTML,
|
loadingSpinnerHTML,
|
||||||
} from './spinner.js';
|
} from './spinner.js';
|
||||||
/**
|
|
||||||
* This module contains vanilla javascript Event listeners which are listening
|
|
||||||
* for button clicks etc. the user is doing to interact with the page.
|
|
||||||
*/
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* The following listener handles what functions are called when the user
|
* The following listener handles what functions are called when the user
|
||||||
* does use the page navigation to navigate to a new page.
|
* does use the page navigation to navigate to a new page.
|
||||||
*/
|
*/
|
||||||
|
|
||||||
function pageNavigation(resultsList, results, client) {
|
function pageNavigation(resultsList, results, client) {
|
||||||
for (let element of resultsList.pagination) {
|
for (let element of resultsList.pagination) {
|
||||||
element.addEventListener("click", (event) => {
|
element.addEventListener("click", (event) => {
|
||||||
|
@ -2,7 +2,7 @@
|
|||||||
* This file contains the listener function that will be assigned to the
|
* This file contains the listener function that will be assigned to the
|
||||||
* corpus_analysis ResultsView. The listener is listening for the notification
|
* corpus_analysis ResultsView. The listener is listening for the notification
|
||||||
* event which is being dispatched by the corpus_analysis Client. The
|
* event which is being dispatched by the corpus_analysis Client. The
|
||||||
* notification Event triggers the listener whiche will call different
|
* notification Event triggers the listener which will call different
|
||||||
* callback functions depending on the detail information of the notification
|
* callback functions depending on the detail information of the notification
|
||||||
* event.
|
* event.
|
||||||
*/
|
*/
|
||||||
@ -79,7 +79,6 @@ function recieveClientNotification(eventType, resultsList) {
|
|||||||
default:
|
default:
|
||||||
console.error('Recieved unkown notification case identifier from Client');
|
console.error('Recieved unkown notification case identifier from Client');
|
||||||
// do something to not crash the analysis session?
|
// do something to not crash the analysis session?
|
||||||
// maybe unnecessary
|
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
@ -1,21 +1,27 @@
|
|||||||
/**
|
/**
|
||||||
* Function to show a scroll to top button if the user has scrolled down
|
* Function to show a scroll to top button if the user has scrolled down
|
||||||
* 250 pixels from the headline element.
|
* 250 pixels from the with scrollToElementSelector specified Element.
|
||||||
*/
|
*/
|
||||||
function scrollToTop(scrollToElementSelector, triggerElementSelector) {
|
function scrollToTop(scrollToElementSelector, triggerElementSelector) {
|
||||||
let headline = document.querySelector(scrollToElementSelector);
|
let scrollToThis = document.querySelector(scrollToElementSelector);
|
||||||
let scrollToTop = document.querySelector(triggerElementSelector);
|
let scrolltoTopTrigger = document.querySelector(triggerElementSelector);
|
||||||
window.addEventListener('scroll', (event) => {
|
window.addEventListener('scroll', (event) => {
|
||||||
if (pageYOffset > 250) {
|
if (pageYOffset > 250) {
|
||||||
scrollToTop.classList.toggle('hide', false);
|
scrolltoTopTrigger.classList.toggle('hide', false);
|
||||||
} else {
|
} else {
|
||||||
scrollToTop.classList.toggle('hide', true);
|
scrolltoTopTrigger.classList.toggle('hide', true);
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
scrollToTop.onclick = () => {
|
scrolltoTopTrigger.onclick = () => {
|
||||||
headline.scrollIntoView({behavior: 'smooth', block: 'end', inline: 'nearest'});
|
scrollToThis.scrollIntoView({
|
||||||
|
behavior: 'smooth',
|
||||||
|
block: 'end',
|
||||||
|
inline: 'nearest'
|
||||||
|
});
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
||||||
// export function
|
// Export function.
|
||||||
export { scrollToTop };
|
export {
|
||||||
|
scrollToTop
|
||||||
|
};
|
@ -1,17 +1,19 @@
|
|||||||
// loading spinner animation HTML
|
// loading spinner animation HTML
|
||||||
const loadingSpinnerHTML = `
|
const loadingSpinnerHTML = `
|
||||||
<div class="preloader-wrapper button-icon-spinner small active">
|
<div class="preloader-wrapper button-icon-spinner small active">
|
||||||
<div class="spinner-layer spinner-green-only">
|
<div class="spinner-layer spinner-green-only">
|
||||||
<div class="circle-clipper left">
|
<div class="circle-clipper left">
|
||||||
<div class="circle"></div>
|
<div class="circle"></div>
|
||||||
</div><div class="gap-patch">
|
</div><div class="gap-patch">
|
||||||
<div class="circle"></div>
|
<div class="circle"></div>
|
||||||
</div><div class="circle-clipper right">
|
</div><div class="circle-clipper right">
|
||||||
<div class="circle"></div>
|
<div class="circle"></div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
`;
|
`;
|
||||||
|
|
||||||
//export
|
// Export const.
|
||||||
export { loadingSpinnerHTML };
|
export {
|
||||||
|
loadingSpinnerHTML
|
||||||
|
};
|
||||||
|
@ -143,7 +143,7 @@ document.addEventListener("DOMContentLoaded", () => {
|
|||||||
let corpusId = {{ corpus_id }}
|
let corpusId = {{ corpus_id }}
|
||||||
const client = new Client({'corpusId': corpusId,
|
const client = new Client({'corpusId': corpusId,
|
||||||
'socket': nopaque.socket,
|
'socket': nopaque.socket,
|
||||||
'logging': false,
|
'logging': true,
|
||||||
'dynamicMode': true});
|
'dynamicMode': true});
|
||||||
/**
|
/**
|
||||||
* Initializing the results object as a model holding all the data of a
|
* Initializing the results object as a model holding all the data of a
|
||||||
@ -205,8 +205,8 @@ document.addEventListener("DOMContentLoaded", () => {
|
|||||||
*/
|
*/
|
||||||
const listenForClientNotification = new ViewEventListener('notify-view',
|
const listenForClientNotification = new ViewEventListener('notify-view',
|
||||||
recieveClientNotification);
|
recieveClientNotification);
|
||||||
resultsList.setNotificationListeners([listenForClientNotification]);
|
resultsList.setViewEventListeners([listenForClientNotification]);
|
||||||
resultsList.loadNotificationListeners();
|
resultsList.loadViewEventListeners();
|
||||||
// Connect client to server.
|
// Connect client to server.
|
||||||
client.notifyView('connecting');
|
client.notifyView('connecting');
|
||||||
client.connect();
|
client.connect();
|
||||||
|
@ -160,8 +160,8 @@ document.addEventListener("DOMContentLoaded", () => {
|
|||||||
*/
|
*/
|
||||||
const listenForClientNotification = new ViewEventListener('notify-view',
|
const listenForClientNotification = new ViewEventListener('notify-view',
|
||||||
recieveClientNotification);
|
recieveClientNotification);
|
||||||
resultsList.setNotificationListeners([listenForClientNotification]);
|
resultsList.setViewEventListeners([listenForClientNotification]);
|
||||||
resultsList.loadNotificationListeners();
|
resultsList.loadViewEventListeners();
|
||||||
// Get all needed HTMLElements for the following event listeners.
|
// Get all needed HTMLElements for the following event listeners.
|
||||||
resultsList.getHTMLElements([
|
resultsList.getHTMLElements([
|
||||||
'.add-btn',
|
'.add-btn',
|
||||||
|
Loading…
x
Reference in New Issue
Block a user