Form Validation 

Formats 

There are two valid formats, both works fine:

new 

fillin: enabled: on

fields: required: msg: Please summarize the request under 80 characters here

req{category_id}:
  required:
    msg: required
req{type_id}:
  required:
    msg: required
req{notify_type_id}:
   required:
    msg: required

old 

methods: post:

names: required:true required_msg: Please summarize the request under 80 characters here

req{category_id}:
  required:true
req{type_id}:
  required:true
req{notify_type_id}:
  required:true

I.e., first register the valid fields in methods/post, then specify the validation rule.

documented on: 2007.02.07

Backend and validation 

http://www.symfony-project.org/forum/index.php/mv/tree/3235/

I tried to add validation to the form, with a file named edit.yml, which looks like:

methods:
  get:
    - "book{title}"
    - "book{author}"
  post:
    - "book{title}"
    - "book{author}"
names:
  book{title}:
    required:     Yes
    required_msg: You must provide a title
book{author}:
  required:   No
fillin:
  activate: on

But now, as soon as I click on the "Create" button or on the "Edit" button in the list page, the edit form is displayed with the error message "You must provide a title". It looks like it tries to validate the form as soon as it displays it…

[EDIT] Ok, problem solved. Just remove the get section of the methods section in the edit.yml, and it just works great!

grigann

sfFileValidator optional 

http://www.symfony-project.org/forum/index.php?t=msg&goto=34377&#msg_34377

According to the doc, it looks like I have to make my file field required since the "file" attribute must be set to "True" under the required key.

Is it a problem in the doc? How can I make the file field optional and still validate the size and mime type?

sfFileValidator optional 

> Have you solve it yet?
> I'm facing the same problem.

I bypassed the validator and wrote code in the validate() method.

documented on: 28 August 2007, omoratin

sfFileValidator optional 

Thanks for the reply.

Just for the archive, I solved the problem by isolating the optional file upload into another view, in which only the file upload operation is enabled.

So the user can make changes as many time as they need in the original edit form (without the optional upload fields), and do the file upload in the file upload view.

No custom coding necessary.

documented on: 28 August 2007, xpt

sfFileValidator optional 

> I bypassed the validator and wrote code in the validate() method

Could you share your code with me please?

I found my above method doesn't work well. Eg., it does not allows me to delete an upload.

sfFileValidator optional 

Here it is. It's very custom since I have stuff from a config file

 // File upload settings
                if(!$mime_types=sfConfig::get('app_upload_rules_mime_types')){
                        throw new Exception("Mime types not defined for upload");
                }
                if(!$max_size=sfConfig::get('app_upload_rules_max_size')){
                        throw new Exception("File size limit not defined for upload");
                }
                if(!$extensions=sfConfig::get('app_upload_rules_extensions')){
                        throw new Exception("Extensions not defined for file upload ");
                }
                // Check for file errors in request
                $file=$this->getRequest()->getFile('file');
                if($this->getRequest()->getFileSize('file')!=null && $this->getRequest()->hasFileErrors($file)) {
                        $this->getRequest()->setError('file','The file size is above the maximum size limit (5Mbytes)');
                }elseif($this->getRequest()->getFileSize('file')){ // do more extensive testing
                        $fileValidator=new sfFileValidator();
                        $fileValidator->initialize($this->getContext(),array(
                                'max_size'=>$max_size,
                                'max_size_error'=>'File too big',
                                'mime_types'=>$mime_types,
                                'mime_types_error'=>"You can only upload JPEG, GIF, PNG, MP3 or MP4"));

                        if($this->getRequest()->getFileSize('file')>0 && !$fileValidator->execute($file,$error)){
                                $this->getRequest()->setError('file',$error);
                        }
                        // Check extension
                        $filename_split=explode('.',$this->getRequest()->getFileName('file'));
                        $ext=strtolower(array_pop($filename_split));

                        if(!in_array($ext,$extensions)){
                                $this->getRequest()->setError('file','The file doesn\'t have the proper extension');
                        }

                        // Make sure media type matches with file
                        $media_type=$this->getRequestParameter('type');

                        $media_ext=sfConfig::get('app_upload_rules_media_ext');
                        if(!$media_ext){
                                throw new Exception("Extensions not defined for file upload");
                        }


                        if($this->getRequest()->getFileSize('file')>0 && !in_array($ext,$media_ext[$media_type])){
                                $this->getRequest()->setError('file','The media type you selected requires a file with one of the following extensions: '.implode(', ',$media_ext[$media_type]));
                        }
                }

                if($this->getRequest()->hasErrors()){

                        return false;
                }

                return true;

