我正在努力使用编辑表单来更新数据库中的数据,但找不到符合我的设置逻辑的在线任何内容。
我有一个添加按钮,一个删除按钮和一个编辑按钮。添加和删除有效,但编辑不会更新数据。
任何帮助将不胜感激,因为我尝试了多种方法但均未成功。
谢谢。
查看:
JSON_TABLE
网络/路由控制器:
@extends('layouts.app')
@section('content')
<div class="container flex-center">
<div class="row col-md-8 flex-column">
<h1>Edit a link</h1>
@foreach ($links as $link)
<form action="{{ url('link/'.$link->id) }}" method="POST">
{!! csrf_field() !!}
@method('PUT')
@if ($errors->any())
<div class="alert alert-danger" role="alert">
Please fix the following errors
</div>
@endif
<h3 class="edit-link-title">{{ $link->title }}</h3>
{!! csrf_field() !!}
<div class="form-group{{ $errors->has('title') ? ' has-error' : '' }}">
<label for="title">Title</label>
<input type="text" class="form-control" id="title" name="title" placeholder="Title" value="{{ $link->title }}">
@if($errors->has('title'))
<span class="help-block">{{ $errors->first('title') }}</span>
@endif
</div>
<div class="form-group{{ $errors->has('url') ? ' has-error' : '' }}">
<label for="url">Url</label>
<input type="text" class="form-control" id="url" name="url" placeholder="URL" value="{{ $link->url }}">
@if($errors->has('url'))
<span class="help-block">{{ $errors->first('url') }}</span>
@endif
</div>
<div class="form-group{{ $errors->has('description') ? ' has-error' : '' }}">
<label for="description">Description</label>
<textarea class="form-control" id="description" name="description" placeholder="description">{{ $link->description }}</textarea>
@if($errors->has('description'))
<span class="help-block">{{ $errors->first('description') }}</span>
@endif
@endforeach
</div>
<button type="submit" class="btn btn-default submit-btn">Submit</button>
</form>
</div>
</div>
@endsection
答案 0 :(得分:5)
作为一种设计模式,通常建议将您的控制器与路线分开。您的编辑没有更新的原因是您没有向模型提供请求中的数据:-
Route::PUT('/link/{link}', function (Request $request, Link $link) {
$request->validate([
'title' => 'required|max:255',
'url' => 'required|url|max:255',
'description' => 'required|max:255',
]);
$link->update($request->all());
return redirect('/');
});
在控制器中,您可以将验证逻辑抽象为验证助手功能,以避免重复代码。
祝你好运!