Compare commits

...

1 Commits

Author SHA1 Message Date
Ferdinand Thiessen dab678f7c5 [WIP] Make router interface reactive while being framework agnostic
Currently it is only reactive when used within the files app, because the files app
can access the vue router directly, problem is when other apps use it, then it is not reactive anymore
as they have a different Vue.
Also if you do not use Vue but vanilla JS or something else, the router params and query would not be reactive.

Problem that this is solving: React to route changes only, watching current view and query will trigger
on different time frames causing invalid states.
e.g. changing the view from A to B and the query from `/foo` to `/` will cause:
1. View change
2. query change

But after 1 the query is invalid and cause issues.

So this changes will allow listening the route change which is combined 1 & 2 -> valid state.

Signed-off-by: Ferdinand Thiessen <opensource@fthiessen.de>
2024-08-08 13:51:33 +02:00
5 changed files with 78 additions and 25 deletions
+17 -3
View File
@@ -4,7 +4,7 @@
-->
<template>
<VirtualList ref="table"
:data-component="userConfig.grid_view ? FileEntryGrid : FileEntry"
:data-component="fileEntryComponent"
:data-key="'source'"
:data-sources="nodes"
:grid-mode="userConfig.grid_view"
@@ -132,8 +132,6 @@ export default defineComponent({
data() {
return {
FileEntry,
FileEntryGrid,
headers: getFileListHeaders(),
scrollToIndex: 0,
openFileId: null as number|null,
@@ -141,6 +139,13 @@ export default defineComponent({
},
computed: {
/**
* The Vue component to use for file list entries
*/
fileEntryComponent() {
return this.userConfig.grid_view ? FileEntryGrid : FileEntry
},
userConfig(): UserConfig {
return this.userConfigStore.userConfig
},
@@ -218,6 +223,11 @@ export default defineComponent({
},
methods: {
reset() {
this.scrollToIndex = 0
this.openFileId = null
},
// Open the file sidebar if we have the room for it
// but don't open the sidebar for the current folder
openSidebarForFile(fileId) {
@@ -236,6 +246,10 @@ export default defineComponent({
if (fileId) {
const index = this.nodes.findIndex(node => node.fileid === fileId)
if (warn && index === -1 && fileId !== this.currentFolder.fileid) {
logger.error('File to scroll to not found', {
folder: this.currentFolder,
fileId,
})
showError(this.t('files', 'File not found'))
}
this.scrollToIndex = Math.max(0, index)
+35 -2
View File
@@ -4,14 +4,47 @@
*/
import type { Route } from 'vue-router'
import type VueRouter from 'vue-router'
import type { Dictionary, Location } from 'vue-router/types/router'
import type { Dictionary, Location } from 'vue-router/types/router.d.ts'
import { TypedEventTarget } from 'typescript-event-target'
export default class RouterService {
interface NavigationEventData {
name: Route['name']
params: Route['params']
query: Route['query']
}
class NavigationEvent extends CustomEvent<NavigationEventData> {
constructor({ name, params, query }: Route) {
super('navigation', {
detail: {
name,
// Do not let API users mess with internal state of our VueRouter (e.g. if they use Vue it could conflict)
params: structuredClone(params),
query: structuredClone(query),
},
})
}
}
interface RouterEventMap {
navigation: NavigationEvent
}
export default class RouterService extends TypedEventTarget<RouterEventMap> {
private _router: VueRouter
constructor(router: VueRouter) {
super()
this._router = router
this._router.beforeEach((to, from, next) => {
// emit event
this.dispatchTypedEvent('navigation', new NavigationEvent(to))
// continue
next()
})
}
get name(): string | null | undefined {
+2 -2
View File
@@ -397,7 +397,7 @@ export default defineComponent({
showCustomEmptyView() {
return !this.loading && this.isEmptyDir && this.currentView?.emptyView !== undefined
}
},
},
watch: {
@@ -657,7 +657,7 @@ export default defineComponent({
filterDirContent() {
let nodes = this.dirContents
for (const filter of this.filtersStore.sortedFilters) {
nodes = filter.filter(nodes)
nodes = filter.filter(nodes) as Node[]
}
this.dirContentsFiltered = nodes
},
@@ -40,9 +40,7 @@ import type { IAccountData } from '../filters/AccountFilter.ts'
import { translate as t } from '@nextcloud/l10n'
import { mdiAccountMultiple } from '@mdi/js'
import { useBrowserLocation } from '@vueuse/core'
import { computed, ref, watch } from 'vue'
import { useNavigation } from '../../../files/src/composables/useNavigation.ts'
import { computed, onMounted, ref, watch } from 'vue'
import FileListFilter from '../../../files/src/components/FileListFilter/FileListFilter.vue'
import NcActionButton from '@nextcloud/vue/dist/Components/NcActionButton.js'
@@ -50,6 +48,7 @@ import NcActionInput from '@nextcloud/vue/dist/Components/NcActionInput.js'
import NcAvatar from '@nextcloud/vue/dist/Components/NcAvatar.js'
import NcIconSvgWrapper from '@nextcloud/vue/dist/Components/NcIconSvgWrapper.js'
import { ShareType } from '@nextcloud/sharing'
import { getNavigation, View } from '@nextcloud/files'
interface IUserSelectData {
id: string
@@ -61,12 +60,12 @@ const emit = defineEmits<{
(event: 'update:accounts', value: IAccountData[]): void
}>()
const { currentView } = useNavigation()
const currentLocation = useBrowserLocation()
const accountFilter = ref('')
const availableAccounts = ref<IUserSelectData[]>([])
const selectedAccounts = ref<IUserSelectData[]>([])
const currentView = ref<View | null>(null)
/**
* Currently shown accounts (filtered)
*/
@@ -107,14 +106,21 @@ watch(selectedAccounts, () => {
/**
* Update the accounts owning nodes or have nodes shared to them
* @param path The path inside the current view to load for accounts
*/
async function updateAvailableAccounts(path: string = '/') {
async function updateAvailableAccounts() {
availableAccounts.value = []
// Skip while loading
if (!currentView.value) {
return
}
const path: string = [window.OCP.Files.Router.query.dir].flat()[0] || '/'
// Skip for tags as they do not have an owner
if (currentView.value.id === 'tags' && path === '/') {
return
}
const { contents } = await currentView.value.getContents(path)
const available = new Map<string, IUserSelectData>()
for (const node of contents) {
@@ -152,6 +158,16 @@ async function updateAvailableAccounts(path: string = '/') {
availableAccounts.value = [...available.values()]
}
(window.OCP.Files.Router as unknown as EventTarget).addEventListener('navigation', () => {
currentView.value = getNavigation().active
updateAvailableAccounts()
})
onMounted(() => {
currentView.value = getNavigation().active
updateAvailableAccounts()
})
/**
* Reset this filter
*/
@@ -160,17 +176,6 @@ function resetFilter() {
accountFilter.value = ''
}
defineExpose({ resetFilter, toggleAccount })
// When the current view changes or the current directory,
// then we need to rebuild the available accounts
watch([currentView, currentLocation], () => {
if (currentView.value) {
// we have no access to the files router here...
const path = (currentLocation.value.search ?? '?dir=/').match(/(?<=&|\?)dir=([^&#]+)/)?.[1]
resetFilter()
updateAvailableAccounts(decodeURIComponent(path ?? '/'))
}
}, { immediate: true })
</script>
<style scoped lang="scss">
+1
View File
@@ -98,6 +98,7 @@
"snap.js": "^2.0.9",
"strengthify": "github:nextcloud/strengthify#0.5.9",
"throttle-debounce": "^5.0.2",
"typescript-event-target": "^1.1.1",
"underscore": "1.13.6",
"url-search-params-polyfill": "^8.1.1",
"v-click-outside": "^3.2.0",