Laravel 4 route redirection with two parameters

I'm currently trying to implement redirects using

public function store($username,$courseId) { if (Auth::user()->username == $username && Auth::user()->courses()->where('id', '=', $courseId)->first() != null){ $course = Course::find($courseId); $forum = new Forum(); $forum->description = Input::get('description'); $forum->course_id = Input::get('course_id'); $forum->save(); return Redirect::to(route('users.courses.forums.index',Auth::user()->username,$course->id)); } return Redirect::to('/'); } 

Parameters in redirection do not work. The store is the POST method in ForumController. The parameters that are saved are "OK" because I have no problem checking if. I could create a forum and save it, but when I try to redirect, I have this error.

 Trying to get property of non-object 

And users.courses.forums.index is the name of my URI using the Action ForumController @index. This last method requires 2 parameters ($ username, $ courseid). Like this

 public function index($username,$courseId) { $course = Course::find($courseId); $forum = DB::table('forums')->where('course_id',$course->id)->get(); return View::make('forums.index',compact('course','forum')); } 
+6
source share
2 answers

Why not use Redirect::route() directly and pass the variables as an array?

Something like this should work ...

  return Redirect::route('users.courses.forums.index', array(Auth::user()->username, $course->id)); 
+7
source

There are two ways

1] you can use Redirect::route() as @msturdy's answer

EX:

 return Redirect::route('users.courses.forums.index',array(Auth::user()->username, $course->id)); 

2] you can also use Redirect::action()

EX

 return Redirect::action(' ForumController@index ',array(Auth::user()->username, $course->id)); 

How to lavarel the documentation for redirection

+3
source

All Articles