Before we start
Due to a bug in symfony 1.2.0 admin generator, you might want to update the symfony framework before starting today's tutorial. Upgrading symfony is quite an easy task.
Remove all files and directories under the lib/vendor/symfony/ directory,
download the latest symfony
release, unpack it in the lib/vendor/symfony/ directory as explained in day
1, clear your cache with php symfony cc, you are done.
Previously on Jobeet
With the addition we made yesterday on Jobeet, the frontend application is now fully useable by job seekers and job posters. It's time to talk a bit about the backend application.
Today, thanks to the admin generator functionality of symfony, we will develop a complete backend interface for Jobeet in just one hour.
Backend Creation
The very first step is to create the backend application. If your memory
serves you well, you should remember how to do it with the generate:app
task:
$ php symfony generate:app --escaping-strategy=on --csrf-secret=Unique$ecret1 backend
Even if the backend application will only be used by the Jobeet administrators, we have enabled all the built-in security features of symfony.
The backend application is now available at
http://jobeet.localhost/backend.php for the prod environment, and at
http://jobeet.localhost/backend_dev.php for the dev environment.
When you created the frontend application, the production front controller was named
index.php. As you can only have oneindex.phpfile per directory, symfony creates anindex.phpfile for the very first production front controller and names the others after the application name.
If you try to reload the data fixtures with the propel:data-load task, it
won't work anymore. That's because the JobeetJob::save() method needs
access to the app.yml configuration file from the frontend application.
As we have now two applications, symfony uses the first it finds, which is now
the backend one.
But as seen during day 8, the settings can be configured at different levels.
By moving the content of the apps/frontend/config/app.yml file to
config/app.yml, the settings will be shared among all applications and the
problem will be fixed. Do the change now as we will use the model classes
quite extensively in the admin generator, and so we will need the variables
defined in app.yml in the backend application.
The
propel:data-loadtask also takes a--applicationoption. So, if you need some specific settings from one application or another, this is the way to go:$ php symfony propel:data-load --application=frontend
Backend Modules
For the frontend application, the propel:generate-module task has been used
to bootstrap a basic CRUD module based on a model class. For the backend, the
propel:generate-admin task will be used as it generates a full working
backend interface for a model class:
$ php symfony propel:generate-admin backend JobeetJob --module=job
$ php symfony propel:generate-admin backend JobeetCategory --module=category
These two commands create a job and a category module for the JobeetJob
and the JobeetCategory model classes.
The optional --module option overrides the module name generated by default
by the task (which would have otherwise been jobeet_job for the JobeetJob
class).
Behind the scenes, the task has also created a custom route for each module:
// apps/backend/config/routing.yml
jobeet_job:
class: sfPropelRouteCollection
options:
model: JobeetJob
module: job
prefix_path: job
column: id
with_wildcard_routes: true
It should come as no surprise that the route class used by the admin generator
is sfPropelRouteCollection, as the main goal of an admin interface is the
management of the life-cycle of model objets.
The route definition also defines some options we have not seen before:
prefix_path: Defines the prefix path for the generated route (for instance, the edit page will be something like/job/1/edit).column: Defines the table column to use in the URL for links that references an object.with_wildcard_routes: As the admin interface will have more than the classic CRUD operations, this option allows to define more object and collection actions without editing the route.
As always, it is a good idea to read the help before using a new task.
$ php symfony help propel:generate-adminIt will give you all the task arguments and options as well as some classic usage examples.
Backend Look and Feel
Right off the bat, you can use the generated modules:
http://jobeet.localhost/backend_dev.php/job
http://jobeet.localhost/backend_dev.php/category
The admin modules have many more features than the simple modules we have generated in previous days. Without writing a single line of PHP, each module provides these great features:
- The list of objects is paginated
- The list is sortable
- The list can be filtered
- Objects can be created, edited, and deleted
- Selected objects can be deleted in a batch
- The form validation is enabled
- Flash messages give immediate feedback to the user
- ... and much much more
The admin generator provides all the features you need to create a backend interface in a simple to configure package.
To make the user experience a bit better, the default backend layout can be
customized. We have also added a simple menu to make it easy to navigate between
the different modules. Replace the default layout.php file content with the
following one:
// apps/backend/templates/layout.php <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"> <head> <title>Jobeet Admin Interface</title> <link rel="shortcut icon" href="/favicon.ico" /> <?php use_stylesheet('admin.css') ?> <?php include_javascripts() ?> <?php include_stylesheets() ?> </head> <body> <div id="container"> <div id="header"> <h1> <a href="<?php echo url_for('@homepage') ?>"> <img src="/images/jobeet.gif" alt="Jobeet Job Board" /> </a> </h1> </div> <div id="menu"> <ul> <li><?php echo link_to('Jobs', '@jobeet_job') ?></li> <li><?php echo link_to('Categories', '@jobeet_category') ?></li> </ul> </div> <div id="content"> <?php echo $sf_content ?> </div> <div id="footer"> <img src="/images/jobeet-mini.png" /> powered by <a href="http://www.symfony-project.org/"> <img src="/images/symfony.gif" alt="symfony framework" /></a> </div> </div> </body> </html>
As for the frontend, we have also prepared a very simple stylesheet for the
backend. The admin.css file is
downloadable
from today's subversion tag.

