>  기사  >  웹 프론트엔드  >  vue-router를 사용하여 vue에서 페이지를 전환하는 방법

vue-router를 사용하여 vue에서 페이지를 전환하는 방법

亚连
亚连원래의
2018-06-23 17:12:022268검색

이 글에서는 주로 vue 프로젝트에서 페이지 전환을 위해 vue-router를 사용할 때 스크롤바가 자동으로 위로 스크롤되는 구현 방법을 소개합니다. 일반적으로 Window의 scrollTo() 메소드를 사용하여 구현됩니다. 이 글에서는 scrollTop의 사용법을 간략하게 소개합니다. . 필요한 것 친구들이 참조할 수 있습니다

때로는 고정된 위치로 스크롤하기 위해 페이지 스크롤 막대가 필요할 때가 있는데, 일반적으로 Window scrollTo() 메서드를 사용합니다. Window scrollTo() 方法。

语法就是:scrollTo(xpos,ypos)

xpos:必需。要在窗口文档显示区左上角显示的文档的 x 坐标。

ypos:必需。要在窗口文档显示区左上角显示的文档的 y 坐标。

例如滚动内容的坐标位置100,500:

window.scrollTo(100,500);

구문은 다음과 같습니다: scrollTo(xpos,ypos)

xpos: 필수. 창 문서 표시 영역의 왼쪽 상단에 표시될 문서의 x 좌표입니다.

ypos: 필수입니다. 창 문서 표시 영역의 왼쪽 상단에 표시될 문서의 y좌표입니다.

예를 들어 스크롤 콘텐츠의 좌표 위치는 100,500입니다. window.scrollTo(100,500);

자, 여기서는 이 scrollTop을 간략하게 소개하겠습니다. 라우터.

프런트 엔드 라우팅을 사용하면 새 경로로 전환할 때 페이지를 다시 로드하는 것처럼 페이지가 위로 스크롤되거나 원래 스크롤 위치를 유지하기를 원합니다. vue-router가 이를 수행할 수 있지만 더 좋은 점은 경로를 전환할 때 페이지 스크롤 방법을 사용자 정의할 수 있다는 것입니다.

참고: 이 기능은 HTML5 기록 모드에서만 사용할 수 있습니다.

라우터 인스턴스를 생성할 때 다음과 같이 scrollBehavior 메서드를 제공할 수 있습니다.

const router = new VueRouter({
 routes: [...],
 scrollBehavior (to, from, savedPosition) {
  // return 期望滚动到哪个的位置
 }
})

scrollBehavior 메서드는 경로 개체와 주고받습니다. 세 번째 매개변수SavedPosition은 popstate 탐색(브라우저의 앞으로/뒤로 버튼에 의해 트리거됨)인 경우에만 사용할 수 있습니다.

이 메소드는 다음과 같은 스크롤 위치의 객체 정보를 반환합니다:

{ x: number, y: number }
{ selector: string, offset? : { x: number, y: number }} (offset 只在 2.6.0+ 支持)

falsy(번역자 주: falsy는 false가 아닙니다. 여기를 참조하세요) 값이나 빈 객체를 반환하면 스크롤이 되지 않습니다. 발생하다.

예:

scrollBehavior (to, from, savedPosition) {
 return { x: 0, y: 0 }
}

모든 경로 탐색의 경우 페이지를 위로 스크롤하면 됩니다.

Return toSavedPosition. 뒤로/앞으로 버튼을 누르면 브라우저의 기본 동작처럼 작동합니다.

scrollBehavior (to, from, savedPosition) {
 if (savedPosition) {
  return savedPosition
 } else {
  return { x: 0, y: 0 }
 }
}

"스크롤하여 앵커" 동작을 시뮬레이션하려는 경우:

scrollBehavior (to, from, savedPosition) {
 if (to.hash) {
  return {
   selector: to.hash
  }
 }
}

라우팅 메타를 사용할 수도 있습니다. 정보 스크롤을 더욱 세밀하게 제어할 수 있습니다.

 routes: [
  { path: '/', component: Home, meta: { scrollToTop: true }},
  { path: '/foo', component: Foo },
  { path: '/bar', component: Bar, meta: { scrollToTop: true }}
 ]
전체 예:
import Vue from 'vue'
import VueRouter from 'vue-router'
Vue.use(VueRouter)
const Home = { template: '

home

' } const Foo = { template: '

foo

' } const Bar = { template: `

bar

Anchor

` } // scrollBehavior: // - only available in html5 history mode // - defaults to no scroll behavior // - return false to prevent scroll 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 } // check if any matched route config has meta that requires scrolling to top 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 } } const router = new VueRouter({ mode: 'history', base: __dirname, scrollBehavior, routes: [ { path: '/', component: Home, meta: { scrollToTop: true }}, { path: '/foo', component: Foo }, { path: '/bar', component: Bar, meta: { scrollToTop: true }} ] }) new Vue({ router, template: `

Scroll Behavior

  • /
  • /foo
  • /bar
  • /bar#anchor

` }).$mount('#app')

인터넷에서 확인해 보니 네티즌들이 vue-router

router.afterEach((to,from,next) => {
  window.scrollTo(0,0);
});
를 사용하여 main.js 항목 파일에 이것을 작성해 볼 수도 있다고 합니다. 위 내용은 제가 모두를 위해 편집한 내용입니다. 앞으로 모든 분들께 도움이 되길 바랍니다. 관련 기사:

node.js의 라우팅 및 미들웨어에 대한 자세한 소개

🎜🎜Angular를 사용하여 기본 장바구니 기능을 구현하는 방법🎜🎜🎜🎜React Components의 제어되는 구성 요소와 제어되지 않는 구성 요소에 대한 자세한 소개🎜🎜

위 내용은 vue-router를 사용하여 vue에서 페이지를 전환하는 방법의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

성명:
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.