Admin inline file validation 

http://www.symfony-project.org/forum/index.php/m/36830/

> I'm trying to validate a file (without yaml configuration file) in my
> backend app.
>
> My validator is executed but I can't see any error message when it fails !

Have a look here : http://www.symfony-project.org/book/1_0/10-Forms#Validators

I think you should try something like this : You are missing the

$this->getRequest( )->setError( 'yourfield', $error );
$file = $this->getRequest()->getFile('user[picture]');

if ($file)
{
        // The name field must be a text entry between 2 and 100 characters
        $myValidator = new sfFileValidator();

        $myValidator->initialize($this->getContext(), array(
                'mime_types' => array('image/jpeg', 'image/pjpeg'),
                'mime_types_error' => 'Only PNG and JPEG images are allowed',
                'max_size' => 512000,
                'max_size_error' => 'Max size is 512Kb'
        ));

        if (!$myValidator->execute(&$file, &$error))
        {
          $this->getRequest( )->setError( 'yourfield', $error );
          return false;
        }
}

Admin inline file validation 

The online documentation could be a little more explicite … Rolling Eyes

Thanks a lot for your help. You solved this for me.

documented on: 05 October 2007, guizmo

partial field validation in admin gen 

http://www.symfony-project.org/forum/index.php?t=msg&goto=11456&#msg_11456

here is an excerpt of my code.

Example: My edit.yml file:
methods:
  post:
   - "organisation{raison_sociale}"
   - "organisation{sigle}"
   - "organisation{_adresse}"

names:
  organisation{raison_sociale}:
    required:     Yes
    required_msg: La raison sociale doit obligatoirement ...
    validators:   raisonSocialeValidator
  organisation{sigle}:
    required:     Yes
    required_msg: Le sigle doit obligatoirement ...
organisation{_adresse}:
    required:     Yes
    required_msg: L'adresse de l'organisation doit obligatoirement ...

raisonSocialeValidator:
  class:          sfStringValidator
  param:
    min:          2
    min_error:    Vous n'avez pas entr...

fillin:
  activate: on
Example: My generator.yml file:
generator:
  class:              sfPropelAdminGenerator
  param:
    model_class:      Organisation
    theme:            default

    list:
      title:          Liste des entreprises
      layout:         tabular


    edit:
      title:          .../Modification d'une Entreprise
      actions:
        _list:                  -
        _save_and_add:  -
        _delete:                -
      display:
        "Informations ...":       [raison_sociale, sigle]
        "Coordonn...":                  [_adresse]
      fields:
        raison_sociale:         { name: Raison Sociale }
        sigle:                  { name: Sigle }
        adresse:                { name: Adresse }
Example: My _adresse.php template:
<?php  echo form_error('adresse');
echo textarea_tag('adresse','','size=40x4')?>

then override of updateOrganisationFromRequest() (in order to fill the adress table):

protected function updateOrganisationFromRequest()
{
$adresse= new Adresse();
$adresse->setAdresseLigne1($this->getRequestParameter('adresse'));    $adresse->setCpVilleIdcpVille($this->getRequestParameter('CP'));
$adresse->save();
$this->getRequest()->setAttribute('idAdresse', $adresse->getIdadresse());
parent::updateOrganisationFromRequest();
}

documented on: 05 September 2006, nikko

partial field validation in admin gen 

The name in the validation file corresponds to the field name in the template. If, in your template, the field is named 'adresse', then you must write in your validation file:

adresse:
  required: Yes
  required_msg: L'adresse de l'organisation doit obligatoirement...