Eventually, change the default symfony homepage in routing.yml:
// apps/backend/config/routing.yml
homepage:
url: /
param: { module: job, action: index }
The symfony Cache
If you are curious enough, you have probably already opened the files
generated by the task under the apps/backend/modules/ directory. If not,
please open them now. Surprise! The templates directories are empty, and the
actions.class.php files are quite empty as well:
// apps/backend/modules/job/actions/actions.class.php require_once dirname(__FILE__).'/../lib/jobGeneratorConfiguration.class.php'; require_once dirname(__FILE__).'/../lib/jobGeneratorHelper.class.php'; class jobActions extends autoJobActions { }
How can it possibly work? If you have a closer look, you will notice that the
jobActions class extends autoJobActions. The autoJobActions class is
automatically generated by symfony if it does not exist. It is to be found in
the cache/backend/dev/modules/autoJob/ directory, which contains the "real"
module:
// cache/backend/dev/modules/autoJob/actions/actions.class.php class autoJobActions extends sfActions { public function preExecute() { $this->configuration = new jobGeneratorConfiguration(); if (!$this->getUser()->hasCredential( $this->configuration->getCredentials($this->getActionName()) )) { // ...
The way the admin generator works should remind you of some known behavior. In
fact, it is quite similar to what we have already learned about the model and
form classes. Based on the model schema definition, symfony generates the
model and form classes. For the admin generator, the generated module can be
configured by editing the config/generator.yml file found in the module:
// apps/backend/modules/job/config/generator.yml generator: class: sfPropelGenerator param: model_class: JobeetJob theme: admin non_verbose_templates: true with_show: false singular: ~ plural: ~ route_prefix: jobeet_job with_propel_route: 1 config: actions: ~ fields: ~ list: ~ filter: ~ form: ~ edit: ~ new: ~
Each time you update the generator.yml file, symfony regenerates the cache.
As we will see today, customizing the admin generated modules is easy, fast,
and fun.
The automatic re-generation of cache files only occurs in the development environment. In the production one, you will need to clear the cache manually with the
cache:cleartask.
Backend Configuration
An admin module can be customized by editing the config key of the
generator.yml file. The configuration is organized in seven sections:
actions: Default configuration for the actions found on the list and on the formsfields: Default configuration for the fieldslist: Configuration for the listfilter: Configuration for the filtersform: Configuration for the new/edit formedit: Specific configuration for the edit pagenew: Specific configuration for the new page
Let's start the customization.
Title Configuration
The list, edit, and new section titles can be customized by defining a
title option:
config:
actions: ~
fields: ~
list:
title: Category Management
filter: ~
form: ~
edit:
title: Editing Category "%%name%%" (#%%id%%)
new:
title: New Category
The title for the edit section contains dynamic values: all strings
enclosed between %% are replaced by their corresponding object column
values.

The configuration for the job module is quite similar:
config:
actions: ~
fields: ~
list:
title: Job Management
filter: ~
form: ~
edit:
title: Editing Job "%%company%% is looking for a %%position%% (#%%id%%)"
new:
title: Job Creation
Fields Configuration
The views are composed of fields. A field can be a column of the model class, or a custom column as we will see later on.
The default fields configuration can be customized with the fields section:
config:
fields:
is_activated: { label: Activated?, help: Whether the user has activated the job, or not }
is_public: { label: Public? }
The fields section overrides the fields configuration for all views, which
means that the label for the is_activated field will be changed for the
list, edit, and new views.
The admin generator configuration is based on a configuration cascade
principle. For instance, if you want to change a label for the list view
only, define a fields option under the list section:
config:
list:
fields:
is_public: { label: "Public? (label for the list)" }
Any configuration that is set under the main fields section can be
overridden by view-specific configuration. The overriding rules are the
following:
newandeditinherits fromformwhich inherits fromfieldslistinherits fromfieldsfilterinherits fromfields
For form sections (
form,edit, andnew), thelabelandhelpoptions override the ones defined in the form classes.
List View Configuration
display
By default, the columns of the list view are all the columns of the model.
The display option overrides the default by defining the ordered columns to
be displayed:
config:
list:
title: Category Management
display: [=name, slug]
The = sign before the name column is a convention to convert the string to
a link.

Let's do the same for the job module to make it more readable:
config:
list:
title: Job Management
display: [company, position, location, url, is_activated, email]
layout
The list can be displayed by different layouts. By default, the layout is
tabular, which means that each column value is in its own table column.
But for the job module, it would be better to use the stacked layout,
which is the other built-in layout:
config:
list:
title: Job Management
layout: stacked
display: [company, position, location, url, is_activated, email]
params: |
%%is_activated%% <small>%%category_id%%</small> - %%company%%
(<em>%%email%%</em>) is looking for a %%=position%% (%%location%%)
In a stacked layout, each object is represented by a single string, which
is defined by the params option.
The
displayoption is still needed as it defines the columns that will be sortable by the user.
"Virtual" columns
With this configuration, the %%category_id%% segment will be replaced by the
category primary key. But it would be more meaningful to display the name of
the category.
Whenever you use the %% notation, the variable does not need to correspond
to an actual column in the database schema. The admin generator only need to
find a related getter in the model class.
To display the category name, we can define a getCategoryName() method in
the JobeetJob model class and replace %%category_id%% by
%%category_name%%.
But the JobeetJob class already has a getJobeetCategory() method that
returns the related category object. And if you use %%jobeet_category%%,
it works as the JobeetCategory class has a magic __toString() method
that converts the object to a string.
%%is_activated%% <small>%%jobeet_category%%</small> - %%company%% (<em>%%email%%</em>) is looking for a %%=position%% (%%location%%)

sort
As an administrator, you will be probably more interested in seeing the latest posted jobs. You can configure the default sort column by adding a sort option:
config:
list:
sort: [expires_at, desc]
max_per_page
By default, the list is paginated and each page contains 20 items. This can be
changed with the max_per_page option:
config:
list:
max_per_page: 10

batch_actions
On a list, an action can be run on several objects. These batch actions are
not needed for the category module, so, let's remove them:
config:
list:
batch_actions: {}

The batch_actions option defines the list of batch actions. The empty array
allows the removal of the feature.
By default, each module has a delete batch action defined by the framework,
but for the job module, let's pretend we need a way to extend the validity
of some selected jobs for another 30 days:
config:
list:
batch_actions:
_delete: ~
extend: ~
All actions beginning with a _ are built-in actions provided by the
framework. If you refresh your browser and select the extend batch actions,
symfony will throw an exception telling you to create a executeBatchExtend()
method:
// apps/backend/modules/job/actions/actions.class.php class jobActions extends autoJobActions { public function executeBatchExtend(sfWebRequest $request) { $ids = $request->getParameter('ids'); $criteria = new Criteria(); $criteria->add('jobeet_job.ID', $ids, Criteria::IN); foreach (JobeetJobPeer::doSelect($criteria) as $job) { $job->extend(true); $job->save(); } $this->getUser()->setFlash('notice', 'The selected jobs have been extended successfully.'); $this->redirect('@jobeet_job'); } }
The selected primary keys are stored in the ids request parameter. For each
selected job, the JobeetJob::extend() method is called with an extra
argument to bypass some checks done in the method. We need to update the
extend() method to take this new argument into account:
// lib/model/JobeetJob.php class JobeetJob extends BaseJobeetJob { public function extend($force = false) { if (!$force && !$this->expiresSoon()) { return false; } $this->setExpiresAt(time() + 86400 * sfConfig::get('app_active_days')); $this->save(); return true; } // ... }
After all jobs have been extended, the user is redirected to the job module
homepage.

object_actions
In the list, there is an additional column for actions you can run on a
single object. For the category module, let's remove them as we have a link
on the category name to edit it, and we don't really need to be able to delete
one directly from the list:
config:
list:
object_actions: {}
For the job module, let's keep the existing actions and add a new extend
action similar to the one we have added as a batch action:
config:
list:
object_actions:
extend: ~
_edit: ~
_delete: ~
As for batch actions, the _delete and _edit actions are the one defined
by the framework. We need to define the listExtend() action to make the
extend link works:
// apps/backend/modules/job/actions/actions.class.php class jobActions extends autoJobActions { public function executeListExtend(sfWebRequest $request) { $job = $this->getRoute()->getObject(); $job->extend(true); $job->save(); $this->getUser()->setFlash('notice', 'The selected jobs have been extended successfully.'); $this->redirect('@jobeet_job'); } // ... }

actions
We have already seen how to link an action to a list of objects or a single
object. The actions option defines actions that take no object at all, like
the creation of a new object. Let's remove the default new action and add a
new action that deletes all jobs that have not been activated by the poster
for more than 60 days:
list:
config:
actions:
deleteNeverActivated: { label: Delete never activated jobs }
Each action can be customized by defining an array of parameters.
The listDeleteNeverActivated action is quite straightforward:
// apps/backend/modules/job/actions/actions.class.php class jobActions extends autoJobActions { public function executeListDeleteNeverActivated(sfWebRequest $request) { $nb = JobeetJobPeer::cleanup(60); if ($nb) { $this->getUser()->setFlash('notice', sprintf('%d never activated jobs have been deleted successfully.', $nb)); } else { $this->getUser()->setFlash('notice', 'No job to delete.'); } $this->redirect('@jobeet_job'); } // ... }
We have reused the JobeetJobPeer::cleanup() method defined yesterday. That's
another great example of the reusability provided by the MVC pattern.
You can also change the action to execute by passing an
actionparameter:deleteNeverActivated: { label: Delete never activated jobs, action: foo }

peer_method
The number of database requests needed to display the job list page is 13, as shown by the web debug toolbar.

If you click on that number, you will see that most requests are to retrieve
the category name for each job. To reduce the number of requests, we can
change the default method used to get the jobs by using the peer_method
option:
config:
list:
peer_method: doSelectJoinJobeetCategory
The doSelectJoinJobeetCategory() method adds a join between the job and
the category tables and automatically creates the category object related to
each job.
The number of requests is now down to three:

Form Views Configuration
The form views configuration are done in three sections: form, edit, and
new. They all have the same configuration capabilities and the form
section only exists as a fallback for the edit and new sections.
display
As for the list, you can change the order of the displayed fields with the
display option. But as the displayed form is defined by a class, don't try
to remove a field as it could lead to unexpected validation errors.
The display option for form views can also be used to arrange fields into
groups:
config:
form:
display:
Content: [category_id, type, company, logo, url, position, location, description, how_to_apply, is_public, email]
Admin: [_token, is_activated, expires_at]
The above configuration defines two groups (Content and Admin), each
containing a subset of the form fields.

The admin generator has built-in support for many to many relationship. On the category form, you have an input for the name, one for the slug, and a drop-down box for the related affiliates. As it does not make sense to edit this relation on this page, let's remove it:
// lib/model/JobeetCategoryForm.class.php class JobeetCategoryForm extends BaseJobeetCategoryForm { public function configure() { unset($this['jobeet_category_affiliate_list']); } }
"Virtual" columns
The _token field start with an underscore (_). This means that the
rendering for this field will be handled by a custom partial named
_token.php:
// apps/backend/modules/job/templates/_token.php <div class="sf_admin_form_row"> <label>Token</label> <?php echo $form->getObject()->getToken() ?> </div>
In the partial, you have access to the current form ($form) and the related
object is accessible via the getObject() method.
You can also delegate the rendering to a component by prefixing the field name by a tilde (
~).
class
As the form will be used by administrators, we have displayed more information
than for the user job form. But for now, some of them do not appear on the
form as they have been removed in the JobeetJobForm class.
To have different forms for the frontend and the backend, we need to create
two form classes. Let's create a BackendJobeetJobForm class than extends the
JobeetJobForm class. As we won't have the same hidden fields, we also need to
refactor the JobeetJobForm class a bit to move the unset() statement in a
method that will be overridden in BackendJobeetJobForm:
// lib/form/JobeetJobForm.class.php class JobeetJobForm extends BaseJobeetJobForm { public function configure() { $this->removeFields(); $this->validatorSchema['email'] = new sfValidatorEmail(); // ... } protected function removeFields() { unset( $this['created_at'], $this['updated_at'], $this['expires_at'], $this['token'], $this['is_activated'] ); } } // lib/form/BaseJobeetJobForm.class.php class BackendJobeetJobForm extends JobeetJobForm { public function configure() { parent::configure(); } protected function removeFields() { unset( $this['created_at'], $this['updated_at'], $this['token'] ); } }
The default form class used by the admin generator can be overridden by
setting the class option:
config:
form:
class: BackendJobeetJobForm
The edit form still has a small annoyance. The current uploaded logo does
not show up anywhere and you cannot remove it. The
sfWidgetFormInputFileEditable widget adds editing capabilities to a simple
input file widget:
// lib/form/BaseJobeetJobForm.class.php class BackendJobeetJobForm extends JobeetJobForm { public function configure() { parent::configure(); $this->widgetSchema['logo'] = new sfWidgetFormInputFileEditable(array( 'label' => 'Company logo', 'file_src' => '/uploads/jobs/'.$this->getObject()->getLogo(), 'is_image' => true, 'edit_mode' => !$this->isNew(), 'template' => '<div>%file%<br />%input%<br />%delete% %delete_label%</div>', )); } // ... }
The sfWidgetFormInputFileEditable widget takes several options to tweak
its features and rendering:
file_src: The web path to the current uploaded fileis_image: Iftrue, the file will be rendered as an imageedit_mode: Whether the form is in edit mode or notwith_delete: Whether to display the delete checkboxtemplate: The template to use to render the widget

The look of the admin generator can be tweaked very easily as the generated templates define a lot of classes and ids. For instance, the logo field can be customized by using the
sf_admin_form_field_logoclass. Each field also has a class depending on the field type likesf_admin_textorsf_admin_boolean.
The edit_mode option uses the sfPropel::isNew() method. It returns true
if the model object of the form is new, and false otherwise. This is of
great help when you need to have different widgets or validators depending on
the status of the embedded object.
Filters Configuration
Configuring filters is quite the same as configuring the form views. As a
matter of fact, filters are just forms. And as for the forms, the classes have
been generated by the propel:build-all task. You can also re-generate them
with the propel:build-filters task.
The form filter classes are located under the lib/filter directory and each
model class has an associated filter form class (JobeetJobFormFilter for
JobeetJobForm).
Let's remove them completely for the category module:
config:
filter:
class: false
For the job module, let's remove some of them:
filter: display: [category_id, company, position, description, is_activated, is_public, email, expires_at]
As filters are always optional, there is no need to override the filter form class to configure the fields to be displayed.

Actions Customization
When configuration is not sufficient, you can add new methods to the action class as we have seen with the extend feature, but you can also override the generated action methods:
| Method | Description |
|---|---|
executeIndex() |
list view action |
executeFilter() |
Updates the filters |
executeNew() |
new view action |
executeCreate() |
Creates a new Job |
executeEdit() |
edit view action |
executeUpdate() |
Updates a Job |
executeDelete() |
Deletes a Job |
executeBatch() |
Executes a batch action |
executeBatchDelete() |
Executes the _delete batch action |
processForm() |
Processes the Job form |
getFilters() |
Returns the current filters |
setFilters() |
Sets the filters |
getPager() |
Returns the list pager |
getPage() |
Sets the list pages |
setPage() |
Set the pager page |
buildCriteria() |
Builds the Criteria for the list |
addSortCriteria() |
Adds the sort Criteria for the list |
getSort() |
Returns the current sort column |
setSort() |
Sets the current sort column |
As each generated method does only one thing, it is easy to change a behavior without having to copy and paste too much code.
Templates Customization
We have seen how to customize the generated templates thanks to the classes and ids added by the admin generator in the HTML code.
As for the classes, you can also override the original templates. As templates
are plain PHP files and not PHP classes, a template can be overridden by
creating a template of the same name in the module (for instance in the
apps/backend/modules/job/templates/ directory for the job admin module):
| Template | Description |
|---|---|
_assets.php |
Renders the CSS and JS to use for templates |
_filters.php |
Renders the filters box |
_filters_field.php |
Renders a single filter field |
_flashes.php |
Renders the flash messages |
_form.php |
Displays the form |
_form_actions.php |
Displays the form actions |
_form_field.php |
Displays a singe form field |
_form_fieldset.php |
Displays a form fieldset |
_form_footer.php |
Displays the form footer |
_form_header.php |
Displays the form header |
_list.php |
Displays the list |
_list_actions.php |
Displays the list actions |
_list_batch_actions.php |
Displays the list batch actions |
_list_field_boolean.php |
Displays a single boolean field in the list |
_list_footer.php |
Displays the list footer |
_list_header.php |
Displays the list header |
_list_td_actions.php |
Displays the object actions for a row |
_list_td_batch_actions.php |
Displays the checkbox for a row |
_list_td_stacked.php |
Displays the stacked layout for a row |
_list_td_tabular.php |
Displays a single field for the list |
_list_th_stacked.php |
Displays a single column name for the header |
_list_th_tabular.php |
Displays a single column name for the header |
_pagination.php |
Displays the list pagination |
editSuccess.php |
Displays the edit view |
indexSuccess.php |
Displays the list view |
newSuccess.php |
Displays the new view |
Final Configuration
The final configuration for the Jobeet admin is as follows:
// apps/backend/modules/job/config/generator.yml
config:
actions: ~
fields:
is_activated: { label: Activated?, help: Whether the user has activated the job, or not }
is_public: { label: Public? }
list:
title: Job Management
layout: stacked
display: [company, position, location, url, is_activated, email]
params: |
%%is_activated%% <small>%%jobeet_category%%</small> - %%company%%
(<em>%%email%%</em>) is looking for a %%=position%% (%%location%%)
max_per_page: 10
sort: [expires_at, desc]
batch_actions:
_delete: ~
extend: ~
object_actions:
extend: ~
_edit: ~
_delete: ~
actions:
deleteNeverActivated: { label: Delete never activated jobs }
peer_method: doSelectJoinJobeetCategory
filter:
display: [category_id, company, position, description, is_activated, is_public, email, expires_at]
form:
class: BackendJobeetJobForm
display:
Content: [category_id, type, company, logo, url, position, location, description, how_to_apply, is_public, email]
Admin: [_token, is_activated, expires_at]
edit:
title: Editing Job "%%company%% is looking for a %%position%% (#%%id%%)"
new:
title: Job Creation
// apps/backend/modules/category/config/generator.yml
config:
actions: ~
fields: ~
list:
title: Category Management
display: [=name, slug]
batch_actions: {}
object_actions: {}
filter:
class: false
form:
actions:
_delete: ~
_list: ~
_save: ~
edit:
title: Editing Category "%%name%%" (#%%id%%)
new:
title: New Category
With just these two configuration files, we have developed a great backend interface for Jobeet in a matter of minutes.
You already know that when something is configurable in a YAML file, there is also the possibility to use plain PHP code. For the admin generator, you can edit the
apps/backend/modules/job/lib/jobGeneratorConfiguration.class.phpfile. It gives you the same options as the YAML file but with a PHP interface. To learn the method names, have a look at the generated base class incache/backend/dev/modules/autoJob/lib/BaseJobGeneratorConfiguration.class.php.
See you Tomorrow
In just one hour, we have built a fully featured backend interface for the Jobeet project. And all in all, we have written less than 50 lines of PHP code. Not too bad for so many features!
Tomorrow, we will see how to secure the backend application with a username and a password. This will also be the occasion to talk about the symfony user class.
The removeFields() philosophy is ugly. It may actually become a security issue. Imagine, after a while you add more columns to some tables and you rebuild the forms. But you forget to unset() fields you don't want to show...
Instead of the unset() there should be a convenient method to enable the fields, something like
$this->enableFields(array('field1', 'field2', ...));
That would be much more secure and straightforward.
Why is the BackendJobeetJobForm in a file called BaseJobeetJobForm.class.php and not BackendJobeetJobForm.class.php?
it works but that really makes no sense to me.
How make expires_at field in filters like this http://www.symfony-project.org/images/book/1_2/F1416.png ?
and what the 'rich' (mce / fck) or calendar? how to implement them in generator.yml (sf 1.2)?
@Matthias: you get my vote!
@Matthias
You can select only a set of existing fields like this:
$this->setWidgets(array( 'email' => $this->widgetSchema['email'])); $this->widgetSchema->setNameFormat('contact[%s]');
$this->setValidators(array( 'email' => new sfValidatorAnd(array( $this->validatorSchema['email'], new sfValidatorEmail(array(), array('invalid' => 'Please provide a valid email')))));
that’s awesome tutorial! it's much better then was expected. thanks for great job done.
about token partial. by some reason it don't want to appear on edit job, but if don't remove this field in the BackendJobeetJobForm it appears. any ideas?
about form classes BackendJobeetJobForm and JobeetJobForm. imho, thay have incorrect inheritance order. on my opinion better to change it to
class JobeetJobForm extends BackendJobeetJobForm { //... }
class BackendJobeetJobForm extends BaseJobeetJobForm { //... }
at this way forms for frontend and backend will be bit more DRY. BackendJobeetJobForm will remove 3 fields, and JobeetJobForm will call parent method and then remove 2 more field.
sorry for so long comment, that's just imho.
@lking: Yeah I noticed the same thing :S Maybe not unset it for the admin to show it?
@Seralo: Your suggesion is a bit too verbose, isn't it?
I'm not looking for a workaround, I think symfony should provide a serious solution.
Why Doctrine fans are forgotten? :)
yeah.. it's me again...
so.. my admin interface is not styled.
the css are calling at http://localhost:8080/sfPropelPlugin/css/global.css wich gives a 404.
i have defined an alias on the httpd.conf for the /sf
do i have to define another one?
i did somethig wrong?
@Gianko
try to copy folders css and images from
lib/vendor/symfony/lib/plugins/sfPropelPlugin/web/ to web/sfPropelPlugin/
for sfProtoculousPlugin same thing, but folders css and js.
it must solve prob.
@Matthias: i think it could be helpfull for you: http://blog.adryjanek.eu/2008/12/12/symfony-12-sfform-yet-another-useful-function/
Yeah... that worked for sure, thanks... but i think is not the ideal solution...
in the web/ i have a file named sfPropelPlugin
with
link ../lib/vendor/symfony/lib/plugins/sfPropelPlugin/web
but is not working.
also i'm on windows.. maybe that's why... isn't?
Yup, that's a symlink file..
delete it and run:
php symfony plugins:build-assets
That should copy the needed files automatically on windows (and symlink it for linux)
I was unable to get the logo file input working. Instead of saving the new filename to the database, it saved "Array". Interestingly, it also didn't upload the new file or delete the old one. Overriding the setLogo function i found it is set as a string, not an array (is_string = true, is_array = false on the passed parameter). Note that im using doctrine instead of propel. looks like there was one step missed? and perhaps this is an isolated issue for doctrine?
@danielh: I had the same problem using propel. But there is a simple solution. Just have a look at http://trac.symfony-project.org/ticket/4978.
Hope that helps.
Im getting Unexpected extra form field named "logo_delete" when try to remove logo
What's the equivalent of peer_method in Doctrine?
What's the right way to put tinymce to work with admin generator. I have installed form extra plugin and tinymce is loaded. can someone provide a generator.yml with correct syntax
Great tutorial. Still have a some questions and hope that someone could help :)
@Harro: php symfony plugins:build-assets didn't work. :(
Im also getting "Unexpected extra form field named "logo_delete" when try to remove logo"
Why do we have to call $this->save() method on the new executeBatchExtend and executeListExtend method. As far as i know the extend() method on JobeetJob calls the save() method. So theoretically we can delete it from the new two methods. right??
@Francisco Vacas
If you don't see the expected look and feel (no stylesheet and no image), this is because you need to install the assets in your project by running the plugin:publish-assets task:
$ php symfony plugin:publish-assets
I have in backend\modules\job\config\generator.yml
form: class: BackendJobeetJobForm display: Content: [category_id, type, company, logo, url, position, location, description, how_to_apply, is_public, email] Admin: [_token, is_activated, expires_at]
in backend\modules\job\templates_token.php
but I don't see this field. Why?