18

main.js我有这样的事情:

import { myUtilFunc} from './helpers';
Object.defineProperty(Vue.prototype, '$myUtilFunc', { value: myUtilFunc });

通过这种方式,我可以访问myUtilFunc整个应用程序this.$myUtilFunc

setup()但是,如果我无法访问 Vue 3中的方法,我该如何实现this呢?

4

2 回答 2

20

使用provide/inject

提供

const app = createApp(App);
app.provide('someVarName', someVar);  // `Provide` a variable to all components here

注入

// In *any* component
const { inject } = Vue;
...
setup() {
  const someVar = inject('someVarName');   // injecting variable in setup
}

请注意,您不必从应用根目录提供,也可以provide从任何组件仅提供其子组件:

// In *any* component
setup() {
  ...
},
provide() {
  return {
    someVarName: someVar
  }
}

原始答案

[编辑:虽然我在下面的原始答案对属性仍然有用context,但不再建议使用,指南context.root中不再提及并且可能很快就会被弃用。]

在 Vue 3 中,setup有一个可选的第二个参数用于context. 您可以通过以下方式访问 Vuecontext.root实例this

setup(props, context) {
  context.root.$myUtilFunc  // same as `this.$myUtilFunc` in Vue 2
}

您可以通过以下方式访问的内容context

context.attrs
context.slots
context.parent
context.root
context.emit
于 2020-02-13T09:15:50.733 回答
5

虽然丹的答案是正确的,但我想提供评论中提到的替代答案来接受答案。各有优劣,所以需要根据自己的需要来选择。

要理解为什么下面的代码有效,重要的是要记住,提供的属性在组件树中是可传递的。即将inject('foo')在每个父级中查找“foo”,一直到app; 无需在中间包装器中声明任何内容。

所以,我们可以这样写,其中 globalDateFormatter() 只是我们想在树下的任何组件中使用的示例函数:

main.js

import { createApp } from 'vue'
import App from './App.vue'

const globalDateFormatter = (date) => {
    return '[' + date.toLocaleString() + ']'
}

const app = createApp(App)
app.provide('globalDateFormatter', globalDateFormatter) // <-- define here
app.mount('#app')

然后,在一些DeepDownComponent.vue中:

<template>
  <p> {{ fmt(new Date()) }} </p>
</template>

<script>
import { inject } from 'vue'
export default {
    setup(){
        const fmt = inject('globalDateFormatter', x => x.toString()) 
        //           ^-- use here, optional 2nd parameter is the default
        return {fmt}
    }
}
</script>

显然,你可以直接导入和使用provideinject带有以下签名

provide<T>(key: InjectionKey<T> | string, value: T): void

inject<T>(key: InjectionKey<T> | string, defaultValue: T): T

代码中的任何地方,不必是app.provide()

你也可以提供值,甚至是全局存储,就像这样,只是不要忘记使用ref()reactive()根据需要。

简而言之,无论何时你更喜欢依赖注入,provide/inject 都是你的朋友。

于 2020-04-11T05:12:33.647 回答