vue 组件 传参 数组
时间: 2023-08-18 22:05:31 浏览: 192
vue组件间的传值-小案例
在 Vue 中,可以使用组件之间的 props 属性来传递数组参数。以下是一个简单的示例代码,展示了如何在 Vue 组件中传递和接收数组参数:
```vue
<template>
<div>
<child-component :myArray="parentArray"></child-component>
</div>
</template>
<script>
import ChildComponent from './ChildComponent.vue';
export default {
components: {
ChildComponent
},
data() {
return {
parentArray: [1, 2, 3, 4, 5]
};
}
};
</script>
```
在上述示例中,我们有一个父组件和一个子组件。父组件通过将数组 `parentArray` 作为 props 属性传递给子组件来传递数组参数。
子组件 `ChildComponent` 的定义如下:
```vue
<template>
<div>
<ul>
<li v-for="item in myArray" :key="item">{{ item }}</li>
</ul>
</div>
</template>
<script>
export default {
props: {
myArray: {
type: Array,
required: true
}
}
};
</script>
```
在子组件中,我们定义了一个名为 `myArray` 的 prop 属性,类型为 Array,并且设置为必需的。然后,我们可以在模板中使用 `v-for` 指令来遍历 `myArray` 中的元素,并将其渲染为列表项。
父组件通过使用 `:myArray="parentArray"` 来将 `parentArray` 数组传递给子组件的 `myArray` prop 属性。
这样,就可以在 Vue 组件中成功传递和使用数组参数了。你可以根据实际需求传递不同的数组数据,并在子组件中进行相应的操作和渲染。
阅读全文