The Drupal forms API is a powerful leap forward. It also allows for almost unlimited possibilities for custom theming, validation, and execution of forms. Even better, ANY form (even those in core) can be altered in almost any way imaginable--elements can be removed, added, and rearranged. This page is certainly not a comprehensive guide to this functionality, but should provide a good working foundation with which to do the most basic form creation, theming, validation, and execution. For programming details on form elements and their properties, please see the Forms API Reference.
and a submit button:
a few things to note:
Let's take a look at a working piece of code using the API:
This example demonstrates how form elements can be built in a hierarchical fashion by expanding and layering the form array. There are two functions involved - the function that builds the form, and another that renders the form using
Notice that the first layer is made up of two form groups, 'access', and 'details', and that inside each of these groups, one layer down, are some individual form elements. Order of construction is important here, as the form building code will default to the constructed order of the
For form groups, the
All groups/elements are been built into the master
The
An important thing to note: notice that
Here's an example validation function for our example code:
example:
a few things to note:
The practical upshot to this is that many developers immediately find themselves asking the question of "where does my data get stored?". The answer is simply that it doesn't. You put your $form data together, perhaps loading your object from the database and filling in #default_values, the form builder then checks this against what was posted. What you gain from this, however, is that the FormsAPI can deal with your data securely. Faking a POST is much harder since it won't let values that weren't actually on the form come through to the $form_state['values'] in your submit function, and in your 'select' types, it will check to ensure that the value actually existed in the select and reject the form if it was not. In addition, Drupal adds, by default, a security token to each form that will protect against cross-site forgery.
Creating Forms
Form elements are now declared in array fashion, with the hierarchical structure of the form elements themselves as array elements (which can be nested), and each form elements properties/attributes listed as array elements in key/value pairs--the key being the name of the property/attribute, and the value being the value of the property/attribute. For example, here's how to go about constructing a textfield form element: $form['foo'] = array(
'#type' => 'textfield',
'#title' => t('bar'),
'#default_value' => $object['foo'],
'#size' => 60,
'#maxlength' => 64,
'#description' => t('baz'),
);
?>
$form['submit'] = array(
'#type' => 'submit',
'#value' => t('Save'),
);
?>
- The element's
name
property is declared in the$form
array, at the very end of the array tree. For example, if an element in the form tree was structured like this:
$form['account_settings']['username']
?>
...then that element's name property is 'username'--this is the key it will be available under in$form_state['values']
, in your validation and submission functions, as the form code flattens the array in this fashion before it passes the key/value pairs. NOTE: if you wish to have the full tree structure passed to$form_state['values']
, this is possible, and will be discussed later. - The type of form element is declared as an attribute with the
'#type'
property. - Properties/attributes keys are declared with surrounding quotes, beginning with a # sign. Values are strings.
- The order of the properties/attributes doesn't matter, and any attributes that you don't need don't need to be declared. Many properties/attributes also have a default fallback value if not explicitly declared.
- Don't use the
'#value'
attribute for any form elements that can be changed by the user. Use the'#default_value'
attribute instead. Don't put values from$form_state['values']
(or$_POST
) here! FormsAPI will deal with that for you; only put the original value of the field here.
Let's take a look at a working piece of code using the API:
function test_form($form_state) {
// Access log settings:
$options = array('1' => t('Enabled'), '0' => t('Disabled'));
$form['access'] = array(
'#type' => 'fieldset',
'#title' => t('Access log settings'),
'#tree' => TRUE,
);
$form['access']['log'] = array(
'#type' => 'radios',
'#title' => t('Log'),
'#default_value' => variable_get('log', 0),
'#options' => $options,
'#description' => t('The log.'),
);
$period = drupal_map_assoc(array(3600, 10800, 21600, 32400, 43200, 86400, 172800, 259200, 604800, 1209600, 2419200, 4838400, 9676800), 'format_interval');
$form['access']['timer'] = array(
'#type' => 'select',
'#title' => t('Discard logs older than'),
'#default_value' => variable_get('timer', 259200),
'#options' => $period,
'#description' => t('The timer.'),
);
// Description
$form['details'] = array(
'#type' => 'fieldset',
'#title' => t('Details'),
'#collapsible' => TRUE,
'#collapsed' => TRUE,
);
$form['details']['description'] = array(
'#type' => 'textarea',
'#title' => t('Describe it'),
'#default_value' => variable_get('description', ''),
'#cols' => 60,
'#rows' => 5,
'#description' => t('Log description.'),
);
$form['details']['admin'] = array(
'#type' => 'checkbox',
'#title' => t('Only admin can view'),
'#default_value' => variable_get('admin', 0),
);
$form['name'] = array(
'#type' => 'textfield',
'#title' => t('Name'),
'#size' => 30,
'#maxlength' => 64,
'#description' => t('Enter the name for this group of settings'),
);
$form['hidden'] = array('#type' => 'value', '#value' => 'is_it_here');
$form['submit'] = array('#type' => 'submit', '#value' => t('Save'));
return $form;
}
function test_page() {
return drupal_get_form('test_form');
}
?>
drupal_get_form()
. Note that the form builder function always takes $form_state
as its first argument, though for basic usage (as here) it is not used. Also note that the test_page() function that renders the form is returning the rendered HTML output, which is what you would need to do if test_page() is the page callback from a hook_menu() implementation, for example.Notice that the first layer is made up of two form groups, 'access', and 'details', and that inside each of these groups, one layer down, are some individual form elements. Order of construction is important here, as the form building code will default to the constructed order of the
$form
array when it builds the form (this can be overridden, and will be discussed later in the custom theming section). For form groups, the
'#type'
parameter is set to 'fieldset'
, and notice how the 'details'
form group is made into a collapsed form group with the addition of a few attributes.All groups/elements are been built into the master
$form
array by the builder function.The
drupal_get_form
function is the "key" function in the Forms API. Note that in its basic usage, it takes just one argument, a string which is both the form ID and also the name of the function that builds the $form
array. Because the form ID is generally also the name of a function, it must be a valid PHP variable name. It should start with a letter or underscore, followed by any number of letters, numbers, or underscores; spaces and hyphens are not allowed. drupal_get_form
can take optional additional arguments, which will be simply passed on to the $form
builder function.drupal_get_form
does the following: - Starts the entire form-building process by getting the
$form
from the builder function - Translates the
$form['name']
items into actual form elements - Performs any validation and "clean-up" that needs to be done, and calls custom validation functions if declared
- Submits the form if a submit function is declared, and the form has been submitted
- Calls any custom theming functions that have been declared
- Returns an HTML string which contains the actual form.
drupal_get_form()
An important thing to note: notice that
$form['access']
has a '#tree' => TRUE
attribute. this setting retains the full tree structure for all elements under it when it is passed to $form_state['values']
. you must explicitly declare this anywhere you wish to retain an array's full hierarchy when it is passed.Theming Forms
The API makes custom theming of all forms (including those found in core) possible. This custom theming becomes possible when all hard coded theming elements have been abstracted, so that they can be overridden at time of form generation. The abstraction is accomplished using one of the following methods:- Adding
'#theme'
attributes to the form and/or elements. This allows you to specify which theme function will be used to render the form or elements, overriding the default theming function. - Including any markup directly as an element in the $form array:
- There are
'#prefix'
and'#suffix'
attributes, and these will place the declared markup either before or after the form element in question. for example:...will place the div tags before and after the entire form group (meaning the form elements of the group will also be enclosed in the div). if you were to put those attributes in one of the form elements inside that form group, then they would only wrap that particular element, etc.$form['access'] = array(
'#type' => 'fieldset',
'#title' => t('Access log settings'),
'#prefix' => '',',
'#suffix' => '
);
?>
- There is a
'#markup'
type which you can place anywhere in the form, and its value will be output directly in its specified location in the forms hierarchy when the form is rendered. example:
$form['div_tag'] = array('#type' => 'markup', '#value' => '
');This markup form element can then be accessed/altered through its name in the array, 'div_tag'
?>
NOTE: it's not necessary to explicitly declare the type as markup, since type will default to markup if none is declared.
- There are
- Break out any markup into a separate theme function. This is the preferred method if the markup has any degree of complication. it is accomplished by creating a theme function with theme_ prepended to the name of the form ID that is to be themed. in cases where you want to use the same theming function for more than one form, you can include the optional callback arg in
drupal_get_form
--in which case the third arg ofdrupal_get_form
will be a string containing the name of the callback function which the form building code will call, and the theming function will be theme_ prepended to the name of the callback. example:
For our above form, we could create a custom theming function as follows:
A few things to note:function theme_test_form($form) {
$output = '';
$output .= drupal_render($form['name']);
$output .= '';';
$output .= drupal_render($form['access']);
$output .= '
$output .= drupal_render($form);
return $output;
}
?>
- The theme function has one argument, which is the form array that it will theme
- You build and return an output string just as you would do in a regular theming function
- Form elements are rendered using the
drupal_render
function - If you call
drupal_render
and pass it an array of elements (as in a fieldset), it will render all the elements in the passed array, in the order in which they were built in the form array. - While the default order of rendering for a form is the order in which it was built, you can override that in the theme function by calling
drupal_render
for any element in the place where you would like it to be rendered. In the above example, this was done with$form['name']
. - The rendering code keeps track of which elements have been rendered, and will only allow them to be rendered once. Notice that
drupal_render
is called for the entire form array at the very end of the theming function, but it will only render the remaining unrendered element, which in this case is the submit button. callingdrupal_render($form)
is a common way to end a theming function, as it will then render any submit buttons and/or hidden fields that have been declared in the form in a single call.
Validating Forms
The form API has general form validation which it performs on all submitted forms. If there is additional validation you wish to perform on a submitted form, you can create a validation function. the name of the validation function is the form ID with _validate appended to it. the function has two args:$form
and $form_state
. $form
is the form array of the executed form, and $form_state['values']
contains the form values which you may perform validation on. (Note - in more advanced usage, several forms may share a _validate or _submit function - so if the form's ID is needed, it can be retrieved from $form['form_id']['#value']
, or $form_state['values']['form_id']
.)Here's an example validation function for our example code:
function test_form_validate($form, &$form_state) {
if ($form_state['values']['name'] == '') {
form_set_error('', t('You must select a name for this group of settings.'));
}
}
?>
Submitting Forms
The normal method of submitting forms with the API is through the use of a form submit function. This has the same naming convention and arguments as the validation function, except _submit is appended instead. Any forms which are submitted from a button oftype => 'submit'
will be passed to their corresponding submit function if it is available. example:
function test_form_submit($form, &$form_state) {
db_query("INSERT INTO {table} (name, log, hidden) VALUES ('%s', %d, '%s')", $form_state['values']['name'], $form_state['values']['access']['log'], $form_state['values']['hidden']);
drupal_set_message(t('Your form has been saved.'));
}?>
- A submit function is called only if a submit button was present and exists in the $_POST, and validation did not fail.
- The
$form_state['values']
array will not usually have the same hierarchical structure as the constructed$form
array (due to the flattening discussed previously), so be aware of what arrays have been flattened, and what arrays have retained their hierarchy by use of thetree => TRUE
attribute. notice above that 'statistics_enable_access_log' belongs to a tree'd array, and the full array structure must be used to access the value. - If a form has a submit function, then hidden form values are not needed. Instead, any values that you need to pass to
$form_state['values']
can be declared in the$form
array as such:
This is accessed in$form['foo'] = array('#type' => 'value', '#value' => 'bar')
?>$form_state['values']['foo']
, with a value of bar. This method is preferred because the values are not sent to the browser.
- To determine where the user should be sent after the form is processed, the _submit function can place a path or URL in
$form_state['redirect']
which will be the target of a drupal_goto; every form is redirected after a submit. If you store nothing in$form_state['redirect']
, the form will simply be redirected to itself after a submit. It is polite to usedrupal_set_message()
to explain to the user that the submission was successful.
Understanding the Flow
An important concept with Forms API compared to using raw HTML forms (as in Drupal 4.6 and before) is that thedrupal_get_form()
function handles both presenting and responding to the form. What this means is that the $form array you construct in your function will be built first when the form is presented, and again when the form is submitted.The practical upshot to this is that many developers immediately find themselves asking the question of "where does my data get stored?". The answer is simply that it doesn't. You put your $form data together, perhaps loading your object from the database and filling in #default_values, the form builder then checks this against what was posted. What you gain from this, however, is that the FormsAPI can deal with your data securely. Faking a POST is much harder since it won't let values that weren't actually on the form come through to the $form_state['values'] in your submit function, and in your 'select' types, it will check to ensure that the value actually existed in the select and reject the form if it was not. In addition, Drupal adds, by default, a security token to each form that will protect against cross-site forgery.
Thanks for sharing this code, this code is useful to me.
ReplyDeleteSample Forms
Thank you for this short, to-the-point overview of Drupal's FAPI.
ReplyDeleteI urgently needed quick revision (namely fieldsets), & this was perfect! This is the kind of overview I was trying to find in the official docs but couldn't. Google wasn't helpful either, until it got me here. Now I have ALL the answers I needed & more - complete revision / understanding of the FAPI in such a short article! Flawless!
Thank you!
O_O
i am very gladfully to u share a this kind of information with us u make a blog on Microsoft exchange server with good pics explanation. if you want to know about dedicated server hosting or interested in best Dubai Dedicated Server hosting you can ask us for more details and services.
ReplyDeletehttps://bayanlarsitesi.com/
ReplyDeleteTokat
Kastamonu
Tekirdağ
Gümüşhane
G2U
elazığ
ReplyDeletegümüşhane
kilis
siirt
sakarya
8JAN
whatsapp görüntülü show
ReplyDeleteücretli.show
F6İMYİ
Kastamonu Lojistik
ReplyDeleteYozgat Lojistik
Çorlu Lojistik
Kırşehir Lojistik
Sinop Lojistik
8RZG4X
815F9
ReplyDeleteAfyon Parça Eşya Taşıma
Bilecik Evden Eve Nakliyat
Çorum Parça Eşya Taşıma
İstanbul Evden Eve Nakliyat
Kars Lojistik
5389E
ReplyDeleteKırşehir Evden Eve Nakliyat
Gümüşhane Parça Eşya Taşıma
Hakkari Parça Eşya Taşıma
Aksaray Lojistik
Malatya Evden Eve Nakliyat
846E1
ReplyDeleteArdahan Evden Eve Nakliyat
Tokat Evden Eve Nakliyat
Giresun Şehirler Arası Nakliyat
Malatya Şehirler Arası Nakliyat
Denizli Evden Eve Nakliyat
Cointiger Güvenilir mi
Isparta Parça Eşya Taşıma
Tunceli Şehir İçi Nakliyat
Gate io Güvenilir mi
AED4F
ReplyDeleteArdahan Evden Eve Nakliyat
Nevşehir Şehirler Arası Nakliyat
Eskişehir Şehirler Arası Nakliyat
Düzce Şehir İçi Nakliyat
Ünye Oto Lastik
Düzce Şehirler Arası Nakliyat
Amasya Parça Eşya Taşıma
Tunceli Lojistik
Denizli Lojistik
1E506
ReplyDeleteDxy Coin Hangi Borsada
Denizli Lojistik
Erzurum Evden Eve Nakliyat
Samsun Evden Eve Nakliyat
Karapürçek Parke Ustası
Sakarya Lojistik
Tokat Lojistik
Gümüşhane Şehir İçi Nakliyat
Lovely Coin Hangi Borsada
24B0D
ReplyDeleteTrabzon Şehir İçi Nakliyat
Trabzon Lojistik
Aksaray Şehir İçi Nakliyat
Dxy Coin Hangi Borsada
Bayburt Şehir İçi Nakliyat
Yozgat Evden Eve Nakliyat
Tekirdağ Lojistik
Ankara Parke Ustası
Antalya Parça Eşya Taşıma
AA8B0
ReplyDeleteBinance Güvenilir mi
Batıkent Parke Ustası
Bitmart Güvenilir mi
Kastamonu Lojistik
Konya Şehirler Arası Nakliyat
Çerkezköy Çatı Ustası
Çanakkale Parça Eşya Taşıma
Kırklareli Evden Eve Nakliyat
Shinja Coin Hangi Borsada
4F05D
ReplyDeletebinance indirim
548E7
ReplyDelete%20 indirim kodu
D96E4
ReplyDeleteCoin Üretme Siteleri
Baby Doge Coin Hangi Borsada
Binance Hangi Ülkenin
Dxy Coin Hangi Borsada
Mexc Borsası Güvenilir mi
Parasız Görüntülü Sohbet
Soundcloud Dinlenme Satın Al
Bitranium Coin Hangi Borsada
Kripto Para Madenciliği Nasıl Yapılır
9168A
ReplyDeleteKripto Para Üretme
Periscope Beğeni Hilesi
Btcturk Borsası Güvenilir mi
Görüntülü Sohbet
Binance Hangi Ülkenin
Sonm Coin Hangi Borsada
Bitcoin Nasıl Alınır
Mexc Borsası Güvenilir mi
Btcturk Borsası Güvenilir mi