message model and user model - php

code of message model
<?php
namespace App;
use Illuminate\Database\Eloquent\Model;
class Message extends Model
{
protected $table="Message";
}
code of user model
<?php
namespace App;
use Illuminate\Contracts\Auth\Authenticatable;
use Illuminate\Database\Eloquent\Model;
class User extends Model implements Authenticatable
{
use \Illuminate\Auth\Authenticatable;
protected $table="NewUser";
}

The message is not displayed because you didn't include it to your blade template. The working solution should be like this:
<img src="\upload\{{$detail->image}}" height="100px" width="100px">
{{$detail->username}}
<br/>
{{$detail->email}}
<br>
#foreach($messages as $message)
{{$message->body}}
#endforeach
<form action="/store/{{$detail->id}}" method="post">
{!!csrf_field()!!}
<input type="text" name="title" class="form-control" placeholder="title" required>
<br/>
<textarea rows="4" cols="4" name="post" class="form-control" placeholder="post" required></textarea>
<br/>
<input type="submit" name="submit" class="btn btn-primary" value="submit">
</form>
Of course change "body" with whatever field you have in messsages table in DB.
EDIT:
You are forwarding same ID to fetch users and their messages.
public function getId($id)
{
$data['detail']=User::find($id) AND $data['messages']=Message::find($id);
return view('new_form',$data);
}
Once you define the right model relationship, you should do something like this:
public function getId($id)
{
$user = User::find($id)
$data['detail']=$user AND $data['messages']=$user->messages()
return view('new_form',$data);
}
Your User.php should have the relationship as Ketav Chotaliya suggested:
public function messages()
{
return $this->hasMany('App\Message');
}
This should work if your message model is called Message.php, for everything else, rewrite accordingly

I'm not getting your point exactly.
If you are facing problem in JOIN two tables than here is the solution.
You can directly get JOINED data without JOIN Query IF you set eloquent-relationships in model..
Model file
<?php
namespace App;
use Illuminate\Database\Eloquent\Model;
class <model_name> extends Model
{
public function <function_name>()
{
return $this->hasMany('<namespace_of_target_model>');
}
}
Get JOINED Data in one single query.
$data = DB::table('table')
->where('column', <condition>)
->get();
If you didn't set relationship between models than you have to manually JOIN two tables.
Controller file
$data = DB::table('<table_1>')
->leftJoin('<table2>', '<table_1.key>', '<condition>', '<table_2.key>')
->get();
Here is the Example of different types JOIN in Laravel 5.3.

Related

Problem with inserting from input in database

