使用前端路由,當切換到新路由時,想要頁面滾到頂部,或者是保持原先的滾動位置,就像從新加載頁面那樣。 vue-router
能作到,並且更好,它讓你能夠自定義路由切換時頁面如何滾動。html
注意: 這個功能只在 HTML5 history 模式下可用。前端
當建立一個 Router 實例,你能夠提供一個 scrollBehavior
方法:vue
const router = new VueRouter({ routes: [...], scrollBehavior (to, from, savedPosition) { // return 指望滾動到哪一個的位置 } })
scrollBehavior
方法接收 to
和 from
路由對象。第三個參數 savedPosition
當且僅當 popstate
導航 (經過瀏覽器的 前進/後退 按鈕觸發) 時纔可用。vue-router
這個方法返回滾動位置的對象信息,長這樣:瀏覽器
{ x: number, y: number }
{ selector: string, offset? : { x: number, y: number }}
(offset 只在 2.6.0+ 支持)若是返回一個 falsy (譯者注:falsy 不是 false
,參考這裏)的值,或者是一個空對象,那麼不會發生滾動。ide
舉例:spa
scrollBehavior (to, from, savedPosition) { return { x: 0, y: 0 } }
對於全部路由導航,簡單地讓頁面滾動到頂部。code
返回 savedPosition
,在按下 後退/前進 按鈕時,就會像瀏覽器的原生表現那樣:router
scrollBehavior (to, from, savedPosition) { if (savedPosition) { return savedPosition } else { return { x: 0, y: 0 } } }
若是你要模擬『滾動到錨點』的行爲:htm
scrollBehavior (to, from, savedPosition) { if (to.hash) { return { selector: to.hash } } }
咱們還能夠利用路由元信息更細顆粒度地控制滾動。查看完整例子:
const scrollBehavior = (to, from, savedPosition) => { if (savedPosition) { // savedPosition is only available for popstate navigations. return savedPosition } else { const position = {} // new navigation. // scroll to anchor by returning the selector if (to.hash) { position.selector = to.hash } // 若是meta中有scrollTop if (to.matched.some(m => m.meta.scrollToTop)) { // cords will be used if no selector is provided, // or if the selector didn't match any element. position.x = 0 position.y = 0 } // if the returned position is falsy or an empty object, // will retain current scroll position. return position } }
與keepAlive結合,若是keepAlive的話,保存停留的位置:
scrollBehavior (to, from, savedPosition) { if (savedPosition) { return savedPosition } else { if (from.meta.keepAlive) { from.meta.savedPosition = document.body.scrollTop; } return { x: 0, y: to.meta.savedPosition ||0} } }