我想在laravel(我是新手)中为我的网络应用程序制作一个功能,每个帖子/评论/主题(在我的情况下)用户都有能力进行upVote和downVote。现在我正在使用upVote,但它无论如何都无法正常工作。
在视图中(welcome.blade.php) 我有:
<a href="{{ route('Voteplus', ['name' => $Theme->name]) }}"> <img class="media-object" style="height:40px; width:40px;" src="images/upVote.svg" alt="..."></a>
其中$ Theme-&gt; name是用户希望upVote / like(无论如何)的名称。
路线:
Route::put('/', [
'uses'=>'Vote@VotePlus',
'as' =>'Voteplus' //Name of route
]);
控制器:
<?php
namespace App\Http\Controllers;
use App\NewTheme;
use DB;
class Vote extends Controller {
public function VotePlus($name){
DB::table('New_Themes')
->where('name', $name)
->increment('upVotes', 1);
$Themes = NewTheme::paginate(5);
return redirect()->route('welcome', ['Themes'=>$Themes]);
}
};
我正在尝试一切,但它无法正常工作。有人能帮帮我吗?
答案 0 :(得分:2)
使用锚标记,您只发送一个获取请求。如果要放置它,则必须创建一个表单,然后添加:
<input type="hidden" name="_method" value="PUT">
答案 1 :(得分:1)
解决此问题的另一种方法是使用Ajax。现在,每次用户想要对主题进行投票时,页面都会刷新,这可能非常令人沮丧。
我认为你应该使用Ajax发布到后端,并在成功回调上使用javascript更新视图。我建议使用Angular作为前端。它拥有您需要的所有内容,并且发出Ajax请求非常简单。
因此,这是一个快速示例,说明如何使用Angular + Laravel使您的Web应用程序正常工作。
前端
<html ng-app="exampleApp">
<head>
<title>MyTitle</title>
<script src="https://ajax.googleapis.com/ajax/libs/angularjs/1.2.23/angular.min.js"></script>
</head>
<body>
<div ng-controller="ThemeController">
<ul>
<li ng-repeat="theme in themes">
<span><% theme.name %></span>
<p><% theme.description %></p>
<p><% theme.votes %></p>
<a href="#" ng-click="voteUp(theme)">Vote Up</a>
</li>
</ul>
</div>
<script type="text/javascript">
var app = angular.module("exampleApp", [], function($interpolateProvider) {
// This we need to not collide with Laravel's {{ }}
$interpolateProvider.startSymbol('<%');
$interpolateProvider.endSymbol('%>');
});
app.controller('ThemeController', function($scope, $http) {
$scope.themes = [];
$scope.voteUp = function(theme) {
$http({
url: '/api/themes/voteUp',
method: 'POST',
data: {
id: theme.id
}
}).success(function(response) {
theme.votes += 1;
});
}
// On init we need to get the themes
$http({
url: '/api/themes',
method: 'GET'
}).success(function(themes) {
$scope.themes = themes;
});
});
</script>
</body>
</html>
后端
您的路线
Route::get('api/themes', 'ThemeController@getFive');
Route::post('api/themes/voteUp, 'ThemeController@voteUp');
你的ThemeController
function getFive() {
return Theme::paginate(5);
}
function voteUp(Request $request) {
$theme = Theme::whereId($request->id);
$theme->votes += 1;
$theme->save();
return $theme;
}
此代码未经过测试。但我认为你明白了!