I have many to many relationship between UserProfile model and UserTv model. Here are the tables.
user_profiles
id user_id username
1 1 AuthUser
tv
id name
1 Action
2 Drama
3 Comedy
4 manually added some genre from input from authenticated user
user_tv
id user_id tv_id
1 1 2
1 1 4
For example, these first three ids in tv table (Action, Drama, Comedy) are inserted through seeders and this fourth id is inserted manually through input text from form by that user who is authenticated. And there lies the my problem. I want that those values that are manually added through input in form to only be able to see that user that inserted those values, and all other users can't. But also I want all users to remain to see those first three values that are generated through seeder. Currently everything works so that all users can see everything. Any help is appreciated. Here is my code.
UserProfile.php
<?php
namespace App;
use App\User;
use Illuminate\Support\Facades\App;
use Illuminate\Database\Eloquent\Model;
class UserProfile extends Model
{
protected $fillable = [
'user_id',
'username',
];
public function user()
{
return $this->belongsTo(User::class);
}
public function tvs()
{
return $this->belongsToMany(UserTv::class, 'user_tv', 'user_id', 'tv_id');
}
}
UserTv.php
<?php
namespace App;
use Illuminate\Database\Eloquent\Model;
class UserTv extends Model
{
protected $table = 'tv';
protected $fillable = [
'name'
];
public function userProfiles()
{
return $this->belongsToMany(UserProfile::class, 'user_tv', 'tv_id', 'user_id');
}
}
web.php
Route::get('profile/{profile}', 'UserProfileController#showProfile')->name('profile.show');
Route::patch('profile/update-tv-options', 'TvController#updateTvOptions')->name('profile.update.tv.options');
Route::post('profile/insert-tv-options', 'TvController#insertTvOptions')->name('profile.insert.tv.options');
TvController.php
<?php
namespace App\Http\Controllers;
use App\UserTv;
use App\UserProfile;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\DB;
use Illuminate\Support\Facades\Auth;
use App\Http\Requests\InsertTvOptionsRequest;
use App\Http\Requests\UpdateTvOptionsRequest;
class TvController extends Controller
{
public function updateTvOptions(UpdateTvOptionsRequest $request)
{
$user = Auth::user();
$userProfile = UserProfile::where('user_id', Auth::id())->first();
$userProfile->update($request->all());
$data = $request->get('tvsOptions', '[]');
$userProfile->tvs()->sync($data);
return redirect()->route('profile.show', [$user->username]);
}
public function insertTvOptions(InsertTvOptionsRequest $request)
{
$user = Auth::user();
$tv = UserTv::create($request->all());
return redirect()->route('profile.show', [$user->username]);
}
}
UserProfileController.php
<?php
namespace App\Http\Controllers;
use App\User;
use App\UserTv;
use App\UserProfile;
class UserProfileController extends Controller
{
public function showProfile($username, Request $request)
{
$profileId = User::getIdFromUsername($username);
$userForShowProfile = User::with('userProfile')->where('id', $profileId)->firstOrFail();
$tvsOptions = UserTv::get();
$userTvsOptions = UserProfile::findOrFail($profileId)->tvs()->get();
return view('profile.show', compact('userForShowProfile', 'tvsOptions', 'userTvsOptions'));
}
}
show.blade.php
<section data-edit="movies" class="editMovies">
<h3 class="textBold">Film</h3>
<form action="{{ route('profile.update.tv.options') }}" method="POST" class="flex">
#method('PATCH')
#csrf
<div class="form-group flex">
#isset($tvsOptions, $userTvsOptions)
#foreach($tvsOptions as $option)
<div class="interestedIn">
<input type="checkbox" name="tvsOptions[]" value="{{ $option->id }}" {{ $userTvsOptions->contains('id', $option->id)? 'checked': ''}}>
<label for="">{{ $option->name }}</label>
</div>
#endforeach
#endisset
</div>
<div class="form-group">
<label for="" class="textBold">Button FOR CHECKBOX</label>
<input type="submit" class="form-control" name="submit" value="BUTTON">
</div>
</form>
<form action="{{ route('profile.insert.tv.options') }}" method="POST" class="flex">
#csrf
<div class="form-group mt-5">
<input type="text" name="name" placeholder="INSERT NEW MOVIE GENRE">
</div>
<div class="form-group">
<label for="" class="textBold">Button FOR INSERT!!!</label>
<input type="submit" class="form-control" name="submit" value="BUTTON">
</div>
</form>
</section>
And I want to contain first three options for all users and that fourth option for only this user that inserted that.
Something like this?
$defaultTvsOptions = UserTv::whereIn('name', ['Action', 'Drama', 'Comedy'])->get(); // return only action, drama and comedy. you can use ids.
$userTvsOptions = UserProfile::findOrFail($profileId)->tvs;
$tvsOptions = $defaultTvsOptions->merge($userTvsOptions); // merge default and logged user tvs options
To make it more maintainable, you could use configs in your root directory of project.
$defaultTvsOptions = UserTv::whereIn('name', config('config name where return the array'));
Hope it helps you.
Hey As you Have a pivot table You can pull the data Like This:
Userprofile model
public function tv() {
return $this->hasManyThrough(
'Tv class ',
'user_tv class',
'user_id',
'id',
'user_id',
'tv_id'
);
}
UserController
$data = UserProfile::with('tv')
->where(condition)
->get();

Laravel: Error trying to get unique users to create posts

