我陷入困境,并希望 Javascript Jedi 可以帮助我指出正确的方向。
问题范围:
我正在将Laravel集合传递给我的Vue组件。在组件内部,我正在遍历集合并通过axios提交表单。表单提交后,数据库中的数据已更新,但是 __我不清楚如何在不刷新页面的情况下显示更新的值。__
预期结果:
提交表单后,更新后的数据将反映在Vue模板内的{{ collection.value }}
中
出了什么问题:
数据库中的数据正在更新,但是{{ collection.value }}
保持不变,直到重新加载页面为止。
Web.php :
Route::post('/updateQty', 'MyController@update');
MyController :
public function update(Request $request)
{
$product = Product::where('id', $request->productId)
->update([ 'qty' => $request->qty ]);
return response()->json($product);
}
public function index()
{
$collection = DB::table('products')->get();
return view('my-blade', [
'collections' => $collection,
]);
}
数据库中存储的$ collection结构:
'qty' => decimal(8,2),
'class' => varchar(255),
'description' => varchar(255),
'value' => decimal(8,2),
'productId' => int(11)
我的刀片:
<my-component :collections="{{ $collections }}"></my-component>
MyComponent.vue :
<template>
<div class="container">
<div class="row">
<div class="col-lg-12">
<table class="table table-sm">
<div v-if="collections.length">
<tr v-for="collection in collections" v-bind:key="collection.id">
<td>
<form @submit="updateQty">
<input type="hidden" id="productId" :value="collection.productId" name="productId">
<select class="form-control" name="qty" id="qty" @change="updateQty">
<option :value="collection.qty">{{ collection.qty }}</option>
<option v-for="(x, index) in 200" v-bind:key="index" :value="index">{{ index }}</option>
</select>
</form>
</td>
<td>{{ collection.value }}</td>
</tr>
</div>
</table>
</div>
</div>
</div>
</template>
<script>
export default {
props: ['collections'],
data() {
return {
qty: '',
}
}
mounted() {
console.log('MyComponent.vue mounted successfully');
},
methods: {
updateQty(e) {
e.preventDefault();
let currentObj = this;
let url = '/updateQty';
axios.post(url, {
qty: qty.value,
})
.then(function (response) {
currentObj.value = (response.data);
let collections = response.data;
})
},
}
}
</script>
App.js
Vue.component('my-component', require('./components/MyComponent.vue'));
我敢肯定这很简单,但是对于我一生来说,我无法忍受它。提前非常感谢您!
答案 0 :(得分:3)
您只需要稍微更改一下脚本即可。
首先,将collections属性保存到data属性,否则Vue在尝试更新它时会尖叫。为此,我将传入的prop
重命名为collections_prop
之类。然后将其保存到collections
数据属性。
然后在更新响应中将let collections =
更改为this.collections =
。
编辑:由于您可能无法访问.then
变量,因此我将this
函数更改为ES6语法。不需要currentObj
东西。
export default {
props: ['collections_prop'],
mounted() {
console.log('MyComponent.vue mounted successfully');
},
data() {
return {
collections: this.collections_prop;
}
},
methods: {
updateQty(e) {
e.preventDefault();
let url = '/updateQty';
// not sure where qty is coming from
// but you said that's all worked out
// on your end
axios.post(url, {
qty: qty.value,
})
.then(response => {
this.collections = response.data;
})
},
}
}
最后,不要忘了更新视图中的道具。
<my-component :collections_prop="{{ $collections }}"></my-component>
或者如果您以后想要将prop类型指定为JSON:
<my-component :collections_prop='@json($collections)'></my-component>