PageRenderTime 58ms CodeModel.GetById 23ms RepoModel.GetById 0ms app.codeStats 1ms

/lib/vendor/symfony/doc/07-Inside-the-View-Layer.txt

https://bitbucket.org/ArnaudD/foulees
Plain Text | 1084 lines | 757 code | 327 blank | 0 comment | 0 complexity | 0df3302a277b004dd8a36cc8b63e5210 MD5 | raw file
Possible License(s): CC-BY-SA-3.0, LGPL-2.1, AGPL-3.0, BSD-3-Clause, MIT

Large files files are truncated, but you can click here to view the full file

  1. Chapter 7 - Inside The View Layer
  2. =================================
  3. The view is responsible for rendering the output correlated to a particular action. In symfony, the view consists of several parts, with each part designed to be easily modified by the person who usually works with it.
  4. * Web designers generally work on the templates (the presentation of the current action data) and on the layout (containing the code common to all pages). These are written in HTML with small embedded chunks of PHP, which are mostly calls to helpers.
  5. * For reusability, developers usually package template code fragments into partials or components. They use slots and component slots to affect more than one zone of the layout. Web designers can work on these template fragments as well.
  6. * Developers focus on the YAML view configuration file (setting the properties of the response and other interface elements) and on the response object. When dealing with variables in the templates, the risks of cross-site scripting must not be ignored, and a good comprehension of output escaping techniques is required to safely record user data.
  7. But whatever your role is, you will find useful tools to speed up the tedious job of presenting the results of the action. This chapter covers all of these tools.
  8. Templating
  9. ----------
  10. Listing 7-1 shows a typical symfony template. It contains some HTML code and some basic PHP code, usually calls to variables defined in the action (via `$this->name = 'foo';`) and helpers.
  11. Listing 7-1 - A Sample indexSuccess.php Template
  12. [php]
  13. <h1>Welcome</h1>
  14. <p>Welcome back, <?php echo $name ?>!</p>
  15. <ul>What would you like to do?
  16. <li><?php echo link_to('Read the last articles', 'article/read') ?></li>
  17. <li><?php echo link_to('Start writing a new one', 'article/write') ?></li>
  18. </ul>
  19. As explained in Chapter 4, the alternative PHP syntax is preferable for templates to make them readable for non-PHP developers. You should keep PHP code to a minimum in templates, since these files are the ones used to design the GUI of the application, and are sometimes created and maintained by another team, specialized in presentation but not in application logic. Keeping the logic inside the action also makes it easier to have several templates for a single action, without any code duplication.
  20. ### Helpers
  21. Helpers are PHP functions that return HTML code and can be used in templates. In Listing 7-1, the `link_to()` function is a helper. Sometimes, helpers are just time-savers, packaging code snippets frequently used in templates. For instance, you can easily imagine the function definition for this helper:
  22. [php]
  23. <?php echo input_tag('nickname') ?>
  24. => <input type="text" name="nickname" id="nickname" value="" />
  25. It should look like Listing 7-2.
  26. Listing 7-2 - Sample Helper Definition
  27. [php]
  28. function input_tag($name, $value = null)
  29. {
  30. return '<input type="text" name="'.$name.'" id="'.$name.'"value="'.$value.'" />';
  31. }
  32. As a matter of fact, the `input_tag()` function built into symfony is a little more complicated than that, as it accepts a third parameter to add other attributes to the `<input>` tag. You can check its complete syntax and options in the online API documentation ([http://www.symfony-project.org/api/1_2/](http://www.symfony-project.org/api/1_2/)).
  33. Most of the time, helpers carry intelligence and save you long and complex coding:
  34. [php]
  35. <?php echo auto_link_text('Please visit our website www.example.com') ?>
  36. => Please visit our website <a href="http://www.example.com">www.example.com</a>
  37. Helpers facilitate the process of writing templates and produce the best possible HTML code in terms of performance and accessibility. You can always use plain HTML, but helpers are usually faster to write.
  38. >**TIP**
  39. >You may wonder why the helpers are named according to the underscore syntax rather than the camelCase convention, used everywhere else in symfony. This is because helpers are functions, and all the core PHP functions use the underscore syntax convention.
  40. #### Declaring Helpers
  41. The symfony files containing helper definitions are not autoloaded (since they contain functions, not classes). Helpers are grouped by purpose. For instance, all the helper functions dealing with text are defined in a file called `TextHelper.php`, called the `Text` helper group. So if you need to use a helper in a template, you must load the related helper group earlier in the template by declaring it with the `use_helper()` function. Listing 7-3 shows a template using the `auto_link_text()` helper, which is part of the `Text` helper group.
  42. Listing 7-3 - Declaring the Use of a Helper
  43. [php]
  44. // Use a specific helper group in this template
  45. <?php use_helper('Text') ?>
  46. ...
  47. <h1>Description</h1>
  48. <p><?php echo auto_link_text($description) ?></p>
  49. >**TIP**
  50. >If you need to declare more than one helper group, add more arguments to the `use_helper()` call. For instance, to load both the `Text` and the `Javascript` helper groups in a template, call `<?php use_helper('Text', 'Javascript') ?>`.
  51. A few helpers are available by default in every template, without need for declaration. These are helpers of the following helper groups:
  52. * `Helper`: Required for helper inclusion (the `use_helper()` function is, in fact, a helper itself)
  53. * `Tag`: Basic tag helper, used by almost every helper
  54. * `Url`: Links and URL management helpers
  55. * `Asset`: Helpers populating the HTML `<head>` section, and providing easy links to external assets (images, JavaScript, and style sheet files)
  56. * `Partial`: Helpers allowing for inclusion of template fragments
  57. * `Cache`: Manipulation of cached code fragments
  58. * `Form`: Form input helpers
  59. The list of the standard helpers, loaded by default for every template, is configurable in the `settings.yml` file. So if you know that you will not use the helpers of the `Cache` group, or that you will always use the ones of the Text group, modify the standard_helpers setting accordingly. This will speed up your application a bit. You cannot remove the first four helper groups in the preceding list (`Helper`, `Tag`, `Url`, and `Asset`), because they are compulsory for the templating engine to work properly. Consequently, they don't even appear in the list of standard helpers.
  60. >**TIP**
  61. >If you ever need to use a helper outside a template, you can still load a helper group from anywhere by calling `sfProjectConfiguration::getActive()->loadHelpers($helpers)`, where `$helpers` is a helper group name or an array of helper group names. For instance, if you want to use `auto_link_text()` in an action, you need to call `sfProjectConfiguration::getActive()->loadHelpers('Text')` first.
  62. #### Frequently Used Helpers
  63. You will learn about some helpers in detail in later chapters, in relation with the feature they are helping. Listing 7-4 gives a brief list of the default helpers that are used a lot, together with the HTML code they return.
  64. Listing 7-4 - Common Default Helpers
  65. [php]
  66. // Helper group
  67. <?php use_helper('HelperName') ?>
  68. <?php use_helper('HelperName1', 'HelperName2', 'HelperName3') ?>
  69. // Tag group
  70. <?php echo tag('input', array('name' => 'foo', 'type' => 'text')) ?>
  71. <?php echo tag('input', 'name=foo type=text') ?> // Alternative options syntax
  72. => <input name="foo" type="text" />
  73. <?php echo content_tag('textarea', 'dummy content', 'name=foo') ?>
  74. => <textarea name="foo">dummy content</textarea>
  75. // Url group
  76. <?php echo link_to('click me', 'mymodule/myaction') ?>
  77. => <a href="/route/to/myaction">click me</a> // Depends on the routing settings
  78. // Asset group
  79. <?php echo image_tag('myimage', 'alt=foo size=200x100') ?>
  80. => <img src="/images/myimage.png" alt="foo" width="200" height="100"/>
  81. <?php echo javascript_include_tag('myscript') ?>
  82. => <script language="JavaScript" type="text/javascript" src="/js/myscript.js"></script>
  83. <?php echo stylesheet_tag('style') ?>
  84. => <link href="/stylesheets/style.css" media="screen" rel="stylesheet"type="text/css" />
  85. There are many other helpers in symfony, and it would take a full book to describe all of them. The best reference for helpers is the online API documentation ([http:// www.symfony-project.org/api/1_2/](http://www.symfony-project.org/api/1_2/)), where all the helpers are well documented, with their syntax, options, and examples.
  86. #### Adding Your Own Helpers
  87. Symfony ships with a lot of helpers for various purposes, but if you don't find what you need in the API documentation, you will probably want to create a new helper. This is very easy to do.
  88. Helper functions (regular PHP functions returning HTML code) should be saved in a file called `FooBarHelper.php`, where `FooBar` is the name of the helper group. Store the file in the `apps/frontend/lib/helper/` directory (or in any `helper/` directory created under one of the `lib/` folders of your project) so it can be found automatically by the `use_helper('FooBar')` helper for inclusion.
  89. >**TIP**
  90. >This system even allows you to override the existing symfony helpers. For instance, to redefine all the helpers of the `Text` helper group, just create a `TextHelper.php` file in your `apps/frontend/lib/helper/` directory. Whenever you call `use_helper('Text')`, symfony will use your helper group rather than its own. But be careful: as the original file is not even loaded, you must redefine all the functions of a helper group to override it; otherwise, some of the original helpers will not be available at all.
  91. ### Page Layout
  92. The template shown in Listing 7-1 is not a valid XHTML document. The `DOCTYPE` definition and the `<html>` and `<body>` tags are missing. That's because they are stored somewhere else in the application, in a file called `layout.php`, which contains the page layout. This file, also called the global template, stores the HTML code that is common to all pages of the application to avoid repeating it in every template. The content of the template is integrated into the layout, or, if you change the point of view, the layout "decorates" the template. This is an application of the decorator design pattern, illustrated in Figure 7-1.
  93. >**TIP**
  94. >For more information about the decorator and other design patterns, see *Patterns of Enterprise Application Architecture* by Martin Fowler (Addison-Wesley, ISBN: 0-32112-742-0).
  95. Figure 7-1 - Decorating a template with a layout
  96. ![Decorating a template with a layout](/images/book/F0701.png "Decorating a template with a layout")
  97. Listing 7-5 shows the default page layout, located in the application `templates/` directory.
  98. Listing 7-5 - Default Layout, in `myproject/apps/frontend/templates/layout.php`
  99. [php]
  100. <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
  101. <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en">
  102. <head>
  103. <?php include_http_metas() ?>
  104. <?php include_metas() ?>
  105. <?php include_title() ?>
  106. <link rel="shortcut icon" href="/favicon.ico" />
  107. </head>
  108. <body>
  109. <?php echo $sf_content ?>
  110. </body>
  111. </html>
  112. The helpers called in the `<head>` section grab information from the response object and the view configuration. The `<body>` tag outputs the result of the template. With this layout, the default configuration, and the sample template in Listing 7-1, the processed view looks like Listing 7-6.
  113. Listing 7-6 - The Layout, the View Configuration, and the Template Assembled
  114. [php]
  115. <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
  116. <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en">
  117. <head>
  118. <meta http-equiv="content-type" content="text/html; charset=utf-8" />
  119. <meta name="title" content="symfony project" />
  120. <meta name="robots" content="index, follow" />
  121. <meta name="description" content="symfony project" />
  122. <meta name="keywords" content="symfony, project" />
  123. <title>symfony project</title>
  124. <link rel="stylesheet" type="text/css" href="/css/main.css" />
  125. <link rel="shortcut icon" href="/favicon.ico">
  126. </head>
  127. <body>
  128. <h1>Welcome</h1>
  129. <p>Welcome back, <?php echo $name ?>!</p>
  130. <ul>What would you like to do?
  131. <li><?php echo link_to('Read the last articles', 'article/read') ?></li>
  132. <li><?php echo link_to('Start writing a new one', 'article/write') ?></li>
  133. </ul>
  134. </body>
  135. </html>
  136. The global template can be entirely customized for each application. Add in any HTML code you need. This layout is often used to hold the site navigation, logo, and so on. You can even have more than one layout, and decide which layout should be used for each action. Don't worry about JavaScript and style sheet inclusion for now; the "View Configuration" section later in this chapter shows how to handle that.
  137. ### Template Shortcuts
  138. In templates, a few symfony variables are always available. These shortcuts give access to the most commonly needed information in templates, through the core symfony objects:
  139. * `$sf_context`: The whole context object (`instance of sfContext`)
  140. * `$sf_request`: The request object (`instance of sfRequest`)
  141. * `$sf_params` : The parameters of the request object
  142. * `$sf_user` : The current user session object (`instance of sfUser`)
  143. The previous chapter detailed useful methods of the `sfRequest` and `sfUser` objects. You can actually call these methods in templates through the `$sf_request` and `$sf_user` variables. For instance, if the request includes a `total` parameter, its value is available in the template with the following:
  144. [php]
  145. // Long version
  146. <?php echo $sf_request->getParameter('total') ?>
  147. // Shorter version
  148. <?php echo $sf_params->get('total') ?>
  149. // Equivalent to the following action code
  150. echo $request->getParameter('total')
  151. Code Fragments
  152. --------------
  153. You may often need to include some HTML or PHP code in several pages. To avoid repeating that code, the PHP `include()` statement will suffice most of the time.
  154. For instance, if many of the templates of your application need to use the same fragment of code, save it in a file called `myFragment.php` in the global template directory (`myproject/apps/frontend/templates/`) and include it in your templates as follows:
  155. [php]
  156. <?php include(sfConfig::get('sf_app_template_dir').'/myFragment.php') ?>
  157. But this is not a very clean way to package a fragment, mostly because you can have different variable names between the fragment and the various templates including it. In addition, the symfony cache system (described in Chapter 12) has no way to detect an include, so the fragment cannot be cached independently from the template. Symfony provides three alternative types of intelligent code fragments to replace `include`s:
  158. * If the logic is lightweight, you will just want to include a template file having access to some data you pass to it. For that, you will use a partial.
  159. * If the logic is heavier (for instance, if you need to access the data model and/or modify the content according to the session), you will prefer to separate the presentation from the logic. For that, you will use a component.
  160. * If the fragment is meant to replace a specific part of the layout, for which default content may already exist, you will use a slot.
  161. >**Note**
  162. >Another code fragment type, called a component slot, is to be used when the nature of the fragment depends on the context (for instance, if the fragment needs to be different for the actions of a given module). Component slots are described later in this chapter.
  163. The inclusion of these fragments is achieved by helpers of the `Partial` group. These helpers are available from any symfony template, without initial declaration.
  164. ### Partials
  165. A partial is a reusable chunk of template code. For instance, in a publication application, the template code displaying an article is used in the article detail page, and also in the list of the best articles and the list of latest articles. This code is a perfect candidate for a partial, as illustrated in Figure 7-2.
  166. Figure 7-2 - Reusing partials in templates
  167. ![Reusing partials in templates](/images/book/F0702.png "Reusing partials in templates")
  168. Just like templates, partials are files located in the `templates/` directory, and they contain HTML code with embedded PHP. A partial file name always starts with an underscore (`_`), and that helps to distinguish partials from templates, since they are located in the same `templates/` folders.
  169. A template can include partials whether it is in the same module, in another module, or in the global `templates/` directory. Include a partial by using the `include_partial()` helper, and specify the module and partial name as a parameter (but omit the leading underscore and the trailing `.php`), as described in Listing 7-7.
  170. Listing 7-7 - Including a Partial in a Template of the `mymodule` Module
  171. [php]
  172. // Include the frontend/modules/mymodule/templates/_mypartial1.php partial
  173. // As the template and the partial are in the same module,
  174. // you can omit the module name
  175. <?php include_partial('mypartial1') ?>
  176. // Include the frontend/modules/foobar/templates/_mypartial2.php partial
  177. // The module name is compulsory in that case
  178. <?php include_partial('foobar/mypartial2') ?>
  179. // Include the frontend/templates/_mypartial3.php partial
  180. // It is considered as part of the 'global' module
  181. <?php include_partial('global/mypartial3') ?>
  182. Partials have access to the usual symfony helpers and template shortcuts. But since partials can be called from anywhere in the application, they do not have automatic access to the variables defined in the action calling the templates that includes them, unless passed explicitly as an argument. For instance, if you want a partial to have access to a `$total` variable, the action must hand it to the template, and then the template to the helper as a second argument of the `include_partial()` call, as shown in Listings 7-8, 7-9, and 7-10.
  183. Listing 7-8 - The Action Defines a Variable, in `mymodule/actions/actions.class.php`
  184. [php]
  185. class mymoduleActions extends sfActions
  186. {
  187. public function executeIndex()
  188. {
  189. $this->total = 100;
  190. }
  191. }
  192. Listing 7-9 - The Template Passes the Variable to the Partial, in `mymodule/templates/indexSuccess.php`
  193. [php]
  194. <p>Hello, world!</p>
  195. <?php include_partial('mypartial', array('mytotal' => $total)) ?>
  196. Listing 7-10 - The Partial Can Now Use the Variable, in `mymodule/templates/_mypartial.php`
  197. [php]
  198. <p>Total: <?php echo $mytotal ?></p>
  199. >**TIP**
  200. >All the helpers so far were called by `<?php echo functionName() ?>`. The partial helper, however, is simply called by `<?php include_partial() ?>`, without `echo`, to make it behave similar to the regular PHP `include()` statement. If you ever need a function that returns the content of a partial without actually displaying it, use `get_partial()` instead. All the `include_` helpers described in this chapter have a `get_` counterpart that can be called together with an `echo` statement.
  201. >**TIP**
  202. >**New in symfony 1.1**: Instead of resulting in a template, an action can return a partial or a component. The `renderPartial()` and `renderComponent()` methods of the action class promote reusability of code. Besides, they take advantage of the caching abilities of the partials (see Chapter 12). The variables defined in the action will be automatically passed to the partial/component, unless you define an associative array of variables as a second parameter of the method.
  203. >
  204. > [php]
  205. > public function executeFoo()
  206. > {
  207. > // do things
  208. > $this->foo = 1234;
  209. > $this->bar = 4567;
  210. >
  211. > return $this->renderPartial('mymodule/mypartial');
  212. > }
  213. >
  214. >In this example, the partial will have access to `$foo` and `$bar`. If the action ends with the following line:
  215. >
  216. > return $this->renderPartial('mymodule/mypartial', array('foo' => $this->foo));
  217. >
  218. >Then the partial will only have access to `$foo`.
  219. ### Components
  220. In Chapter 2, the first sample script was split into two parts to separate the logic from the presentation. Just like the MVC pattern applies to actions and templates, you may need to split a partial into a logic part and a presentation part. In such a case, you should use a component.
  221. A component is like an action, except it's much faster. The logic of a component is kept in a class inheriting from `sfComponents`, located in an `actions/components.class.php` file. Its presentation is kept in a partial. Methods of the `sfComponents` class start with the word `execute`, just like actions, and they can pass variables to their presentation counterpart in the same way that actions can pass variables. Partials that serve as presentation for components are named by the component (without the leading `execute`, but with an underscore instead). Table 7-1 compares the naming conventions for actions and components.
  222. Table 7-1 - Action and Component Naming Conventions
  223. Convention | Actions | Components
  224. ------------------------ | --------------------- | ----------------------
  225. Logic file | `actions.class.php` | `components.class.php`
  226. Logic class extends | `sfActions` | `sfComponents`
  227. Method naming | `executeMyAction()` | `executeMyComponent()`
  228. Presentation file naming | `myActionSuccess.php` | `_myComponent.php`
  229. >**TIP**
  230. >Just as you can separate actions files, the `sfComponents` class has an `sfComponent` counterpart that allows for single component files with the same type of syntax.
  231. For instance, suppose you have a sidebar displaying the latest news headlines for a given subject, depending on the user's profile, which is reused in several pages. The queries necessary to get the news headlines are too complex to appear in a simple partial, so they need to be moved to an action-like file--a component. Figure 7-3 illustrates this example.
  232. For this example, shown in Listings 7-11 and 7-12, the component will be kept in its own module (called `news`), but you can mix components and actions in a single module if it makes sense from a functional point of view.
  233. Figure 7-3 - Using components in templates
  234. ![Using components in templates](/images/book/F0703.png "Using components in templates")
  235. Listing 7-11 - The Components Class, in `modules/news/actions/components.class.php`
  236. [php]
  237. <?php
  238. class newsComponents extends sfComponents
  239. {
  240. public function executeHeadlines()
  241. {
  242. $c = new Criteria();
  243. $c->addDescendingOrderByColumn(NewsPeer::PUBLISHED_AT);
  244. $c->setLimit(5);
  245. $this->news = NewsPeer::doSelect($c);
  246. }
  247. }
  248. Listing 7-12 - The Partial, in `modules/news/templates/_headlines.php`
  249. [php]
  250. <div>
  251. <h1>Latest news</h1>
  252. <ul>
  253. <?php foreach($news as $headline): ?>
  254. <li>
  255. <?php echo $headline->getPublishedAt() ?>
  256. <?php echo link_to($headline->getTitle(),'news/show?id='.$headline->getId()) ?>
  257. </li>
  258. <?php endforeach ?>
  259. </ul>
  260. </div>
  261. Now, every time you need the component in a template, just call this:
  262. [php]
  263. <?php include_component('news', 'headlines') ?>
  264. Just like the partials, components accept additional parameters in the shape of an associative array. The parameters are available to the partial under their name, and in the component via the `$this` object. See Listing 7-13 for an example.
  265. Listing 7-13 - Passing Parameters to a Component and Its Template
  266. [php]
  267. // Call to the component
  268. <?php include_component('news', 'headlines', array('foo' => 'bar')) ?>
  269. // In the component itself
  270. echo $this->foo;
  271. => 'bar'
  272. // In the _headlines.php partial
  273. echo $foo;
  274. => 'bar'
  275. You can include components in components, or in the global layout, as in any regular template. Like actions, components' `execute` methods can pass variables to the related partial and have access to the same shortcuts. But the similarities stop there. A component doesn't handle security or validation, cannot be called from the Internet (only from the application itself), and doesn't have various return possibilities. That's why a component is faster to execute than an action.
  276. ### Slots
  277. Partials and components are great for reusability. But in many cases, code fragments are required to fill a layout with more than one dynamic zone. For instance, suppose that you want to add some custom tags in the `<head>` section of the layout, depending on the content of the action. Or, suppose that the layout has one major dynamic zone, which is filled by the result of the action, plus a lot of other smaller ones, which have a default content defined in the layout but can be overridden at the template level.
  278. For these situations, the solution is a slot. Basically, a slot is a placeholder that you can put in any of the view elements (in the layout, a template, or a partial). Filling this placeholder is just like setting a variable. The filling code is stored globally in the response, so you can define it anywhere (in the layout, a template, or a partial). Just make sure to define a slot before including it, and remember that the layout is executed after the template (this is the decoration process), and the partials are executed when they are called in a template. Does it sound too abstract? Let's see an example.
  279. Imagine a layout with one zone for the template and two slots: one for the sidebar and the other for the footer. The slot values are defined in the templates. During the decoration process, the layout code wraps the template code, and the slots are filled with the previously defined values, as illustrated in Figure 7-4. The sidebar and the footer can then be contextual to the main action. This is like having a layout with more than one "hole".
  280. Figure 7-4 - Layout slots defined in a template
  281. ![Layout slots defined in a template](/images/book/F0704.png "Layout slots defined in a template")
  282. Seeing some code will clarify things further. To include a slot, use the `include_slot()` helper. The `has_slot()` helper returns `true` if the slot has been defined before, providing a fallback mechanism as a bonus. For instance, define a placeholder for a `'sidebar'` slot in the layout and its default content as shown in Listing 7-14.
  283. Listing 7-14 - Including a `'sidebar'` Slot in the Layout
  284. [php]
  285. <div id="sidebar">
  286. <?php if (has_slot('sidebar')): ?>
  287. <?php include_slot('sidebar') ?>
  288. <?php else: ?>
  289. <!-- default sidebar code -->
  290. <h1>Contextual zone</h1>
  291. <p>This zone contains links and information
  292. relative to the main content of the page.</p>
  293. <?php endif; ?>
  294. </div>
  295. As it's quite common to display some default content if a slot is not defined, the `include_slot` helper returns a Boolean indicating if the slot has been defined. Listing 7-15 shows how to take this return value into account to simplify the code.
  296. Listing 7-15 - Including a `'sidebar'` Slot in the Layout
  297. [php]
  298. <div id="sidebar">
  299. <?php if (!include_slot('sidebar')): ?>
  300. <!-- default sidebar code -->
  301. <h1>Contextual zone</h1>
  302. <p>This zone contains links and information
  303. relative to the main content of the page.</p>
  304. <?php endif; ?>
  305. </div>
  306. Each template has the ability to define the contents of a slot (actually, even partials can do it). As slots are meant to hold HTML code, symfony offers a convenient way to define them: just write the slot code between a call to the `slot()` and `end_slot()` helpers, as in Listing 7-16.
  307. Listing 7-16 - Overriding the `'sidebar'` Slot Content in a Template
  308. [php]
  309. // ...
  310. <?php slot('sidebar') ?>
  311. <!-- custom sidebar code for the current template-->
  312. <h1>User details</h1>
  313. <p>name: <?php echo $user->getName() ?></p>
  314. <p>email: <?php echo $user->getEmail() ?></p>
  315. <?php end_slot() ?>
  316. The code between the slot helpers is executed in the context of the template, so it has access to all the variables that were defined in the action. Symfony will automatically put the result of this code in the response object. It will not be displayed in the template, but made available for future `include_slot()` calls, like the one in Listing 7-14.
  317. Slots are very useful to define zones meant to display contextual content. They can also be used to add HTML code to the layout for certain actions only. For instance, a template displaying the list of the latest news might want to add a link to an RSS feed in the `<head>` part of the layout. This is achieved simply by adding a `'feed'` slot in the layout and overriding it in the template of the list.
  318. If the content of the slot is very short, as this is the case when defining a `title` slot for example, you can simply pass the content as a second argument of the `slot()` method as shown in Listing 7-17.
  319. Listing 7-17 - Using `slot()` to define a short Value
  320. [php]
  321. <?php slot('title', 'The title value') ?>
  322. >**TIP**
  323. >If you need to set the value of a slot in an action, you can do so via the response object:
  324. >
  325. > [PHP]
  326. > $this->getResponse()->setSlot('mySlot', $myValue);
  327. > $this->getResponse()->setSlot('myPartialSlot', $this->getPartial('myPartial'));
  328. -
  329. >**SIDEBAR**
  330. >Where to find template fragments
  331. >
  332. >People working on templates are usually web designers, who may not know symfony very well and may have difficulties finding template fragments, since they can be scattered all over the application. These few guidelines will make them more comfortable with the symfony templating system.
  333. >
  334. >First of all, although a symfony project contains many directories, all the layouts, templates, and template fragments files reside in directories named `templates/`. So as far as a web designer is concerned, a project structure can be reduced to something like this:
  335. >
  336. >
  337. > myproject/
  338. > apps/
  339. > application1/
  340. > templates/ # Layouts for application 1
  341. > modules/
  342. > module1/
  343. > templates/ # Templates and partials for module 1
  344. > module2/
  345. > templates/ # Templates and partials for module 2
  346. > module3/
  347. > templates/ # Templates and partials for module 3
  348. >
  349. >
  350. >All other directories can be ignored.
  351. >
  352. >When meeting an `include_partial()`, web designers just need to understand that only the first argument is important. This argument's pattern is `module_name/partial_name`, and that means that the presentation code is to be found in `modules/module_name/templates/_partial_name.php`.
  353. >
  354. >For the `include_component()` helper, module name and partial name are the first two arguments. As for the rest, a general idea about what helpers are and which helpers are the most common in templates should be enough to start designing templates for symfony applications.
  355. View Configuration
  356. ------------------
  357. In symfony, a view consists of two distinct parts:
  358. * The HTML presentation of the action result (stored in the template, in the layout, and in the template fragments)
  359. * All the rest, including the following:
  360. * Meta declarations: Keywords, description, or cache duration.
  361. * Page title: Not only does it help users with several browser windows open to find yours, but it is also very important for search sites' indexing.
  362. * File inclusions: JavaScript and style sheet files.
  363. * Layout: Some actions require a custom layout (pop-ups, ads, and so on) or no layout at all (such as Ajax actions).
  364. In the view, all that is not HTML is called view configuration, and symfony provides two ways to manipulate it. The usual way is through the `view.yml` configuration file. It can be used whenever the values don't depend on the context or on database queries. When you need to set dynamic values, the alternative method is to set the view configuration via the `sfResponse` object attributes directly in the action.
  365. >**NOTE**
  366. >If you ever set a view configuration parameter both via the `sfResponse` object and via the `view.yml` file, the `sfResponse` definition takes precedence.
  367. ### The view.yml File
  368. Each module can have one `view.yml` file defining the settings of its views. This allows you to define view settings for a whole module and per view in a single file. The first-level keys of the `view.yml` file are the module view names. Listing 7-18 shows an example of view configuration.
  369. Listing 7-18 - Sample Module-Level `view.yml`
  370. editSuccess:
  371. metas:
  372. title: Edit your profile
  373. editError:
  374. metas:
  375. title: Error in the profile edition
  376. all:
  377. stylesheets: [my_style]
  378. metas:
  379. title: My website
  380. >**CAUTION**
  381. >Be aware that the main keys in the `view.yml` file are view names, not action names. As a reminder, a view name is composed of an action name and an action termination. For instance, if the `edit` action returns `sfView::SUCCESS` (or returns nothing at all, since it is the default action termination), then the view name is `editSuccess`.
  382. The default settings for the module are defined under the `all:` key in the module `view.yml`. The default settings for all the application views are defined in the application `view.yml`. Once again, you recognize the configuration cascade principle:
  383. * In `apps/frontend/modules/mymodule/config/view.yml`, the per-view definitions apply only to one view and override the module-level definitions.
  384. * In `apps/frontend/modules/mymodule/config/view.yml`, the `all:` definitions apply to all the actions of the module and override the application-level definitions.
  385. * In `apps/frontend/config/view.yml`, the `default:` definitions apply to all modules and all actions of the application.
  386. >**TIP**
  387. >Module-level `view.yml` files don't exist by default. The first time you need to adjust a view configuration parameter for a module, you will have to create an empty `view.yml` in its `config/` directory.
  388. After seeing the default template in Listing 7-5 and an example of a final response in Listing 7-6, you may wonder where the header values come from. As a matter of fact, they are the default view settings, defined in the application `view.yml` and shown in Listing 7-19.
  389. Listing 7-19 - Default Application-Level View Configuration, in `apps/frontend/config/view.yml`
  390. default:
  391. http_metas:
  392. content-type: text/html
  393. metas:
  394. #title: symfony project
  395. #description: symfony project
  396. #keywords: symfony, project
  397. #language: en
  398. robots: index, follow
  399. stylesheets: [main]
  400. javascripts: []
  401. has_layout: on
  402. layout: layout
  403. Each of these settings will be described in detail in the "View Configuration Settings" section.
  404. ### The Response Object
  405. Although part of the view layer, the response object is often modified by the action. Actions can access the symfony response object, called `sfResponse`, via the `getResponse()` method. Listing 7-20 lists some of the `sfResponse` methods often used from within an action.
  406. Listing 7-20 - Actions Have Access to the `sfResponse` Object Methods
  407. [php]
  408. class mymoduleActions extends sfActions
  409. {
  410. public function executeIndex()
  411. {
  412. $response = $this->getResponse();
  413. // HTTP headers
  414. $response->setContentType('text/xml');
  415. $response->setHttpHeader('Content-Language', 'en');
  416. $response->setStatusCode(403);
  417. $response->addVaryHttpHeader('Accept-Language');
  418. $response->addCacheControlHttpHeader('no-cache');
  419. // Cookies
  420. $response->setCookie($name, $content, $expire, $path, $domain);
  421. // Metas and page headers
  422. $response->addMeta('robots', 'NONE');
  423. $response->addMeta('keywords', 'foo bar');
  424. $response->setTitle('My FooBar Page');
  425. $response->addStyleSheet('custom_style');
  426. $response->addJavaScript('custom_behavior');
  427. }
  428. }
  429. In addition to the setter methods shown here, the `sfResponse` class has getters that return the current value of the response attributes.
  430. The header setters are very powerful in symfony. Headers are sent as late as possible (in the `sfRenderingFilter`), so you can alter them as much as you want and as late as you want. They also provide very useful shortcuts. For instance, if you don't specify a charset when you call `setContentType()`, symfony automatically adds the default charset defined in the `settings.yml` file.
  431. [php]
  432. $response->setContentType('text/xml');
  433. echo $response->getContentType();
  434. => 'text/xml; charset=utf-8'
  435. The status code of responses in symfony is compliant with the HTTP specification. Exceptions return a status 500, pages not found return a status 404, normal pages return a status 200, pages not modified can be reduced to a simple header with status code 304 (see Chapter 12 for details), and so on. But you can override these defaults by setting your own status code in the action with the `setStatusCode()` response method. You can specify a custom code and a custom message, or simply a custom code--in which case, symfony will add the most common message for this code.
  436. [php]
  437. $response->setStatusCode(404, 'This page does not exist');
  438. >**TIP**
  439. >Before sending the headers, symfony normalizes their names. So you don't need to bother about writing `content-language` instead of `Content-Language` in a call to `setHttpHeader()`, as symfony will understand the former and automatically transform it to the latter.
  440. ### View Configuration Settings
  441. You may have noticed that there are two kinds of view configuration settings:
  442. * The ones that have a unique value (the value is a string in the `view.yml` file and the response uses a `set` method for those)
  443. * The ones with multiple values (for which `view.yml` uses arrays and the response uses an `add` method)
  444. Keep in mind that the configuration cascade erases the unique value settings but piles up the multiple values settings. This will become more apparent as you progress through this chapter.
  445. #### Meta Tag Configuration
  446. The information written in the `<meta>` tags in the response is not displayed in a browser but is useful for robots and search engines. It also controls the cache settings of every page. Define these tags under the `http_metas:` and `metas:` keys in `view.yml`, as in Listing 7-21, or with the `addHttpMeta()` and `addMeta()` response methods in the action, as in Listing 7-22.
  447. Listing 7-21 - Meta Definition As Key: Value Pairs in `view.yml`
  448. http_metas:
  449. cache-control: public
  450. metas:
  451. description: Finance in France
  452. keywords: finance, France
  453. Listing 7-22 - Meta Definition As Response Settings in the Action
  454. [php]
  455. $this->getResponse()->addHttpMeta('cache-control', 'public');
  456. $this->getResponse()->addMeta('description', 'Finance in France');
  457. $this->getResponse()->addMeta('keywords', 'finance, France');
  458. Adding an existing key will replace its current content by default. For HTTP meta tags, you can add a third parameter and set it to `false` to have the `addHttpMeta()` method (as well as the `setHttpHeader()`) append the value to the existing one, rather than replacing it.
  459. [php]
  460. $this->getResponse()->addHttpMeta('accept-language', 'en');
  461. $this->getResponse()->addHttpMeta('accept-language', 'fr', false);
  462. echo $this->getResponse()->getHttpHeader('accept-language');
  463. => 'en, fr'
  464. In order to have these meta tags appear in the final document, the `include_http_metas()` and `include_metas()` helpers must be called in the `<head>` section (this is the case in the default layout; see Listing 7-5). Symfony automatically aggregates the settings from all the `view.yml` files (including the default one shown in Listing 7-18) and the response attribute to output proper `<meta>` tags. The example in Listing 7-21 ends up as shown in Listing 7-23.
  465. Listing 7-23 - Meta Tags Output in the Final Page
  466. [php]
  467. <meta http-equiv="content-type" content="text/html; charset=utf-8" />
  468. <meta http-equiv="cache-control" content="public" />
  469. <meta name="robots" content="index, follow" />
  470. <meta name="description" content="Finance in France" />
  471. <meta name="keywords" content="finance, France" />
  472. As a bonus, the HTTP header of the response is also impacted by the `http-metas:` definition, even if you don't have any `include_http_metas()` helpers in the layout, or if you have no layout at all. For instance, if you need to send a page as plain text, define the following `view.yml`:
  473. http_metas:
  474. content-type: text/plain
  475. has_layout: false
  476. #### Title Configuration
  477. The page title is a key part to search engine indexing. It is also very useful with modern browsers that provide tabbed browsing. In HTML, the title is both a tag and meta information of the page, so the `view.yml` file sees the `title:` key as a child of the `metas:` key. Listing 7-24 shows the title definition in `view.yml`, and Listing 7-25 shows the definition in the action.
  478. Listing 7-24 - Title Definition in `view.yml`
  479. indexSuccess:
  480. metas:
  481. title: Three little piggies
  482. Listing 7-25 - Title Definition in the Action--Allows for Dynamic Titles
  483. [php]
  484. $this->getResponse()->setTitle(sprintf('%d little piggies', $number));
  485. In the `<head>` section of the final document, the title definition sets the `<meta name="title">` tag if the `include_metas()` helper is present, and the `<title>` tag if the `include_title()` helper is present. If both are included (as in the default layout of Listing 7-5), the title appears twice in the document source (see Listing 7-6), which is harmless.
  486. #### File Inclusion Configuration
  487. Adding a specific style sheet or JavaScript file to a view is easy, as Listing 7-26 demonstrates.
  488. Listing 7-26 - Asset File Inclusion
  489. [yml]
  490. // In the view.yml
  491. indexSuccess:
  492. stylesheets: [mystyle1, mystyle2]
  493. javascripts: [myscript]
  494. -
  495. [php]
  496. // In the action
  497. $this->getResponse()->addStylesheet('mystyle1');
  498. $this->getResponse()->addStylesheet('mystyle2');
  499. $this->getResponse()->addJavascript('myscript');
  500. // In the Template
  501. <?php use_stylesheet('mystyle1') ?>
  502. <?php use_stylesheet('mystyle2') ?>
  503. <?php use_javascript('myscript') ?>
  504. In each case, the argument is a file name. If the file has a logical extension (`.css` for a style sheet and `.js` for a JavaScript file), you can omit it. If the file has a logical location (`/css/` for a style sheet and `/js/` for a JavaScript file), you can omit it as well. Symfony is smart enough to figure out the correct extension or location.
  505. Unlike the meta and title definitions, the file inclusion definitions don't require any helper in the template or layout to be included. This means that the previous settings will output the HTML code of Listing 7-27, whatever the content of the template and the layout.
  506. Listing 7-27 - File Inclusion Result--No Need for a Helper Call in the Layout
  507. [php]
  508. <head>
  509. ...
  510. <link rel="stylesheet" type="text/css" media="screen" href="/css/mystyle1.css" />
  511. <link rel="stylesheet" type="text/css" media="screen" href="/css/mystyle2.css" />
  512. <script language="javascript" type="text/javascript" src="/js/myscript.js">
  513. </script>
  514. </head>
  515. >**NOTE**
  516. >Style sheet and JavaScript inclusions in the response are performed by a filter called `sfCommonFilter`. It looks for a `<head>` tag in the response, and adds the `<link>` and `<script>` just before the closing `</head>`. This means that the inclusion can't take place if there is no `<head>` tag in your layout or templates.
  517. Remember that the configuration cascade principle applies, so any file inclusion defined in the application `view.yml` makes it appear in every page of the application. Listings 7-28, 7-29, and 7-30 demonstrate this principle.
  518. Listing 7-28 - Sample Application `view.yml`
  519. default:
  520. stylesheets: [main]
  521. Listing 7-29 - Sample Module `view.yml`
  522. indexSuccess:
  523. stylesheets: [special]
  524. all:
  525. stylesheets: [additional]
  526. Listing 7-30 - Resulting `indexSuccess` View
  527. [php]
  528. <link rel="stylesheet" type="text/css" media="screen" href="/css/main.css" />
  529. <link rel="stylesheet" type="text/css" media="screen" href="/css/additional.css" />
  530. <link rel="stylesheet" type="text/css" media="screen" href="/css/special.css" />
  531. If you need to remove a file defined at a higher level, just add a minus sign (`-`) in front of the file name in the lower-level definition, as shown in Listing 7-31.
  532. Listing 7-31 - Sample Module `view.yml` That Removes a File Defined at the Application Level
  533. indexSuccess:
  534. stylesheets: [-main, special]
  535. all:
  536. stylesheets: [additional]
  537. To remove all style sheets or JavaScript files, use `-*` as a file name, as shown in Listing 7-32.
  538. Listing 7-32 - Sample Module `view.yml` That Removes all Files Defined at the Application Level
  539. indexSuccess:
  540. stylesheets: [-*]
  541. javascripts: [-*]
  542. You can be more accurate and define an additional parameter to force the position where to include the file (first or last position), as shown in Listing 7-33. This works for boths style sheets and JavaScript files.
  543. Listing 7-33 - Defining the Position of the Included Asset
  544. [yml]
  545. // In the view.yml
  546. indexSuccess:
  547. stylesheets: [special: { position: first }]
  548. -
  549. [php]
  550. // In the action
  551. $this->getResponse()->addStylesheet('special', 'first');
  552. // In the template
  553. <?php use_stylesheet('special', 'first') ?>
  554. **New in symfony 1.1**: You can also decide to bypass the transformation of the asset file name, so that the resulting `<link>` or `<script>` tags refer to the exact location specified, as show in Listing 7-34.
  555. Listing 7-34 - Style Sheet Inclusion with Raw Name
  556. [yml]
  557. // In the view.yml
  558. indexSuccess:
  559. stylesheets: [main, paper: { raw_name: true }]
  560. -
  561. [php]
  562. // In the Action
  563. $this->getResponse()->addStylesheet('main', '', array('raw_name' => true));
  564. // In the template
  565. <?php use_stylesheet('main', '', array('raw_name' => true)) ?>
  566. // Resulting View
  567. <link rel="stylesheet" type="text/css" href="main" />
  568. To specify media for a style sheet inclusion, you can change the default style sheet tag options, as shown in Listing 7-35.
  569. Listing 7-35 - Style Sheet Inclusion with Media
  570. [yml]
  571. // In the view.yml
  572. indexSuccess:
  573. stylesheets: [main, paper: { media: print }]
  574. -
  575. [php]
  576. // In the Action
  577. $this->getResponse()->addStylesheet('paper', '', array('media' => 'print'));
  578. // In the template
  579. <?php use_stylesheet('paper', '', array('media' => 'print')) ?>
  580. // Resulting View
  581. <link rel="stylesheet" type="text/css" media="print" href="/css/paper.css" />
  582. #### Layout Configuration
  583. According to the graphical charter of your website, you may have several layouts. Classic websites have at least two: the default layout and the pop-up layout.
  584. You have already seen that the default layout is `myproject/apps/frontend/templates/layout.php`. Additional layouts must be added in the same global `templates/` directory. If you want a view to use a `frontend/templates/my_layout.php` file, use the syntax shown in Listing 7-36.
  585. Listing 7-36 - Layout Definition
  586. [yml]
  587. // In view.yml
  588. indexSuccess:
  589. layout: my_layout
  590. -
  591. [php]
  592. // In the action
  593. $this->setLayout('my_layout');
  594. // In the template
  595. <?php decorate_with('my_layout') ?>
  596. Some views don't need any layout at all (for instance, plain text pages or RSS feeds). In that case, set `has_layout` to `false`, as shown in Listing 7-37.
  597. Listing 7-37 - Layout Removal
  598. [yml]
  599. // In `view.yml`
  600. indexSuccess:
  601. has_layout: false
  602. -
  603. [php]
  604. // In the Action
  605. $this->setLayout(false);
  606. // In the template
  607. <?php decorate_with(false) ?>
  608. >**NOTE**
  609. >Ajax actions views have no layout by default.
  610. Component Slots
  611. ---------------
  612. Combining the power of view components and view configuration brings a new perspective to view development: the component slot system. It is an alternative to slots focusing on reusability and layer separation. So component slots are more structured than slots, but a little slower to execute.
  613. Just like slots, component slots are named placeholders that you can declare in the view elements. The difference resides in the way the filling code is determined. For a slot, the code is set in another view element; for a component slot, the code results from the execution of a component, and the name of this component comes from the view configuration. You will understand component slots more clearly after seeing them in action.
  614. To set a component slot placeholder, use the `include_component_slot()` helper. This function expects a label as a parameter. For instance, suppose that the `layout.php` file of the application contains a contextual sidebar. Listing 7-38 shows how the component slot helper would be included.
  615. Listing 7-38 - Including a Component Slot with the Name `'sidebar'`
  616. [php]
  617. ...
  618. <div id="sidebar">
  619. <?php include_component_slot('sidebar') ?>
  620. </div>
  621. Define the correspondence between the component slot label and a component name in the view configuration. For instance, set the default component for the `sidebar` component slot in the application `view.yml`, under the `components` header. The key is the c

Large files files are truncated, but you can click here to view the full file