Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Table view: use initialOptions to save & restore view state on navigation #8

Closed
Closed
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 1 addition & 1 deletion src/components/cylc/cylcObject/Menu.vue
Original file line number Diff line number Diff line change
Expand Up @@ -279,7 +279,7 @@ export default {
{
name: 'Log',
initialOptions: {
relativeID: this.node.tokens.relativeID
relativeID: this.node.tokens.relativeID || null
}
}
)
Expand Down
14 changes: 7 additions & 7 deletions src/components/cylc/workflow/Lumino.vue
Original file line number Diff line number Diff line change
Expand Up @@ -19,14 +19,14 @@ along with this program. If not, see <http://www.gnu.org/licenses/>.
<!-- Lumino box panel gets inserted here -->
</div>
<template
v-for="[id, { name, initialOptions }] in views"
v-for="[id, { name }] in views"
:key="id"
>
<Teleport :to="`#${id}`">
<component
:is="props.allViews.get(name).component"
:workflow-name="workflowName"
:initial-options="initialOptions"
v-model:initial-options="views.get(id).initialOptions"
class="h-100"
/>
</Teleport>
Expand Down Expand Up @@ -62,7 +62,7 @@ import { useDefaultView } from '@/views/views'
* Mitt event for adding a view to the workspace.
* @typedef {Object} AddViewEvent
* @property {string} name - the view to add
* @property {Object=} initialOptions - prop passed to the view component
* @property {Record<string,*>} initialOptions - prop passed to the view component
*/

