маршрутизация
Официально поддерживаемая библиотека vue-router рекомендуется для большинства одностраничных приложений.
Он тесно интегрируется с ядром Vue.js, что позволяет без проблем создавать одностраничное приложение с Vue.js. Его функции включают в себя:
- просмотреть карту / вложенный маршрут
- Компонентная / модульная конфигурация маршрутизатора
- Запрос маршрута, параметры, подстановочные знаки
- Просмотр эффектов перехода, которые приводятся в действие системой перехода Vue.js
- Имеет детальное управление навигацией
- Хорошо связывается с автоматическими активными классами CSS
- Он имеет режим истории HTML5 или режим хеширования, а также автоматический откат в IE9
- Имеет настраиваемое поведение прокрутки
Простая маршрутизация с нуля
Если нам нужна только очень простая маршрутизация и мы не хотим задействовать полнофункциональную библиотеку маршрутизаторов, мы можем сделать это путем динамического рендеринга компонента уровня страницы, например:
const NotFound = { template: 'Page not found
' }
const Home = { template: '<p>home page</p>' }
const About = { template: '<p>about page</p>' }
const routes = {
'/': Home,
'/about': About
}
new Vue({
el: '#app',
data: {
currentRoute: window.location.pathname
},
computed: {
ViewComponent () {
return routes[this.currentRoute] || NotFound
}
},
render (h) { return h(this.ViewComponent) }
})
В сочетании с HTML5 History API мы можем создать очень простой, но полностью функциональный маршрутизатор на стороне клиента.
Ниже приведен пример использования Vue Router для маршрутизации в одностраничном приложении:
HTML
<script src="https://unpkg.com/vue/dist/vue.js"></script>
<script src="https://unpkg.com/vue-router/dist/vue-router.js"></script>
<div id="app">
<h1>Hello App!</h1>
<p>
<!-we need to use router-link component for navigation. -->
<!-then we specify the link by passing the `to` prop. -->
<!-the `<router-link>` will be rendered as an `<a>` tag by default -->
<router-link to="/foo">Go to Foo</router-link>
<router-link to="/bar">Go to Bar</router-link>
</p>
<!-the route outlet -->
<!-the component that is matched by the route will render here -->
<router-view></router-view>
</div>
JS
// 0. when using a module system (e.g. via vue-cli), import Vue and VueRouter and then
// call `Vue.use(VueRouter)`.
// 1. Then define route components.
// These components can be imported from other files
const Foo = { template: '<div>foo</div>' }
const Bar = { template: '<div>bar</div>' }
// 2. Then you need to define some routes
// Each of the route should map to a component. The "component" can either
// be an actual component constructor created via `Vue.extend()`,
// or it could be just a component options object.
// We'll talk about nested routes later on.
const routes = [
{ path: '/bar', component: Bar },
{ path: '/foo', component: Foo }
]
// 3. We then create the router instance and pass the `routes` option
// You can pass in some additional options here, but we will keep
// it simple for now.
const router = new VueRouter({
routes // short for `routes: routes`
})
// 4. Create and then mount the root instance.
// Making sure to inject the router with the router option to make the whole
// app router-aware.
const app = new Vue({
router
}).$mount('#app')
// Now the app starts!
Интеграция сторонних маршрутизаторов
Если мы предпочитаем использовать сторонний маршрутизатор, такой как Director или Page.js, то интеграция также проста.
Новый контент: Composer: менеджер зависимостей для PHP , R программирования