vue和elementui实现购物车功能
时间: 2023-09-10 07:11:40 浏览: 116
vue+ElementUI实现订单页动态添加产品数据效果实例代码
要实现购物车功能,可以使用Vue和Element UI提供的组件和功能。
首先,需要定义一个商品列表和一个购物车列表,可以使用Vue的data属性来定义。然后,可以使用Element UI的Table组件来展示商品列表和购物车列表。在Table组件中,可以使用TableColumn组件来定义每一列的显示内容。同时,可以使用Checkbox组件来实现商品选择和删除功能。
当用户点击加入购物车按钮时,可以将选中的商品添加到购物车列表中。可以使用Vue的计算属性来计算购物车中商品的总价和总数。
最后,可以使用Element UI的Dialog组件来展示结算页面,并提供确认支付的功能。当用户点击确认支付按钮时,可以将购物车列表发送到后端进行处理。
以下是一个简单的示例代码:
```
<template>
<div>
<el-table :data="goodsList">
<el-table-column type="selection"></el-table-column>
<el-table-column prop="name" label="商品名称"></el-table-column>
<el-table-column prop="price" label="价格"></el-table-column>
<el-table-column label="操作">
<template slot-scope="scope">
<el-button @click="addToCart(scope.row)">加入购物车</el-button>
</template>
</el-table-column>
</el-table>
<div>
<el-button @click="removeSelected">删除选中</el-button>
<el-button @click="clearCart">清空购物车</el-button>
</div>
<el-table :data="cartList">
<el-table-column type="selection"></el-table-column>
<el-table-column prop="name" label="商品名称"></el-table-column>
<el-table-column prop="price" label="价格"></el-table-column>
<el-table-column prop="count" label="数量"></el-table-column>
<el-table-column prop="totalPrice" label="总价"></el-table-column>
</el-table>
<div>总价:{{ totalPrice }}</div>
<el-dialog :visible.sync="dialogVisible">
<p>确认支付?</p>
<div>总价:{{ totalPrice }}</div>
<span slot="footer" class="dialog-footer">
<el-button @click="dialogVisible = false">取消</el-button>
<el-button type="primary" @click="submitOrder">确认支付</el-button>
</span>
</el-dialog>
</div>
</template>
<script>
export default {
data() {
return {
goodsList: [
{ id: 1, name: '商品1', price: 100 },
{ id: 2, name: '商品2', price: 200 },
{ id: 3, name: '商品3', price: 300 },
],
cartList: [],
dialogVisible: false,
};
},
computed: {
totalPrice() {
return this.cartList.reduce((total, item) => total + item.totalPrice, 0);
},
},
methods: {
addToCart(row) {
const index = this.cartList.findIndex((item) => item.id === row.id);
if (index === -1) {
this.cartList.push({ ...row, count: 1, totalPrice: row.price });
} else {
this.cartList[index].count++;
this.cartList[index].totalPrice = this.cartList[index].count * this.cartList[index].price;
}
},
removeSelected() {
this.cartList = this.cartList.filter((item) => !item.$checked);
},
clearCart() {
this.cartList = [];
},
submitOrder() {
// 发送购物车列表到后端进行处理
this.cartList = [];
this.dialogVisible = false;
},
},
};
</script>
```
需要注意的是,这只是一个简单的示例代码,实际应用中还需要考虑用户登录、商品库存、支付方式等问题。
阅读全文