flamenco/web/app/src/components/workers/WorkersTable.vue
2022-05-31 17:28:40 +02:00

178 lines
6.0 KiB
Vue

<template>
<div>
<h2 class="column-title">Workers</h2>
<status-filter-bar
:availableStatuses="availableStatuses"
:activeStatuses="shownStatuses"
classPrefix="worker-"
@click="toggleStatusFilter"
/>
<div class="workers-list with-clickable-row" id="flamenco_workers_list"></div>
</div>
</template>
<script lang="js">
import { TabulatorFull as Tabulator } from 'tabulator-tables';
import { WorkerMgtApi } from '@/manager-api'
import { indicator, workerStatus } from '@/statusindicator';
import { apiClient } from '@/stores/api-query-count';
import StatusFilterBar from '@/components/StatusFilterBar.vue'
export default {
name: 'WorkersTable',
props: ["activeWorkerID"],
emits: ["tableRowClicked"],
components: {
StatusFilterBar,
},
data: () => {
return {
shownStatuses: [],
availableStatuses: [], // Will be filled after data is loaded from the backend.
};
},
mounted() {
window.workersTableVue = this;
const vueComponent = this;
const options = {
// See pkg/api/flamenco-openapi.yaml, schemas WorkerSummary and SocketIOWorkerUpdate.
columns: [
// Useful for debugging when there are many similar workers:
// { title: "ID", field: "id", headerSort: false, formatter: (cell) => cell.getData().id.substr(0, 8), },
{
title: 'Status', field: 'status', sorter: 'string',
formatter: (cell) => {
const data = cell.getData();
const dot = indicator(data.status, 'worker-');
const asString = workerStatus(data);
return `${dot} ${asString}`;
},
},
{ title: 'Name', field: 'nickname', sorter: 'string' },
{ title: 'Version', field: 'version', sorter: 'string' },
],
rowFormatter(row) {
const data = row.getData();
const isActive = (data.id === vueComponent.activeWorkerID);
row.getElement().classList.toggle("active-row", isActive);
},
initialSort: [
{ column: "nickname", dir: "asc" },
],
height: "720px", // Must be set in order for the virtual DOM to function correctly.
data: [], // Will be filled via a Flamenco API request.
selectable: false, // The active worker is tracked by click events, not row selection.
};
this.tabulator = new Tabulator('#flamenco_workers_list', options);
this.tabulator.on("rowClick", this.onRowClick);
this.tabulator.on("tableBuilt", this._onTableBuilt);
},
watch: {
activeWorkerID(newWorkerID, oldWorkerID) {
this._reformatRow(oldWorkerID);
this._reformatRow(newWorkerID);
},
},
computed: {
selectedIDs() {
return this.tabulator.getSelectedData().map((worker) => worker.id);
}
},
methods: {
onReconnected() {
// If the connection to the backend was lost, we have likely missed some
// updates. Just fetch the data and start from scratch.
this.fetchAllWorkers();
},
sortData() {
const tab = this.tabulator;
tab.setSort(tab.getSorters()); // This triggers re-sorting.
},
_onTableBuilt() {
this.tabulator.setFilter(this._filterByStatus);
this.fetchAllWorkers();
},
fetchAllWorkers() {
const api = new WorkerMgtApi(apiClient);
api.fetchWorkers().then(this.onWorkersFetched, function (error) {
// TODO: error handling.
console.error(error);
});
},
onWorkersFetched(data) {
this.tabulator.setData(data.workers);
this._refreshAvailableStatuses();
},
processWorkerUpdate(workerUpdate) {
if (!this.tabulator.initialized) return;
// Contrary to tabulator.getRow(), rowManager.findRow() doesn't log a
// warning when the row cannot be found,
const existingRow = this.tabulator.rowManager.findRow(workerUpdate.id);
let promise;
if (existingRow) {
// Tabbulator doesn't update ommitted fields, but if `status_requested`
// is ommitted it means "no status change requested"; this should still
// force an update.
if (!workerUpdate.status_requested) {
workerUpdate.status_requested = undefined;
}
promise = this.tabulator.updateData([workerUpdate]);
// Tabulator doesn't know we're using 'status_requested' in the 'status'
// column, so it also won't know to redraw when that field changes.
promise.then(() => existingRow.reinitialize(true));
} else {
promise = this.tabulator.addData([workerUpdate]);
}
promise
.then(this.sortData)
.then(this.refreshAvailableStatuses);
// TODO: this should also resize the columns, as the status column can
// change sizes considerably.
},
onRowClick(event, row) {
// Take a copy of the data, so that it's decoupled from the tabulator data
// store. There were some issues where navigating to another worker would
// overwrite the old worker's ID, and this prevents that.
const rowData = plain(row.getData());
this.$emit("tableRowClicked", rowData);
},
toggleStatusFilter(status) {
const asSet = new Set(this.shownStatuses);
if (!asSet.delete(status)) {
asSet.add(status);
}
this.shownStatuses = Array.from(asSet).sort();
this.tabulator.refreshFilter();
},
_filterByStatus(worker) {
if (this.shownStatuses.length == 0) {
return true;
}
return this.shownStatuses.indexOf(worker.status) >= 0;
},
_refreshAvailableStatuses() {
const statuses = new Set();
for (let row of this.tabulator.getData()) {
statuses.add(row.status);
}
this.availableStatuses = Array.from(statuses).sort();
},
_reformatRow(workerID) {
// Use tab.rowManager.findRow() instead of `tab.getRow()` as the latter
// logs a warning when the row cannot be found.
const row = this.tabulator.rowManager.findRow(workerID);
if (!row) return
if (row.reformat) row.reformat();
else if (row.reinitialize) row.reinitialize(true);
},
},
};
</script>