vue3+ts 自定义指令修改dom样式 执行了 但初始化页面样式没有生效
时间: 2023-08-21 08:03:40 浏览: 103
vue3中使用Web Worker多线程(TS风味版)
在 Vue3 中,自定义指令的钩子函数与 Vue2 有所不同,其中 `bind` 钩子已经被废弃,取而代之的是 `beforeMount`、`mounted`、`beforeUpdate`、`updated`、`beforeUnmount`、`unmounted` 等钩子函数,它们的执行时机也有所不同。
如果你在 `mounted` 钩子中修改 DOM 样式,那么样式修改会在组件挂载到页面后才生效。如果你希望样式修改能够在页面初始化时就生效,可以考虑在 `beforeMount` 钩子中执行修改操作。例如:
```typescript
import { DirectiveBinding } from 'vue';
// 定义自定义指令
const myDirective = {
beforeMount(el: HTMLElement, binding: DirectiveBinding) {
// 修改 DOM 样式
el.style.color = binding.value;
}
};
// 在组件中使用自定义指令
<template>
<div v-my-directive="color">Hello World</div>
</template>
<script lang="ts">
import { defineComponent } from 'vue';
export default defineComponent({
data() {
return {
color: 'red'
};
},
directives: {
myDirective
}
});
</script>
```
注意,在使用 TypeScript 时需要引入 `DirectiveBinding` 类型,并在自定义指令的参数中使用该类型,否则会报错。另外,如果你在自定义指令中使用了异步操作,例如发送网络请求等,建议在 `mounted` 钩子中执行,以确保 DOM 已经渲染完毕。
阅读全文