How to validate register settings array

I would like to know how to perform a proper validation with the register_setting() callback function.

Here is a sample part of my code I want to work with:

Read More
register_setting( 'wpPart_options', 'wpPart_options', array( &$this, 'wpPartValidate_settings' ) );

$this is an array of objects.

And here is the content of my wpPartValidate_settings(); function.

public function wpPartValidate_settings( $input ) {

   $options = get_option( 'wpPart_options' );
   if ( check_admin_referer( 'wpPart_nonce_field', 'wpPart_nonce_verify_adm' ) ) {
      return $input;
   }

}

Since $input is an array, how can I perfom a proper validation on every input that comes to the validating function?

I would like, for example, to perform a strlen() check on a text field :

if ( strlen( $input ) != 20 )
   add_settings_error( 'wpPart_options', 'textField', __( 'TextField incomplete.', 'wpPart' ) , 'error' );

Related posts

Leave a Reply

1 comment

  1. Personally I’d do it the same way, since it seems to be the only point where you can examine user input and validate it.

    Also, heavily borrowing from code sample in this excellent article:

    function wpPartValidate_settings( $input ) {
       if ( check_admin_referer( 'wpPart_nonce_field', 'wpPart_nonce_verify_adm' ) ) {
    
        // Create our array for storing the validated options
        $output = array();
    
        foreach( $input as $key => $value ) {
    
          // Check to see if the current option has a value. If so, process it.
          if( isset( $input[$key] ) ) {
    
            // Strip all HTML and PHP tags and properly handle quoted strings
            $output[$key] = strip_tags( stripslashes( $input[ $key ] ) );
    
          } // end if
        } // end foreach
      } // end if
      // Return the array processing any additional functions filtered by this action
      return apply_filters( 'wpPartValidate_settings', $output, $input );
    }
    

    My favourite part is the apply_filters call at the end. Now that’s best practice!