拉拉维尔的模板

2022-08-30 15:28:07

我正在尝试让我的默认模板与Laravel一起使用。我来自Codeigniter和Phil Sturgeon的模板系统,所以我试图以类似的方式做到这一点。任何人都可以帮助我解决我错过/做错的事情吗?谢谢!

//default.blade.php (located in layouts/default)
<html>
    <title>{{$title}}</title>
    <body>
    {{$content}}
    </body>
</html>
//end default.blade.php

//home.blade.php (index view including header and footer partials)
@layout('layouts.default')
@include('partials.header')
//code
@include('partials.footer')
//end home

//routes.php (mapping route to home controller)
Route::controller( 'home' );
//end

//home.php (controller)
<?php
class Home_Controller extends Base_Controller {
    public $layout = 'layouts.default';
    public function action_index()
    {   
        $this->layout->title = 'title';
        $this->layout->content = View::make( 'home' );
    }
}
//end

答案 1

您正在混合Laravel的两种不同的布局方法。这样,您就可以渲染布局视图,包括主视图,并尝试再次包含布局。

我个人更喜欢控制器方法。

控制器布局

控制器和布局可以保持不变。

注意:作为快捷方式,您可以嵌套内容而不是View::make,当您在布局中回显内容时,它会自动呈现它。

在home.blade中.php删除@layout功能。

编辑(示例):

控制器/家庭.php

<?php
class Home_Controller extends Base_Controller {
  public $layout = 'layouts.default';
  public function action_index()
  {
    $this->layout->title = 'title';
    $this->layout->nest('content', 'home', array(
      'data' => $some_data
    ));
  }
}

视图/布局/默认.blade.php

<html>
  <title>{{ $title }}</title>
  <body>
    {{ $content }}
  </body>
</html>

视图/主页.blade.php

部分内容包含在内容中。

@include('partials.header')
{{ $data }}
@include('partials.footer')

刀片布局

如果你想要这种方法,你有一些问题。首先,在布局后包含新内容。不确定是否是有意的,但@layout函数本身基本上只是一个@include限制在视图的最开始。因此,如果您的布局是封闭的 html,则其后的任何包含都将附加到您的 html 布局之后。

您的内容应在此处使用具有@section功能的部分,并将其@yield布局中。页眉和页脚可以包含在布局中,@include或者如果要在内容视图中定义它,也可以将它们放在@section中,如下所示。如果这样定义它,如果一个部分不存在,则不会产生任何内容。

控制器/家庭.php

<?php
class Home_Controller extends Base_Controller {
  public function action_index()
  {
    return View::make('home')->with('title', 'title');
  }
}

视图/布局/默认.blade.php

<html>
 <title>{{$title}}</title>
 <body>
  @yield('header')
  @yield('content')
  @yield('footer')
 </body>
</html>

视图/主页.blade.php

@layout('layouts.default')
@section('header')
  header here or @include it
@endsection
@section('footer')
  footer
@endsection
@section('content')
  content
@endsection

答案 2

上面给出的答案解释了如何在Laravel中完成模板,但是要获得额外的好处,例如管理组织到主题目录中的主题,并能够在主题之间切换,并将部分和主题资源放在一起听起来几乎类似于Phil Sturgeon模板库的CI。您可能需要查看 Laravel 的主题捆绑包。这是链接:

http://raftalks.github.io/Laravel_Theme_Bundle/


推荐