documented on: 11 September 2006, francois

validation example 

http://www.symfony-project.org/forum/index.php?t=msg&&th=8290#msg_34080

Here is a simple example for you to follow.

First change into the directory where you are developing your site and do the normal symfony setup required.

For this example I suggest making a new app.

symfony new test

now make a new module for your app

symfony module test validatetest

No you will see in your project directory, a folder called apps. In there are all your settings and also your modules. So go into apps/modules/validatetest

First got into the template dir and create a file called IndexSuccess.php

in that file put the following code;

<?php use_helper('Validation') ?>
// Where should your form submit to? Well back to the  index action in this case
<?php echo form_tag('/test/validatetest', array('method' => 'POST');?>
// Show an input tag
<?php echo input_tag('testinput')?>
// We want to display the error message here if there  is a prob.
<?php echo form_error('testinput');?>
// See the correlation between the two above lines? The  form_error has the same name as your input tag.
// Now display the submit button
<?php echo submit_tag('Hit Me',array('name' => 'testvalidatesubmit');?>

And that is it for your template. Now open your browser and go to http://<YOURSERVER>/test_dev.php/validatetest

You should now see your form. Now pressing submit will do nothing at this stage. You need to set up the action to do something.

So back in the validatetest module directory, open up the actions directory and you will see a file called actions.class.php

Open that up and put the following code inside the very first method usually called executeIndex()

<?php
public function executeIndex()
{
    // If this is a POST request we want to do something.
    if($this->getRequest()->getMethod() == sfRequest::POST)
    {
       // For the purpose here, we will just redirect
       // to main web page as we just want to see validation  working
      $this->redirect('http://www.symfony-project.org/');
    }
   return sfView::SUCCESS;
}
?>

Basically all the above is doing, is processing your request.

Now we need to set up validation. So back into your validatetest directory you will see a validate directory.

Create a file there called index.yml

Validation can be written into your action, but that takes ages and you end up repeating yourself. So to make life easy configure it in yml.

Now in your new yml file enter in the following.

fillin:
  enabled: true
fields:
  testinput
    required:
        msg: You must provide something here for me to be helpfull.

basically this says, enable fillin of the form when it is submitted and there is an error, so the user don't have to type stuff in again except what was incorrect. Next it defines, well the fields it needs to validate, as you can pick and choose what you want validate (Hint: In production never ever trust your user, validate all, even if it just for the length of a string or for html etc). as this is a simple form, its only one field, the testinput one. We want this to be a required field, so we say so, and we enter the message we want to display to the user when they don't fill it in.

And that is validation set up. Now go back to your form, and don't enter anything into the form field and press submit. You should see your error message if I have been correct above.

Validation in symfony is really cool, and can be quite complex, for example you can even have it check form fields against your db so to make sure an email address is not already there. Normally you would have to write this method all by yourself, but this saves you valuable time.

I do suggest that you read the docs and the book more before you get into this. But please, please play a bit more with it as you will find out how it should work much quicker.

Why handleErrorEdit designed this way 

Hi,

I've created a function 'validateEdit' to block users from editing records that they don't own. It successfully returns true/false according to above criteria. However, the edit form is still shown:

Mar 14 11:29:42 symfony [info] {sfRequest} request parameters array (  'module' => 'staff',  'action' => 'edit',  'id' => '6',)
[...]
Mar 14 11:29:42 symfony [info] {sfFilter} executing filter "sfExecutionFilter"
Mar 14 11:29:42 symfony [info] {sfFilter} action validation failed
Mar 14 11:29:42 symfony [info] {sfCreole} prepareStatement() [...]
Mar 14 11:29:42 symfony [info] {sfView} initialize view for "staff/edit"

I guess the only reason for it went through even "action validation failed" is because how handleErrorEdit is designed:

  public function handleErrorEdit()
  {
    $this->preExecute();
    $this->staff = $this->getStaffOrCreate();
    $this->updateStaffFromRequest();

    $this->labels = $this->getLabels();

    return sfView::SUCCESS;
  }

Why it is designed to allow any failure to fall through? How can I fix it?

thanks