Orbitum
Orbitum

Reputation: 1645

Laravel define default layout from controller in good way

I googled two hours, but not found answer. Maybe you can help.

When I define in MyController:

class MyController extends Base_Controller {
    public $layout = 'layouts.default';

    public function get_index() {
        $entries = Entry::all();
        return View::make('entries.index')
            ->with('entries', $entries);
        }
    }
}

In entries\index.blade.php:

@section('content')
    <h1>Test</h1>
@endsection

And in layouts\default.blade.php:

<!DOCTYPE html>
<html>
<body>
    @yield('content')
</body>
</html>

Nothing is displaying. And I don't understand why. When I am replacing in MyController return part with:

$this->layout->nest('content', 'entries.index', array(
    'entries' => $entries
));

Then all is working, but.. It looks not clean and I don't like it. When adding in every view @layout('layouts.default') all is working good too, but it is not DRY. For example, in RoR I don't need to do such things in Controller.

How can define in MyController one layout and use return View::make (I think that this is right way) or how can do it better?

Upvotes: 6

Views: 23441

Answers (3)

jsdev
jsdev

Reputation: 672

 class BaseController extends Controller {

/**
 * Setup the layout used by the controller.
 *
 * @return void
 */

/*Set a layout properties here, so you can globally
  call it in all of your Controllers*/
protected $layout = 'layouts.default';

protected function setupLayout()
{
    if ( ! is_null($this->layout))
    {
        $this->layout = View::make($this->layout);
    }
}

}

class HomeController extends BaseController {

public function showHome()
{   
    /*now you can control your Layout it here */
     $this->layout->title= "Hi I am a title"; //add a dynamic title 
     $this->layout->content = View::make('home');
}

}

Ref: http://teknosains.com/i/tutorial-dynamic-layout-in-laravel-4

Upvotes: -1

Joel Larson
Joel Larson

Reputation: 3074

To use layouts in controllers, you must specify:

public $layout = 'layouts.default';

You can also not return in the method as it will override the use of $layout. Instead, to embed your content within the layout you use:

$this->layout->nest('content', 'entries.index', array('entries' => $entries));

No need to return anything in your method now. This will fix it.


Edit:

"Beautiful Ways?"

$this->layout->nest('content', 'entries.index')->with('entries', $entries);


$this->layout->content = View::make('entries.index')->with('entries', $entries);


$this->layout->entries = $entries;
$this->layout->nest('content', 'entries.index');

Upvotes: 16

afarazit
afarazit

Reputation: 4984

It should be

public $layout = 'layouts.default';

Here's the link Templating - The Basics

Now you can return your layout like this

$view = View::make('entries.index')->with('entries', $entries);
$this->layout->content = $view->render();

Upvotes: 0

Related Questions