PageRenderTime 64ms CodeModel.GetById 26ms RepoModel.GetById 1ms app.codeStats 0ms

/gentle-introduction/en/07-Inside-the-View-Layer.markdown

https://github.com/marydn/symfony1-docs
Markdown | 1004 lines | 703 code | 301 blank | 0 comment | 0 complexity | 65babedf22dde7ba24366b6a2b206aa3 MD5 | raw file
Possible License(s): CC-BY-SA-3.0, CC-BY-SA-4.0

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 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. <h2>What would you like to do?</h2>
  16. <ul>
  17. <li><?php echo link_to('Read the last articles', 'article/read') ?></li>
  18. <li><?php echo link_to('Start writing a new one', 'article/write') ?></li>
  19. </ul>
  20. 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.
  21. ### Helpers
  22. 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:
  23. [php]
  24. <?php echo image_tag('photo.jpg') ?>
  25. => <img src="/images/photo.jpg" />
  26. It should look like Listing 7-2.
  27. Listing 7-2 - Sample Helper Definition
  28. [php]
  29. function image_tag($source)
  30. {
  31. return '<img src="/images/'.$source.'" />';
  32. }
  33. As a matter of fact, the `image_tag()` function built into symfony is a little more complicated than that, as it accepts a second parameter to add other attributes to the `<img>` tag. You can check its complete syntax and options in the online [API documentation](http://www.symfony-project.org/api/1_4/).
  34. Most of the time, helpers carry intelligence and save you long and complex coding:
  35. [php]
  36. <?php echo auto_link_text('Please visit our website www.example.com') ?>
  37. => Please visit our website <a href="http://www.example.com">www.example.com</a>
  38. 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.
  39. >**TIP**
  40. >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.
  41. #### Declaring Helpers
  42. 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.
  43. Listing 7-3 - Declaring the Use of a Helper
  44. [php]
  45. // Use a specific helper group in this template
  46. <?php use_helper('Text') ?>
  47. ...
  48. <h1>Description</h1>
  49. <p><?php echo auto_link_text($description) ?></p>
  50. >**TIP**
  51. >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') ?>`.
  52. A few helpers are available by default in every template, without need for declaration. These are helpers of the following helper groups:
  53. * `Helper`: Required for helper inclusion (the `use_helper()` function is, in fact, a helper itself)
  54. * `Tag`: Basic tag helper, used by almost every helper
  55. * `Url`: Links and URL management helpers
  56. * `Asset`: Helpers populating the HTML `<head>` section, and providing easy links to external assets (images, JavaScript, and style sheet files)
  57. * `Partial`: Helpers allowing for inclusion of template fragments
  58. * `Cache`: Manipulation of cached code fragments
  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. // Url group
  70. <?php echo link_to('click me', 'mymodule/myaction') ?>
  71. => <a href="/route/to/myaction">click me</a> // Depends on the routing settings
  72. // Asset group
  73. <?php echo image_tag('myimage', 'alt=foo size=200x100') ?>
  74. => <img src="/images/myimage.png" alt="foo" width="200" height="100"/>
  75. <?php echo javascript_include_tag('myscript') ?>
  76. => <script language="JavaScript" type="text/javascript" src="/js/myscript.js"></script>
  77. <?php echo stylesheet_tag('style') ?>
  78. => <link href="/stylesheets/style.css" media="screen" rel="stylesheet"type="text/css" />
  79. 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_4/), where all the helpers are well documented, with their syntax, options, and examples.
  80. #### Adding Your Own Helpers
  81. 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.
  82. 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.
  83. >**TIP**
  84. >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.
  85. ### Page Layout
  86. 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.
  87. >**TIP**
  88. >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).
  89. Figure 7-1 - Decorating a template with a layout
  90. ![Decorating a template with a layout](http://www.symfony-project.org/images/book/1_4/F0701.png "Decorating a template with a layout")
  91. Listing 7-5 shows the default page layout, located in the application `templates/` directory.
  92. Listing 7-5 - Default Layout, in `myproject/apps/frontend/templates/layout.php`
  93. [php]
  94. <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
  95. <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en">
  96. <head>
  97. <?php include_javascripts() ?>
  98. <?php include_stylesheets() ?>
  99. <?php include_http_metas() ?>
  100. <?php include_metas() ?>
  101. <?php include_title() ?>
  102. <link rel="shortcut icon" href="/favicon.ico" />
  103. </head>
  104. <body>
  105. <?php echo $sf_content ?>
  106. </body>
  107. </html>
  108. 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.
  109. Listing 7-6 - The Layout, the View Configuration, and the Template Assembled
  110. [php]
  111. <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
  112. <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en">
  113. <head>
  114. <meta http-equiv="content-type" content="text/html; charset=utf-8" />
  115. <meta name="title" content="symfony project" />
  116. <meta name="robots" content="index, follow" />
  117. <meta name="description" content="symfony project" />
  118. <meta name="keywords" content="symfony, project" />
  119. <title>symfony project</title>
  120. <link rel="stylesheet" type="text/css" href="/css/main.css" />
  121. <link rel="shortcut icon" href="/favicon.ico">
  122. </head>
  123. <body>
  124. <h1>Welcome</h1>
  125. <p>Welcome back, <?php echo $name ?>!</p>
  126. <h2>What would you like to do?</h2>
  127. <ul>
  128. <li><?php echo link_to('Read the last articles', 'article/read') ?></li>
  129. <li><?php echo link_to('Start writing a new one', 'article/write') ?></li>
  130. </ul>
  131. </body>
  132. </html>
  133. 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.
  134. ### Template Shortcuts
  135. 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:
  136. * `$sf_context`: The whole context object (`instance of sfContext`)
  137. * `$sf_request`: The request object (`instance of sfRequest`)
  138. * `$sf_params` : The parameters of the request object
  139. * `$sf_user` : The current user session object (`instance of sfUser`)
  140. 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:
  141. [php]
  142. // Long version
  143. <?php echo $sf_request->getParameter('total') ?>
  144. // Shorter version
  145. <?php echo $sf_params->get('total') ?>
  146. // Equivalent to the following action code
  147. echo $request->getParameter('total')
  148. Code Fragments
  149. --------------
  150. 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.
  151. 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:
  152. [php]
  153. <?php include(sfConfig::get('sf_app_template_dir').'/myFragment.php') ?>
  154. 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:
  155. * 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.
  156. * 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.
  157. * 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.
  158. The inclusion of these fragments is achieved by helpers of the `Partial` group. These helpers are available from any symfony template, without initial declaration.
  159. ### Partials
  160. 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.
  161. Figure 7-2 - Reusing partials in templates
  162. ![Reusing partials in templates](http://www.symfony-project.org/images/book/1_4/F0702.png "Reusing partials in templates")
  163. 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.
  164. 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.
  165. Listing 7-7 - Including a Partial in a Template of the `mymodule` Module
  166. [php]
  167. // Include the frontend/modules/mymodule/templates/_mypartial1.php partial
  168. // As the template and the partial are in the same module,
  169. // you can omit the module name
  170. <?php include_partial('mypartial1') ?>
  171. // Include the frontend/modules/foobar/templates/_mypartial2.php partial
  172. // The module name is compulsory in that case
  173. <?php include_partial('foobar/mypartial2') ?>
  174. // Include the frontend/templates/_mypartial3.php partial
  175. // It is considered as part of the 'global' module
  176. <?php include_partial('global/mypartial3') ?>
  177. 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.
  178. Listing 7-8 - The Action Defines a Variable, in `mymodule/actions/actions.class.php`
  179. [php]
  180. class mymoduleActions extends sfActions
  181. {
  182. public function executeIndex()
  183. {
  184. $this->total = 100;
  185. }
  186. }
  187. Listing 7-9 - The Template Passes the Variable to the Partial, in `mymodule/templates/indexSuccess.php`
  188. [php]
  189. <p>Hello, world!</p>
  190. <?php include_partial('mypartial', array('mytotal' => $total)) ?>
  191. Listing 7-10 - The Partial Can Now Use the Variable, in `mymodule/templates/_mypartial.php`
  192. [php]
  193. <p>Total: <?php echo $mytotal ?></p>
  194. >**TIP**
  195. >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.
  196. >**TIP**
  197. >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.
  198. >
  199. > [php]
  200. > public function executeFoo()
  201. > {
  202. > // do things
  203. > $this->foo = 1234;
  204. > $this->bar = 4567;
  205. >
  206. > return $this->renderPartial('mymodule/mypartial');
  207. > }
  208. >
  209. >In this example, the partial will have access to `$foo` and `$bar`. If the action ends with the following line:
  210. >
  211. > return $this->renderPartial('mymodule/mypartial', array('foo' => $this->foo));
  212. >
  213. >Then the partial will only have access to `$foo`.
  214. ### Components
  215. 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.
  216. 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.
  217. Table 7-1 - Action and Component Naming Conventions
  218. Convention | Actions | Components
  219. ------------------------ | --------------------- | ----------------------
  220. Logic file | `actions.class.php` | `components.class.php`
  221. Logic class extends | `sfActions` | `sfComponents`
  222. Method naming | `executeMyAction()` | `executeMyComponent()`
  223. Presentation file naming | `myActionSuccess.php` | `_myComponent.php`
  224. >**TIP**
  225. >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.
  226. 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.
  227. 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.
  228. Figure 7-3 - Using components in templates
  229. ![Using components in templates](http://www.symfony-project.org/images/book/1_4/F0703.png "Using components in templates")
  230. Listing 7-11 - The Components Class, in `modules/news/actions/components.class.php`
  231. [php]
  232. <?php
  233. class newsComponents extends sfComponents
  234. {
  235. public function executeHeadlines()
  236. {
  237. // Propel
  238. $c = new Criteria();
  239. $c->addDescendingOrderByColumn(NewsPeer::PUBLISHED_AT);
  240. $c->setLimit(5);
  241. $this->news = NewsPeer::doSelect($c);
  242. // Doctrine
  243. $query = Doctrine::getTable('News')
  244. ->createQuery()
  245. ->orderBy('published_at DESC')
  246. ->limit(5);
  247. $this->news = $query->execute();
  248. }
  249. }
  250. Listing 7-12 - The Partial, in `modules/news/templates/_headlines.php`
  251. [php]
  252. <div>
  253. <h1>Latest news</h1>
  254. <ul>
  255. <?php foreach($news as $headline): ?>
  256. <li>
  257. <?php echo $headline->getPublishedAt() ?>
  258. <?php echo link_to($headline->getTitle(),'news/show?id='.$headline->getId()) ?>
  259. </li>
  260. <?php endforeach ?>
  261. </ul>
  262. </div>
  263. Now, every time you need the component in a template, just call this:
  264. [php]
  265. <?php include_component('news', 'headlines') ?>
  266. 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.
  267. Listing 7-13 - Passing Parameters to a Component and Its Template
  268. [php]
  269. // Call to the component
  270. <?php include_component('news', 'headlines', array('foo' => 'bar')) ?>
  271. // In the component itself
  272. echo $this->foo;
  273. => 'bar'
  274. // In the _headlines.php partial
  275. echo $foo;
  276. => 'bar'
  277. 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.
  278. ### Slots
  279. 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.
  280. 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.
  281. 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".
  282. Figure 7-4 - Layout slots defined in a template
  283. ![Layout slots defined in a template](http://www.symfony-project.org/images/book/1_4/F0704.png "Layout slots defined in a template")
  284. 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.
  285. Listing 7-14 - Including a `'sidebar'` Slot in the Layout
  286. [php]
  287. <div id="sidebar">
  288. <?php if (has_slot('sidebar')): ?>
  289. <?php include_slot('sidebar') ?>
  290. <?php else: ?>
  291. <!-- default sidebar code -->
  292. <h1>Contextual zone</h1>
  293. <p>This zone contains links and information
  294. relative to the main content of the page.</p>
  295. <?php endif; ?>
  296. </div>
  297. 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.
  298. Listing 7-15 - Including a `'sidebar'` Slot in the Layout
  299. [php]
  300. <div id="sidebar">
  301. <?php if (!include_slot('sidebar')): ?>
  302. <!-- default sidebar code -->
  303. <h1>Contextual zone</h1>
  304. <p>This zone contains links and information
  305. relative to the main content of the page.</p>
  306. <?php endif; ?>
  307. </div>
  308. 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.
  309. Listing 7-16 - Overriding the `'sidebar'` Slot Content in a Template
  310. [php]
  311. // ...
  312. <?php slot('sidebar') ?>
  313. <!-- custom sidebar code for the current template-->
  314. <h1>User details</h1>
  315. <p>name: <?php echo $user->getName() ?></p>
  316. <p>email: <?php echo $user->getEmail() ?></p>
  317. <?php end_slot() ?>
  318. 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.
  319. 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.
  320. 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.
  321. Listing 7-17 - Using `slot()` to define a short Value
  322. [php]
  323. <?php slot('title', 'The title value') ?>
  324. >**SIDEBAR**
  325. >Where to find template fragments
  326. >
  327. >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.
  328. >
  329. >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:
  330. >
  331. >
  332. > myproject/
  333. > apps/
  334. > application1/
  335. > templates/ # Layouts for application 1
  336. > modules/
  337. > module1/
  338. > templates/ # Templates and partials for module 1
  339. > module2/
  340. > templates/ # Templates and partials for module 2
  341. > module3/
  342. > templates/ # Templates and partials for module 3
  343. >
  344. >
  345. >All other directories can be ignored.
  346. >
  347. >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`.
  348. >
  349. >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.
  350. View Configuration
  351. ------------------
  352. In symfony, a view consists of two distinct parts:
  353. * The HTML presentation of the action result (stored in the template, in the layout, and in the template fragments)
  354. * All the rest, including the following:
  355. * Meta declarations: Keywords, description, or cache duration.
  356. * 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.
  357. * File inclusions: JavaScript and style sheet files.
  358. * Layout: Some actions require a custom layout (pop-ups, ads, and so on) or no layout at all (such as Ajax actions).
  359. 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.
  360. >**NOTE**
  361. >If you ever set a view configuration parameter both via the `sfResponse` object and via the `view.yml` file, the `sfResponse` definition takes precedence.
  362. ### The `view.yml` File
  363. 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.
  364. Listing 7-18 - Sample Module-Level `view.yml`
  365. editSuccess:
  366. metas:
  367. title: Edit your profile
  368. editError:
  369. metas:
  370. title: Error in the profile edition
  371. all:
  372. stylesheets: [my_style]
  373. metas:
  374. title: My website
  375. >**CAUTION**
  376. >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`.
  377. 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:
  378. * In `apps/frontend/modules/mymodule/config/view.yml`, the per-view definitions apply only to one view and override the module-level definitions.
  379. * 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.
  380. * In `apps/frontend/config/view.yml`, the `default:` definitions apply to all modules and all actions of the application.
  381. >**TIP**
  382. >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.
  383. 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.
  384. Listing 7-19 - Default Application-Level View Configuration, in `apps/frontend/config/view.yml`
  385. default:
  386. http_metas:
  387. content-type: text/html
  388. metas:
  389. #title: symfony project
  390. #description: symfony project
  391. #keywords: symfony, project
  392. #language: en
  393. #robots: index, follow
  394. stylesheets: [main]
  395. javascripts: []
  396. has_layout: true
  397. layout: layout
  398. Each of these settings will be described in detail in the "View Configuration Settings" section.
  399. ### The Response Object
  400. 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.
  401. Listing 7-20 - Actions Have Access to the `sfResponse` Object Methods
  402. [php]
  403. class mymoduleActions extends sfActions
  404. {
  405. public function executeIndex()
  406. {
  407. $response = $this->getResponse();
  408. // HTTP headers
  409. $response->setContentType('text/xml');
  410. $response->setHttpHeader('Content-Language', 'en');
  411. $response->setStatusCode(403);
  412. $response->addVaryHttpHeader('Accept-Language');
  413. $response->addCacheControlHttpHeader('no-cache');
  414. // Cookies
  415. $response->setCookie($name, $content, $expire, $path, $domain);
  416. // Metas and page headers
  417. $response->addMeta('robots', 'NONE');
  418. $response->addMeta('keywords', 'foo bar');
  419. $response->setTitle('My FooBar Page');
  420. $response->addStyleSheet('custom_style');
  421. $response->addJavaScript('custom_behavior');
  422. }
  423. }
  424. In addition to the setter methods shown here, the `sfResponse` class has getters that return the current value of the response attributes.
  425. 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.
  426. [php]
  427. $response->setContentType('text/xml');
  428. echo $response->getContentType();
  429. => 'text/xml; charset=utf-8'
  430. 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.
  431. [php]
  432. $response->setStatusCode(404, 'This page does not exist');
  433. >**TIP**
  434. >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.
  435. ### View Configuration Settings
  436. You may have noticed that there are two kinds of view configuration settings:
  437. * 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)
  438. * The ones with multiple values (for which `view.yml` uses arrays and the response uses an `add` method)
  439. 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.
  440. #### Meta Tag Configuration
  441. 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.
  442. Listing 7-21 - Meta Definition As Key: Value Pairs in `view.yml`
  443. http_metas:
  444. cache-control: public
  445. metas:
  446. description: Finance in France
  447. keywords: finance, France
  448. Listing 7-22 - Meta Definition As Response Settings in the Action
  449. [php]
  450. $this->getResponse()->addHttpMeta('cache-control', 'public');
  451. $this->getResponse()->addMeta('description', 'Finance in France');
  452. $this->getResponse()->addMeta('keywords', 'finance, France');
  453. 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.
  454. [php]
  455. $this->getResponse()->addHttpMeta('accept-language', 'en');
  456. $this->getResponse()->addHttpMeta('accept-language', 'fr', false);
  457. echo $this->getResponse()->getHttpHeader('accept-language');
  458. => 'en, fr'
  459. 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.
  460. Listing 7-23 - Meta Tags Output in the Final Page
  461. [php]
  462. <meta http-equiv="content-type" content="text/html; charset=utf-8" />
  463. <meta http-equiv="cache-control" content="public" />
  464. <meta name="robots" content="index, follow" />
  465. <meta name="description" content="Finance in France" />
  466. <meta name="keywords" content="finance, France" />
  467. 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`:
  468. http_metas:
  469. content-type: text/plain
  470. has_layout: false
  471. #### Title Configuration
  472. 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.
  473. Listing 7-24 - Title Definition in `view.yml`
  474. indexSuccess:
  475. metas:
  476. title: Three little piggies
  477. Listing 7-25 - Title Definition in the Action--Allows for Dynamic Titles
  478. [php]
  479. $this->getResponse()->setTitle(sprintf('%d little piggies', $number));
  480. 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.
  481. >**TIP**
  482. >Another way to handle the title definition is to use slots, as discussed above. This method allow to keep a better separation of concern between controllers and templates : the title belongs to the view, not the controller.
  483. #### File Inclusion Configuration
  484. Adding a specific style sheet or JavaScript file to a view is easy, as Listing 7-26 demonstrates.
  485. Listing 7-26 - Asset File Inclusion
  486. [yml]
  487. // In the view.yml
  488. indexSuccess:
  489. stylesheets: [mystyle1, mystyle2]
  490. javascripts: [myscript]
  491. -
  492. [php]
  493. // In the action
  494. $this->getResponse()->addStylesheet('mystyle1');
  495. $this->getResponse()->addStylesheet('mystyle2');
  496. $this->getResponse()->addJavascript('myscript');
  497. // In the Template
  498. <?php use_stylesheet('mystyle1') ?>
  499. <?php use_stylesheet('mystyle2') ?>
  500. <?php use_javascript('myscript') ?>
  501. 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.
  502. Like the meta and title definitions, the file inclusion definitions require the usage of the `include_javascripts()` and `include_stylesheets()` helpers in the template or layout to be included. This means that the previous settings will output the HTML code of Listing 7-27.
  503. Listing 7-27 - File Inclusion Result
  504. [php]
  505. <head>
  506. ...
  507. <link rel="stylesheet" type="text/css" media="screen" href="/css/mystyle1.css" />
  508. <link rel="stylesheet" type="text/css" media="screen" href="/css/mystyle2.css" />
  509. <script language="javascript" type="text/javascript" src="/js/myscript.js">
  510. </script>
  511. </head>
  512. 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.
  513. Listing 7-28 - Sample Application `view.yml`
  514. default:
  515. stylesheets: [main]
  516. Listing 7-29 - Sample Module `view.yml`
  517. indexSuccess:
  518. stylesheets: [special]
  519. all:
  520. stylesheets: [additional]
  521. Listing 7-30 - Resulting `indexSuccess` View
  522. [php]
  523. <link rel="stylesheet" type="text/css" media="screen" href="/css/main.css" />
  524. <link rel="stylesheet" type="text/css" media="screen" href="/css/additional.css" />
  525. <link rel="stylesheet" type="text/css" media="screen" href="/css/special.css" />
  526. 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.
  527. Listing 7-31 - Sample Module `view.yml` That Removes a File Defined at the Application Level
  528. indexSuccess:
  529. stylesheets: [-main, special]
  530. all:
  531. stylesheets: [additional]
  532. To remove all style sheets or JavaScript files, use `-*` as a file name, as shown in Listing 7-32.
  533. Listing 7-32 - Sample Module `view.yml` That Removes all Files Defined at the Application Level
  534. indexSuccess:
  535. stylesheets: [-*]
  536. javascripts: [-*]
  537. 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 both style sheets and JavaScript files.
  538. Listing 7-33 - Defining the Position of the Included Asset
  539. [yml]
  540. // In the view.yml
  541. indexSuccess:
  542. stylesheets: [special: { position: first }]
  543. -
  544. [php]
  545. // In the action
  546. $this->getResponse()->addStylesheet('special', 'first');
  547. // In the template
  548. <?php use_stylesheet('special', 'first') ?>
  549. 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.
  550. Listing 7-34 - Style Sheet Inclusion with Raw Name
  551. [yml]
  552. // In the view.yml
  553. indexSuccess:
  554. stylesheets: [main, paper: { raw_name: true }]
  555. -
  556. [php]
  557. // In the Action
  558. $this->getResponse()->addStylesheet('main', '', array('raw_name' => true));
  559. // In the template
  560. <?php use_stylesheet('main', '', array('raw_name' => true)) ?>
  561. // Resulting View
  562. <link rel="stylesheet" type="text/css" href="main" />
  563. To specify media for a style sheet inclusion, you can change the default style sheet tag options, as shown in Listing 7-35.
  564. Listing 7-35 - Style Sheet Inclusion with Media
  565. [yml]
  566. // In the view.yml
  567. indexSuccess:
  568. stylesheets: [main, paper: { media: print }]
  569. -
  570. [php]
  571. // In the Action
  572. $this->getResponse()->addStylesheet('paper', '', array('media' => 'print'));
  573. // In the template
  574. <?php use_stylesheet('paper', '', array('media' => 'print')) ?>
  575. // Resulting View
  576. <link rel="stylesheet" type="text/css" media="print" href="/css/paper.css" />
  577. >**SIDEBAR**
  578. >Note about assets inclusions using the view.yml file
  579. >
  580. >The best practice is to define the defaults stylesheets and javascripts file in the project view.yml file, and include specifics stylesheets or javascripts files in your templates using the dedicated helper. This way, you do not have to remove or replace already included assets, which can be a painfull in some cases.
  581. #### Layout Configuration
  582. 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.
  583. 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.
  584. Listing 7-36 - Layout Definition
  585. [yml]
  586. // In view.yml
  587. indexSuccess:
  588. layout: my_layout
  589. -
  590. [php]
  591. // In the action
  592. $this->setLayout('my_layout');
  593. // In the template
  594. <?php decorate_with('my_layout') ?>
  595. 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.
  596. Listing 7-37 - Layout Removal
  597. [yml]
  598. // In `view.yml`
  599. indexSuccess:
  600. has_layout: false
  601. -
  602. [php]
  603. // In the Action
  604. $this->setLayout(false);
  605. // In the template
  606. <?php decorate_with(false) ?>
  607. >**NOTE**
  608. >Ajax actions views have no layout by default.
  609. Output Escaping
  610. ---------------
  611. When you insert dynamic data in a template, you must be sure about the data integrity. For instance, if data comes from forms filled in by anonymous users, there is a risk that it may include malicious scripts intended to launch cross-site scripting (XSS) attacks. You must be able to escape the output data, so that any HTML tag it contains becomes harmless.
  612. As an example, suppose that a user fills an input field with the following value:
  613. [php]
  614. <script>alert(document.cookie)</script>
  615. If you echo this value without caution, the JavaScript will execute on every browser and allow for much more dangerous attacks than just displaying an alert. This is why you must escape the value before displaying it, so that it becomes something like this:
  616. [php]
  617. &lt;script&gt;alert(document.cookie)&lt;/script&gt;
  618. You could escape your output manually by enclosing every unsure value in a call to `htmlspecialchars()`, but that approach would be very repetitive and error-prone. Instead, symfony provides a special system, called output escaping, which automatically escapes every variable output in a template. It is activated by default in the application `settings.yml`.
  619. ### Activating Output Escaping
  620. Output escaping is configured globally for an application in the `settings.yml` file. Two parameters control the way that output escaping works: the strategy determines how the variables are made available to the view, and the method is the default escaping function applied to the data.
  621. Basically, all you need to do to activate output escaping is to set the `escaping_strategy` parameter to `true` (which is the default), as shown in Listing 7-38.
  622. Listing 7-38 - Activating Output Escaping, in `frontend/config/settings.yml`
  623. all:
  624. .settings:
  625. escaping_strategy: true
  626. escaping_method: ESC_SPECIALCHARS
  627. This wi

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