Vue Router 4 is in beta and it’s subject to change.
To build a single page app easily, we got to add routing so that URLs will be mapped to components that are rendered.
In this article, we’ll look at how to use Vue Router 4 with Vue 3.
Scroll Behavior
We can change the scroll behavior with the Vue Router.
To do that, we add the scrollBehavior
method to the object that we pass into the createRouter
method.
For example, we can write:
<!DOCTYPE html>
<html lang="en">
<head>
<script src="https://unpkg.com/vue@next"></script>
<script src="https://unpkg.com/vue-router@4.0.0-beta.7/dist/vue-router.global.js"></script>
<title>App</title>
</head>
<body>
<div id="app">
<router-view></router-view>
<p>
<router-link to="/foo">foo</router-link>
<router-link to="/bar">bar</router-link>
</p>
</div>
<script>
const Foo = {
template: `<div>
<p v-for='n in 100'>{{n}}</p>
</div>`
};
const Bar = {
template: "<div>bar</div>"
};
const routes = [
{
path: "/foo",
component: Foo
},
{
path: "/bar",
component: Bar
}
];
const router = VueRouter.createRouter({
history: VueRouter.createWebHistory(),
routes,
scrollBehavior(to, from, savedPosition) {
return { left: 0, top: 500 };
}
});
const app = Vue.createApp({});
app.use(router);
app.mount("#app");
</script>
</body>
</html>
We return an object with the left
and top
properties.
left
is the x coordinate and top
is the y
coordinate we want to scroll to when the route changes.
to
has the route object of the route we’re moving to.
And from
has the route object we’re moving from.
Now when we click on the router links, we move to somewhere near the top of the page.
savedPosition
has the position that we scrolled in the previous route.
We can use the savedPosition
object as follows:
<!DOCTYPE html>
<html lang="en">
<head>
<script src="https://unpkg.com/vue@next"></script>
<script src="https://unpkg.com/vue-router@4.0.0-beta.7/dist/vue-router.global.js"></script>
<title>App</title>
</head>
<body>
<div id="app">
<router-view></router-view>
<p>
<router-link to="/foo">foo</router-link>
<router-link to="/bar">bar</router-link>
</p>
</div>
<script>
const Foo = {
template: `<div>
<p v-for='n in 100'>{{n}}</p>
</div>`
};
const Bar = {
template: `<div>
<p v-for='n in 150'>{{n}}</p>
</div>`
};
const routes = [
{
path: "/foo",
component: Foo
},
{
path: "/bar",
component: Bar
}
];
const router = VueRouter.createRouter({
history: VueRouter.createWebHistory(),
routes,
scrollBehavior(to, from, savedPosition) {
if (savedPosition) {
return savedPosition;
} else {
return { left: 0, top: 0 };
}
}
});
const app = Vue.createApp({});
app.use(router);
app.mount("#app");
</script>
</body>
</html>
When the savedPosition
object is defined, we return it.
Otherwise, we scroll to the top when we click on the router links.
Now when we scroll to the links, we’ll stay at the bottom of the page.
Conclusion
We can scroll to a given position on the page with Vue Router 4 with the scrollBehavior
method.