在我最喜欢的模板框架中,它们通常具有嵌套布局的能力。这是刀片中的可能吗?
例如......
<html>
<head><!-- stuff --></head>
<body>
@yield('content')
</body>
</html>
@extend('master')
<nav>
<!-- nav content -->
</nav>
@yeild('content')
@extend('nav')
<breadcrumb>
<!-- breadcrumb content -->
</breadcrumb>
@yield('content')
@extend('nav')
@section('content')
<home>
<!-- content -->
</home>
@endsection
@extend('breadcrumb')
@section('content')
<about>
<!-- content -->
</about>
@endsection
我喜欢这种格式的原因是能够选择你的注射点使它非常优雅(IMO)!
布局级联和'content'
随着编译的html
在树上运行时重建。
这可能吗?我希望避免在布局中做@include
,因为我个人发现它们很麻烦,有点眼睛疼痛,特别是当你遇到经常重复的元素,但不是到处都是(面包屑)。
编辑:基于答案。
理想情况下,'content'
将被重建并传递给嵌套布局链。即如果您有引用nav.blade.php
的主页,则主页内容会添加到导航布局并进行编译。然后,由于导航布局引用master.blade.php
,编译后的布局将传递到master
并再次构建。没有重复任何内容。
答案 0 :(得分:6)
我不确定我能得到你在这之后所拥有的东西。例如,在home.blade.php
中,您扩展了“nav”,后者又扩展了“master”,但“master”和“nav”都会生成content
,因此<home>
内容将呈现两次。
那么,您的预期产量是多少?我不确定“家”或“约”应该extend
“导航”或“面包屑”。我认为这两种结构布局组件,所以在主布局中include
它们对我来说是有意义的。在“nav”中,您可以定义一个部分,以便在您的视图需要面包屑时进行扩展。
例如:
<强> master.blade.php 强>
<html>
<head><!-- stuff --></head>
<body>
@include('nav')
@yield('content')
</body>
</html>
<强> nav.blade.php 强>
<nav>
<!-- nav content -->
@yield('breadcrumb')
</nav>
<强> home.blade.php 强>
@extend('master')
@section('content')
<home>
<!-- content -->
</home>
@endsection
<强> about.blade.php 强>
@extend('master')
@section('breadcrumb')
<breadcrumb>
<!-- breadcrumb content -->
</breadcrumb>
@endsection
@section('content')
<about>
<!-- content -->
</about>
@endsection
答案 1 :(得分:3)
您忘了使用@parent
。这是一个例子:
master.blade.php
<html>
<head>
{{-- Stuff --}}
</head>
<body>
@yield('content')
</body>
</html>
nav.blade.php
您需要将nav
置于section
内,告诉master
布局这是一个内容。如果你不这样做,nav
将位于master
布局的顶部(是的,在html之外)。
@extends('master')
@section('content')
<nav>
<p>nav content</p>
</nav>
@endsection
home.blade.php
在此示例中,content
部分正在使用@parent
指令将内容附加(而不是覆盖)到布局的侧边栏。在呈现视图时,@parent
指令将被布局的内容替换。
@extends('nav')
@section('content')
{{-- You can control where @parent should be rendered --}}
@parent
<home>
<p>home content</p>
</home>
{{-- You can put your @parent here, give it a try --}}
@endsection
breadcrumb.blade.php
@extends('nav')
@section('content')
{{-- You can control where @parent should be rendered --}}
@parent
<breadcrumb>
<p>breadcrumb content</p>
</breadcrumb>
{{-- You can put your @parent here, give it a try --}}
@endsection
about.blade.php
@extends('breadcrumb')
@section('content')
{{-- You can control where @parent should be rendered --}}
@parent
<about>
<p>about content</p>
</about>
{{-- You can put your @parent here, give it a try --}}
@endsection
home.blade.php
<html>
<head>
</head>
<body>
<nav>
<p>nav content</p>
</nav>
<home>
<p>home content</p>
</home>
</body>
</html>
about.blade.php
<html>
<head>
</head>
<body>
<nav>
<p>nav content</p>
</nav>
<breadcrumb>
<p>breadcrumb content</p>
</breadcrumb>
<about>
<p>about content</p>
</about>
</body>
</html>