const $eventBus = inject('eventBus')
Expand Down Expand Up @@ -135,16 +135,16 @@ onBeforeUnmount(() => {
/**
* Create a widget and add it to the dock.
*
* @param {AddViewEvent} view
* @param {AddViewEvent} event
* @param {boolean} onTop
*/
const addView = (view, onTop = true) => {
const addView = ({ name, initialOptions = {} }, onTop = true) => {
const id = uniqueId('widget')
const luminoWidget = new LuminoWidget(id, startCase(view.name), /* closable */ true)
const luminoWidget = new LuminoWidget(id, startCase(name), /* closable */ true)
dockPanel.addWidget(luminoWidget, { mode: 'tab-after' })
// give time for Lumino's widget DOM element to be created
nextTick(() => {
views.value.set(id, view)
views.value.set(id, { name, initialOptions })
addWidgetEventListeners(id)
if (onTop) {
dockPanel.selectWidget(luminoWidget)
Expand Down
136 changes: 84 additions & 52 deletions src/views/Log.vue
Original file line number Diff line number Diff line change
Expand Up @@ -56,7 +56,8 @@ along with this program. If not, see <http://www.gnu.org/licenses/>.
v-if="jobLog"
data-cy="job-id-input"
class="flex-grow-1 flex-column"
v-model="relativeID"
:model-value="relativeID"
@update:modelValue="debouncedUpdateRelativeID"
placeholder="cycle/task/job"
clearable
/>
Expand Down Expand Up @@ -143,6 +144,8 @@ along with this program. If not, see <http://www.gnu.org/licenses/>.
</template>

<script>
import { ref } from 'vue'
import { usePrevious } from '@vueuse/core'
import {
mdiClockOutline,
mdiFileAlertOutline,
Expand All @@ -153,6 +156,11 @@ import {
import { getPageTitle } from '@/utils/index'
import graphqlMixin from '@/mixins/graphql'
import subscriptionComponentMixin from '@/mixins/subscriptionComponent'
import {
initialOptions,
updateInitialOptionsEvent,
useInitialOptions
} from '@/views/initialOptions'
import LogComponent from '@/components/cylc/log/Log.vue'
import SubscriptionQuery from '@/model/SubscriptionQuery.model'
import { Tokens } from '@/utils/uid'
Expand Down Expand Up @@ -287,34 +295,59 @@ export default {
}
},

emits: [
updateInitialOptionsEvent,
],

props: {
initialOptions: {
type: Object,
required: false,
default: () => ({})
}
initialOptions,
},

data () {
setup (props, { emit }) {
/**
* The task/job ID input.
* @type {import('vue').Ref<string>}
*/
const relativeID = useInitialOptions('relativeID', { props, emit })

const previousRelativeID = usePrevious(relativeID)

/**
* The selected log file name.
* @type {import('vue').Ref<string>}
*/
const file = useInitialOptions('file', { props, emit })

/** Set the value of relativeID at most every 0.5 seconds, used for text input */
const debouncedUpdateRelativeID = debounce((value) => {
relativeID.value = value
}, 500)

return {
// the log subscription query
query: null,
query: ref(null),
// list of log files for the selected workflow/task/job
logFiles: [],
logFiles: ref([]),
// the log file as a list of lines
results: new Results(),
// the task/job ID input
relativeID: null,
// the selected log file name
file: null,
results: ref(new Results()),
relativeID,
previousRelativeID,
file,
// the label for the file input
fileLabel: 'Select File',
fileLabel: ref('Select File'),
// turns the file input off (e.g. when the file list is being loaded)
fileDisabled: false,
// toggle between viewing workflow logs (0) and job logs (1)
jobLog: 0, // default to displaying workflow logs
fileDisabled: ref(false),
// toggle between viewing workflow logs (0) and job logs (1).
// default to displaying workflow logs unless initial task/job ID is provided.
jobLog: ref(relativeID.value == null ? 0 : 1),
// toggle timestamps in log files
timestamps: true,
timestamps: ref(true),
debouncedUpdateRelativeID,
}
},

data () {
return {
controlGroups: [
{
title: 'Log',
Expand All @@ -338,19 +371,23 @@ export default {
}
},

created () {
// set the ID/file if specified in initialOptions
if (this.initialOptions?.tokens?.task) {
this.relativeID = this.initialOptions.tokens.relativeID
}
if (this.initialOptions?.file) {
this.file = this.initialOptions.file
}
},

async mounted () {
// load the log file list and subscribe on startup
await this.updateLogFileList()
mounted () {
// Watch id & file together:
this.$watch(
() => ({
id: this.id ?? undefined, // (treat null as undefined)
file: this.file ?? undefined
}),
async ({ id }, old) => {
// update the query when the id or file change
this.updateQuery()
// refresh the file list when the id changes
if (id !== old?.id) {
await this.updateLogFileList()
}
},
{ immediate: true }
)
},

computed: {
Expand Down Expand Up @@ -409,6 +446,10 @@ export default {
// if reset===true then the this.file will be reset
// otherwise it will be left alone

if (!this.id) {
this.handleNoLogFiles()
return
}
// update the list of log files
this.fileLabel = 'Updating available files...'
this.fileDisabled = true
Expand All @@ -422,8 +463,7 @@ export default {
} catch (err) {
// the query failed
console.warn(err)
this.fileLabel = this.id ? `No log files for ${this.id}` : 'Enter a task/job ID'
this.fileDisabled = true
this.handleNoLogFiles()
return
}
const logFiles = result.data.logFiles?.files ?? []
Expand All @@ -445,31 +485,23 @@ export default {
this.fileDisabled = false
this.logFiles = logFiles
} else {
this.fileLabel = `No log files for ${this.id}`
this.fileDisabled = true
this.logFiles = []
this.handleNoLogFiles()
}
}
},
handleNoLogFiles () {
this.fileLabel = this.id ? `No log files for ${this.id}` : 'Enter a task/job ID'
this.fileDisabled = true
this.logFiles = []
},
},

watch: {
id: debounce(
// refresh the file list and update the query when the id changes
async function () {
await this.updateLogFileList()
this.updateQuery()
},
// only re-run this once every 0.5 seconds
500
),
jobLog () {
jobLog (val, old) {
// reset the filename when the log mode changes
this.file = null
// go back to last chosen job if we are switching back to job logs
this.relativeID = val ? this.previousRelativeID : null
},
file () {
// update the query when the file changes
this.updateQuery()
}
},

// Misc options
Expand Down
5 changes: 5 additions & 0 deletions src/views/Table.vue
Original file line number Diff line number Diff line change
Expand Up @@ -30,6 +30,11 @@ import { mapState, mapGetters } from 'vuex'
import { getPageTitle } from '@/utils/index'
import graphqlMixin from '@/mixins/graphql'
import subscriptionComponentMixin from '@/mixins/subscriptionComponent'
import {
initialOptions,
updateInitialOptionsEvent,
useInitialOptions
} from '@/views/initialOptions'
import TableComponent from '@/components/cylc/table/Table.vue'
import SubscriptionQuery from '@/model/SubscriptionQuery.model'
import gql from 'graphql-tag'
Expand Down
62 changes: 62 additions & 0 deletions src/views/initialOptions.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,62 @@
/**
* Copyright (C) NIWA & British Crown (Met Office) & Contributors.
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/

/* The `initialOptions` prop is used by views to specify any options such as
filters, inputs, toggles etc. that can be loaded when creating the view.
This is used for saving the view state along with the tab layout. */

import { ref, watch } from 'vue'

/**
* @callback emitter
* @param {updateInitialOptionsEvent} event
* @param {...any} args
*/

/** initialOptions prop */
export const initialOptions = {
type: Object,
required: false,
default: () => ({})
}

export const updateInitialOptionsEvent = 'update:initialOptions'

/**
* Return a ref that is bound to a sub-property of the initialOptions prop for a view.
*
* When the ref's value changes, the initialOptions prop is updated with the new value.
*
* @param {string} name
* @param {{
* props: { initialOptions: Record<string,T> },
* emit: emitter,
* }} param1
* @returns {import('vue').Ref<T>}
*/
export const useInitialOptions = (name, { props, emit }) => {
const _ref = ref(props.initialOptions[name])
watch(
_ref,
(val, old) => emit(
updateInitialOptionsEvent,
{ ...props.initialOptions, [name]: val }
),
{ immediate: true, deep: true }
)
return _ref
}
49 changes: 49 additions & 0 deletions tests/e2e/specs/log.cy.js
Original file line number Diff line number Diff line change
Expand Up @@ -134,3 +134,52 @@ describe('Log View', () => {
.should('be.visible')
})
})

describe('Log command in menu', () => {
it('opens a log view tab', () => {
cy.visit('/#/workspace/one')
.get('.lm-DockPanel-widget')
.should('have.length', 1)
.get('.c-tree .c-job:first')
.click()
.get('.c-mutation').contains('Log')
.click()
.get('.lm-DockPanel-widget')
.should('have.length', 2)
.get('[data-cy=log-viewer]')
.contains(jobLogLines.join(''))
})
})

describe('Log view in workspace', () => {
it('remembers job ID and file when switching between workflows', () => {
const jobFile = 'job.out'
const jobID = '4/avocet'
cy.visit('/#/workspace/one')
.get('#workflow-mutate-button')
.click()
.get('.c-mutation').contains('Log')
.click()
.get('[data-cy=job-toggle]')
.click()
.get('.c-log [data-cy=job-id-input] input').as('jobIDInput')
.type(jobID)
.get('[data-cy=log-viewer]')
.should('be.visible')
.get('.c-log [data-cy=file-input] input').as('fileInput')
.invoke('val')
.should('eq', jobFile)
// Navigate away
cy.visit('/#/workspace/two')
.get('.c-log')
.should('not.exist')
// Navigate back
cy.visit('/#/workspace/one')
.get('@jobIDInput')
.invoke('val')
.should('eq', jobID)
.get('@fileInput')
.invoke('val')
.should('eq', jobFile)
})
})
Loading