未捕获的类型错误:无法读取未定义的属性(读取“使用”)
2021-12-06
39749
我正在尝试使用 vue js 启动一个新项目。我认为我已经通过终端获得了所需的所有依赖项。我安装了 npm、vue、vue-bootstrap 和 vue-router。错误来自 router.js 的第 7 行,Vue.use(VueRouter)。
这是我的 main.js 的代码
import Vue from "vue"
import App from "./App.vue"
import router from "./router.js"
import BootstrapVue from "bootstrap-vue"
import "bootstrap/dist/css/bootstrap.css"
import "bootstrap-vue/dist/bootstrap-vue.css"
Vue.use(BootstrapVue)
Vue.config.productionTip = false
new Vue({
router,
render: h => h(App),
}).$mount('#app')
这是我的 router.js
import Vue from "vue"
import VueRouter from "vue-router"
import Home from "@/pages/Home.vue"
import About from "@/pages/About.vue"
import Contact from "@/pages/Contact.vue"
Vue.use(VueRouter)
export default new VueRouter({
mode: 'history',
base: process.env.BASE_URL,
routes: [
{
path: '/',
name: 'home',
component: Home
},
{
path: '/about',
name: 'about',
component: About
},
{
path: '/contact',
name: 'contact',
component: Contact
}
]
})
抱歉,我将 import vue 行与代码指示器放在了同一行,但它被截断了,错误仍然存​​在。
完整错误如下:
router.js?41cb:7 Uncaught TypeError: Cannot read properties of undefined (reading 'use')
at eval (router.js?41cb:7)
at Module../src/router.js (app.js:1261)
at __webpack_require__ (app.js:849)
at fn (app.js:151)
at eval (main.js:12)
at Module../src/main.js (app.js:1141)
at __webpack_require__ (app.js:849)
at fn (app.js:151)
at Object.1 (app.js:1274)
at __webpack_require__ (app.js:849)
eval @ router.js?41cb:7
./src/router.js @ app.js:1261
__webpack_require__ @ app.js:849
fn @ app.js:151
eval @ main.js:12
./src/main.js @ app.js:1141
__webpack_require__ @ app.js:849
fn @ app.js:151
1 @ app.js:1274
__webpack_require__ @ app.js:849
checkDeferredModules @ app.js:46
(anonymous) @ app.js:925
(anonymous) @ app.js:928
2个回答
Hiws 的回答:
BootstrapVue doesn't support Vue 3, so you'll have to either use Vue 2 or use another component library
谢谢。
Marcus
2021-12-07
使用 vue 3 创建应用程序时,您必须使用 Vue.createApp 方法,而不是创建新的 vue 实例。
new Vue({
router,
}).$mount('#app')
变为:
const app = Vue.createApp({
router,
})
app.mount('#app')
请记住,渲染 api 也发生了变化,而在 2 h 中已注入函数参数,现在您必须从 vue 导入它。例如:
import { h } from 'vue'
export default {
render() {
return h('div')
}
}
有关文档的更多信息: 此处 。
更新。根据评论中的要求,我扩展了示例,包括如何在 vue 3 上使用插件。
回到上面的例子,如果我们想使用插件,我们需要在挂载之前添加 .use 方法。例如:
const app = Vue.createApp({
router,
})
app.use(ThePluginIWantToUse)
app.mount('#app')
Raffobaffo
2021-12-06