Right so im trying to make a website where a registered user can create a post. The issue i am having rigt now is getting the post to be added to the the database. It should work but im getting an error.
The error:
Call to a member function posts() on null
The error points to my post controller class
<?php
use App\Post;
namespace App\Http\Controllers;
use Illuminate\Http\Request;
class postController extends Controller
{
public function postCreatePost(Request $request){
$post = new Post();
$post->body = $request['body'];
$request->user()->posts($post); //points here
return redirect()->route('dashboard');
}
}
This is my post migration up method:
public function up()
{
Schema::create('posts', function (Blueprint $table) {
$table->increments('id');
$table->timestamps();
$table->text('body');
$table->integer('user_id');
});
}
Post model:
<?php
namespace App;
use Illuminate\Database\Eloquent\Model;
class Post extends Model
{
public function user(){
return $this->belongsTo['App\User'];
}
}
User model:
<?php
namespace App;
use Illuminate\Database\Eloquent\Model;
use Illuminate\Contracts\Auth\Authenticatable;
class User extends Model implements Authenticatable
{
use \Illuminate\Auth\Authenticatable;
public function posts(){
return $this->hasMany('App\Post');
}
}
The section the user types in:
<section class="row new-post">
<div class="col-md-6 col-md-offset-3">
<form action="{{ route('postcreate') }}" method="post">
<div class="form-group">
<textarea class="form-control" name="body" rows="5" placeholder="your post"></textarea>
</div>
<button type="submit" class="btn btn-primary">Create post</button>
<input type="hidden" name="_token" value="{{ csrf_token() }}">
</form>
</div>
</section>
The problem is that on your controller you do:
$request->user()->posts($post); //points here
You are considering that user() will always return something.
If your route isn't guarded by the auth middleware, $request->user() may return null if there's no authenticated user.
So you have two options: Or you add the auth middleware, or you put an if on your code:
if ($request->user()) {
$request->user()->posts($post);
}
However, this will fix the error but it won't create a post
public function postCreatePost(Request $request){
$post = new Post();
$post->body = $request['body'];
$request->user()->posts($post); // This call isn't valid.
return redirect()->route('dashboard');
}
The right way to do is:
public function postCreatePost(Request $request){
$request->user()->posts()->create([
'body' => $request->body
// Here I'm assumming that the only field is the `body`,
// but you may need other fields if they exists.
// the `user_id` field will be automatically filled.
];
return redirect()->route('dashboard');
}

Laravel CLI has stopped working after inserting data into database

I am trying to insert data into a database. This actually works but whenever the submit button is clicked and the browser goes to the action page, i get a "CLI has stopped working" error resulting in a shut down of the local php server.
Since i have no clue as to why i am getting this problem. I will provide all the code that possibly could lead to this error.
The form:
<form method="POST" action="store">
{{ csrf_field() }}
<label for="title">Title</label>
<input type="text" id="title" name="title">
<label for="url">URL</label>
<input type="text" id="url" name="url">
<input type="submit">
</form>
The controller:
<?php
namespace App\Http\Controllers;
use App\Article;
use Illuminate\Http\Request;
use App\Http\Controllers\Controller;
class AddArticle extends Controller
{
...
public function store(Request $request)
{
$article = new Article;
$article->title = $request->title;
$article->url = $request->url;
$article->save();
}
...
The model:
<?php
namespace App;
use Illuminate\Database\Eloquent\Model;
class Article extends Model
{
protected $table = "posts";
protected $fillable = [
'title',
'url',
];
}
The web.php route:
Route::post('/store', 'AddArticle#store');
When the browser goes to /store, i get this CLI stopped working error.
Kind regards

Laravel 5.3 throw MethodNotAllowedHttpException on Store using restfull controller

I am trying to add a record to a database utilizing a resource controller, however, I'm getting MethodNotAllowedHttpException error. I'm using a pivot table. I have gone through several similar questions like a link! but none seem to answer me. This is my code:
Routes.php
Route::group(['prefix' => 'user'], function () {
Route::resource('categories', 'User\CategoriesController');
});
CategoriesController.php
<?php
namespace App\Http\Controllers\User;
use Session;
use Sentinel;
use Illuminate\Http\Request;
use App\Http\Controllers\Controller;
use App\Models\Sections;
use App\Models\Categories;
use App\Models\Users;
use App\Models\CategorieUser;
class CategoriesController extends Controller
{
public function __construct()
{
$this->middleware('sentinel.auth');
}
public function index()
{
$categories = Categories::all();
return view('user.categories.index', ['categories' => $categories]);
}
public function create()
{
$sections = sections::all();
return view('user.categories.create', ['sections' => $sections]);
}
public function store(Request $request)
{
// records in table categories
$categories = new Categories();
$categories->name = $request->name;
$categories->sections_id = $request->sections_id;
$categories->save();
// records in pivot table users_categories
$user = Sentinel::getUser()->id;
$users_categories = new CategorieUser();
$users_categories->user_id = $user;
$users_categories->categorie_id = $categories->id;
$users_categories->save();
return redirect()->route('categories.index');
}
}
This is the form:
<form action="store" method="POST">
<div class="form-group">
<label for="section">Choose section:</label>
<select class="form-control" name="sections_id">
#foreach($sections as $section)
<option value="{{ $section->id }}">{{ $section->name }}</option>
#endforeach
</select>
</div>
<div class="form-group">
<label for="name">Category name:</label>
<input type="text" class="form-control" name="name" required>
</div>
<input type="hidden" name="_token" value="{{ csrf_token() }}">
<button type="submit" class="btn btn-default">Submit</button>
</form>
This is model Categories.php
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class Categories extends Model
{
public function sections()
{
return $this->belongsTo('App\Models\Sections');
}
public function users()
{
return $this->belongsToMany('App\Models\Users', 'categorie_user');
}
}
And this is model Users.php:
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class Users extends Model
{
public function categories()
{
return $this->belongsToMany('App\Models\Categories', 'categorie_user');
}
}
When I add this route under routes as above
Route::group(['prefix' => 'user'], function () {
Route::resource('categories', 'User\CategoriesController');
Route::post('categories/store', ['uses' => 'User\CategoriesController#store']);
});
then everything works like a charm. I'm newbie in Laravel but I think that everything must work with out that route because I use restfull controller. Any sugestions I will appriciated. Thank you.
Finally, I find the answer. According to RESTfull resource controller the URL for form action must be the main route, not /store or /create. So in form action I wrote:
<form action="/user/categories" method="POST">
And that worked for me. Anyway, thanks for help. I hope this will help someone.
change the form action to "/user/categories" like
<form action="/user/categories" method="POST">

Search Food Items in laravel

I have a search box in my views and I want to search foods from the database.
My view for seach box is:
<div class="field" id="searchform">
<input type="text" id="searchterm" placeholder="e.g mutton
karahi,pizza..." />
<button type="button" id="search"
onclick="window.location='http://localhost:8000/search'">Find Food!</button>
</div>
My food table has fields like:
Food_id
FoodName
FoodDescription
FoodImage
Price
Now I want to search my foods By name.How I can do that?plz help me.I am new to laravel and I am using laravel 5.2.
Search In Laravel
Create Your Model
As you mentioned you have a table say food we will generate a model Food.php in your app folder
<?php namespace App;
use Illuminate\Database\Eloquent\Model;
use Illuminate\Database\Eloquent\SoftDeletes;
class Food extends Model {
use SoftDeletes;
protected $table = 'food';
protected $fillable = ['id','name','description','image'];
protected $dates = ['deleted_at'];
}
Crete a search Controller
php artisan make:controller SearchController
Inside Controller Write logic to retrive your model records based on food name
public function search(Request $request){
$foods = Food::where('name','%LIKE%',$request->input('q'))->get();
return view('search')->with(['foods'=>$foods]);
}
We are now returning our modals to view. You can use dd($foods) either in your controller or in view to check the results
In your Search Form View, make action to SearchController
{{Form::open(array('action' => 'SearchController#search','method'=>'post','name'=>'mini_search','id'=>'mini_search','role'=>'form')) }}
<div class="field" >
<input type="text" id="searchterm" placeholder="e.g mutton
karahi,pizza..." name="q" />
<button type="submit" id="search" >Find Food!</button>
</div>
{{Form::close()}}
Finally, we also need a view to display our results
SO create a file search.blade.php and display the results.
https://laravel.com/docs/5.2/views#passing-data-to-views
<ul>
#foreach($foods as $food)
<li>{{$food->name}}</li>
#endforeach
</ul></pre>
Presumably, your table name is foods, you can do this with Eloquent or DB facade in your controller.
public function search(){
$foodName = Input::get('food_name'');
$foods = Food::where('FoodName', $foodName)->get();
return $foods;
}
This is most simple version. I hope it can help.

Categories