我正在尝试使用Vuetify网格系统在v-for循环中显示卡片项目。设置循环以遍历从Vuex存储文件返回到模板的动态输入的Firestore项目(“ this。$ store.getters.getItems”中的项目),然后将这些项目呈现为Vuetify卡。我成功设置了循环,以将项目呈现在容器内的小卡片中。但是,我希望这些卡在网格中呈现。换句话说,我想创建一个断点,以便在第3张卡(例如第4张,第5张和第6张卡)之后下降到新行。我该如何实现?我知道如何在v-for循环中没有Vuex getter方法的情况下以更简单的设置执行此操作。但是,当Vuex方法开始输入图片时,这如何工作?我的代码如下:
Home.vue
<template>
<div id="home">
<v-container>
<v-text-field v-model="myTodo" placeholder="add input"></v-text-field>
<v-btn @click="addToDo">Add</v-btn>
</v-container>
<v-container>
<v-flex md7>
<v-card class="elevation-0 transparent card-container grey">
<v-card-title primary-title class="layout justify-center">
<div class="headline text-xs-center">CARD CONTAINER</div>
</v-card-title>
<v-flex d-flex>
<v-card class="card-container" v-for="item in this.$store.getters.getItems" :key="item.id">
{{ item.title }}<v-btn @click="deleteItem(item.id)">Delete</v-btn>
</v-card>
</v-flex>
</v-card>
</v-flex>
</v-container>
</div>
</template>
<script>
import { db } from '@/main'
export default {
name: 'home',
beforeCreate: function () {
this.$store.dispatch('setItems')
},
data: function () {
return {
myTodo: '',
errors: ''
}
},
methods: {
addToDo: function () {
this.errors = ''
if (this.myTodo !== '') {
db.collection('items').add({
title: this.myTodo,
created_at: Date.now()
}).then((response) => {
if (response) {
this.myTodo = ''
}
}).catch((error) => {
this.errors = error
})
} else {
this.errors = 'Please enter some text'
}
},
deleteItem: function (id) {
if (id) {
db.collection("items").doc(id).delete().then(function() {
console.log('Document successfully deleted')
}).catch(function(error) {
this.error = error
})
} else {
this.error = 'Invalid ID'
}
}
}
}
</script>
<style>
.card-container {
margin: 10px;
padding: 10px;
}
</style>
store.js
import Vue from 'vue'
import Vuex from 'vuex'
import { db } from '@/main'
Vue.use(Vuex)
export default new Vuex.Store({
state: {
items: null
},
getters: {
getItems: state => {
return state.items
}
},
mutations: {
setItems: state => {
let items = []
db.collection('items').orderBy('created_at').onSnapshot((snapshot) => {
items = []
snapshot.forEach((doc) => {
items.push({ id: doc.id, title: doc.data().title })
})
state.items = items
})
}
},
actions: {
setItems: context => {
context.commit('setItems')
}
}
})
答案 0 :(得分:1)
实际上,您只是在创建一张卡片列表,它们将在v-flex
内显示,而无需任何进一步的指示。
要进行网格布局,您应该使用v-layout
加上v-flex
。
<v-flex d-flex>
<v-layout wrap>
<v-flex md4 v-for="item in this.$store.getters.getItems" :key="item.id">
<v-card class="card-container">
{{ item.title }}<v-btn @click="deleteItem(item.id)">Delete</v-btn>
</v-card>
</v-flex>
</v-layout>
</v-flex>
在这段代码中,我用v-layout
属性wrap
包装卡片,不需要为行写新的v-layout
。
将for循环移至v-flex
,并将单元格的大小设为4。
在网格布局中,您有12个框,如果需要3个框,则每个框的大小必须为4(md4)。
如果您需要灵活得多的布局,则应将v-layout
放入循环中,并在每次需要新行时打印新的文本。
注意
我是vuetify的新手,所以不确定是否有更好的方法来实现这一目标。