如何制作州要求的表格?


31

我有一个下拉列表,根据选择的内容显示各个字段,并且我知道可以用状态切换可见性,但是当我尝试使用必填项时,会显示*跨度,但实际上并不是必需的。我的意思是,即使它是“必需的”,我也可以单击“提交”,而不会收到来自drupal的错误消息。我是在做错什么,还是当前在Drupal 7.8中已解决?

        $form['host_info'] = array(
        '#type' => 'select',
        '#title' => t("Host Connection"),
        '#options' => array(
          'SSH2' => t('SSH2'),
          'Web Service' => t('Web Service'),
        ),
        '#default_value' => t(variable_get('host_info', 'SSH2')),
        '#description' => t("Specify the connection information to the host"),
        '#required' => TRUE,
    );

    $form['ssh_host'] = array(
        '#type' => 'textfield',
        '#title' => t("Host Address"),
        '#description' => t("Host address of the SSH2 server"),
        '#default_value' => t(variable_get('ssh_host')),
        '#states' => array(
            'visible' => array(
                ':input[name=host_info]' => array('value' => t('SSH2')),
            ),
            'required' => array(
                ':input[name=host_info]' => array('value' => t('SSH2')),
            ),
        ),
    );

    $form['ssh_port'] = array(
        '#type' => 'textfield',
        '#title' => t("Port"),
        '#description' => t("Port number of the SSH2 server"),
        '#default_value' => t(variable_get('ssh_port')),
        '#states' => array(
            'visible' => array(
                ':input[name=host_info]' => array('value' => t('SSH2')),
            ),
            'required' => array(
                ':input[name=host_info]' => array('value' => t('Web Service')),
            ),
        ),
    );

您缺少的双引号name。一定是:input[name="host_info"]
leymannx

Answers:


20

您将需要在自定义验证功能中对此进行验证。

#states配置的所有内容都在浏览器中100%发生,提交表单时,Drupal看不到它的所有内容(例如,如果没有#state,则所有提交的不可见表单字段都以相同的方式提交和验证)。


我认为情况就是如此。当我研究如何做到这一点时,我发现了带有状态的“ required”属性,并认为它可以按照我需要的方式工作,而无需额外的工作。
Sathariel 2011年

11

您可以像这样使用required:

'#states'=> [
  'required' => [
    ':input[name="abroad_because[somecheckbox]"]' => ['checked' => TRUE],
  ],
],

4
是的-这会将所需的指标添加到元素中。但是不会涉及客户端或服务器端验证。
AyeshK 2013年


将require键放入#states数组似乎对我来说很有效,尽管事实是我有一个电子邮件字段验证。因此,我想知道您是否仅在表单项上使用默认的drupal #element_validate是否有效?
Alex Finnarn '16

8

与Felix Eve的答案非常相似,只是这是内联元素验证的代码段:

您将元素验证函数称为必需元素:

$form['element'] = array(
....
  '#element_validate' => array(
     0 => 'my_module_states_require_validate',
   ),
)

然后,验证功能将找到必填字段,并检查其是否具有正确的表单值,该值会显示需要填写的字段。

function my_module_states_require_validate($element, $form_state) {
  $required_field_key = key($element['#states']['visible']);
  $required_field = explode('"', $required_field_key);
  if($form_state['values'][$required_field[1]] == $element['#states']['visible'][$required_field_key]['value']) {
    if($form_state['values'][$element['#name']] == '') {
      form_set_error($element['#name'], $element['#title'].' is required.');
    }
  }
}

1
这是最好的解决方案恕我直言!
Alex Finnarn '16

3

还有另一种使用AFTER_BUILD函数的形式并使该字段为可选的方法。这是drupal 6 的链接

将此添加到您的表单代码

$form['#after_build'][] = 'custom_form_after_build';

构建后实施,测试您的自定义现场条件

function custom_form_after_build($form, &$form_state) {
  if(isset($form_state['input']['custom_field'])) {
    $form['another_custom_field']['#required'] = FALSE;
    $form['another_custom_field']['#needs_validation'] = FALSE;
  }
 return $form;
}

在我的情况下,#states添加了多个*,因此我必须避免使用它,并使用jquery隐藏并显示包含*的跨度

$('.another-custom-field').find('span').hide();  

$('.another-custom-field').find('span').show();

基于我的custom_field值。


3

这是有关Drupal 7表单#state的详细指南

这是重要的一点:

/**
 * Form implementation.
 */
function module_form($form, $form_state) {
  $form['checkbox_1'] = [
    '#title' => t('Checkbox 1'),
    '#type' => 'checkbox',
  ];

  // If checkbox is checked then text input
  // is required (with a red star in title).
  $form['text_input_1'] = [
    '#title' => t('Text input 1'),
    '#type' => 'textfield',
    '#states' => [
      'required' => [
        'input[name="checkbox_1"]' => [
          'checked' => TRUE,
        ],
      ],
    ],
  ];

  $form['actions'] = [
    'submit' => [
      '#type' => 'submit',
      '#value' => t('Submit'),
    ],
  ];

  return $form;
}

/**
 * Form validate callback.
 */
function module_form_validate($form, $form_state) {
  // if checkbox is checked and text input is empty then show validation
  // fail message.
  if (!empty($form_state['values']['checkbox_1']) &&
    empty($form_state['values']['text_input_1'])
  ) {
    form_error($form['text_input_1'], t('@name field is required.', [
      '@name' => $form['text_input_1']['#title'],
    ]));
  }
}

2

我刚刚遇到了同样的问题,因此需要提供自定义验证,但是我希望通过#states数组进行控制,因此我不必两次指定相同的规则。

它通过从jQuery选择器中提取字段名称来工作(选择器必须采用格式:input[name="field_name"],否则将不起作用)。

下面的代码仅在我使用它的特定情况下进行了测试,尽管我对其他人可能有用。

function hook_form_validate($form, &$form_state) {

    // check for required field specified in the states array

    foreach($form as $key => $field) {

        if(is_array($field) && isset($field['#states']['required'])) {

            $required = false;
            $lang = $field['#language'];

            foreach($field['#states']['required'] as $cond_field_sel => $cond_vals) {

                // look for name= in the jquery selector - if that isn't there then give up (for now)
                preg_match('/name="(.*)"/', $cond_field_sel, $matches);

                if(isset($matches[1])) {

                    // remove language from field name
                    $cond_field_name = str_replace('[und]', '', $matches[1]);

                    // get value identifier (e.g. value, tid, target_id)
                    $value_ident = key($cond_vals);

                    // loop over the values of the conditional field
                    foreach($form_state['values'][$cond_field_name][$lang] as $cond_field_val) {

                        // check for a match
                        if($cond_vals[$value_ident] == $cond_field_val[$value_ident]) {
                            // now we know this field is required
                            $required = true;
                            break 2;
                        }

                    }

                }

            }

            if($required) {
                $field_name = $field[$lang]['#field_name'];
                $filled_in = false;
                foreach($form_state['values'][$field_name][$lang] as $item) {
                    if(array_pop($item)) {
                        $filled_in = true;
                    }
                }
                if(!$filled_in) {
                    form_set_error($field_name, t(':field is a required field', array(':field' => $field[$lang]['#title'])));
                }
            }

        }
    }

}

2

我能够在Drupal 8中做到这一点:

          '#states' => array(
            'required' => array(
              array(':input[name="host_info"]' => array('value' => 'SSH2')),
             ),
           ),

不要输入t('SSH2')。这会将它的翻译放在这里,而不是未翻译的SSH2选项的值。

我怀疑这也适用于Drupal 7。


1
在drupal 7中,正如给出类似解决方案的答案所指出的那样,这提供了必需的字段标记,但实际上并未执行任何验证。drupal 8是否真的使用#states验证标记为必填的字段?
UltraBob

0

我有嵌套的表单字段和一个复选框,因此我需要对Dominic Woodman的答案进行一些处理。如果其他人遇到相同的问题:

function my_module_states_require_validate($element, $form_state) {
  $required_field_key = key($element['#states']['visible']);
  $required_field = explode('"', $required_field_key);
  $keys = explode('[', $required_field[1]);
  $keys = str_replace(']', '', $keys);
  $tmp = $form_state['values'];
  foreach ($keys as $key => $value) {
    $tmp = $tmp[$value];
  }
  if($tmp == $element['#states']['visible'][$required_field_key]['checked']) {
    $keys2 = explode('[', $element['#name']);
    $keys2 = str_replace(']', '', $keys2);
    $tmp2 = $form_state['values'];
    foreach ($keys2 as $key => $value) {
      $tmp2 = $tmp2[$value];
    }
    if($tmp2 == '') {
      form_set_error($element['#name'], $element['#title']. t(' is required.'));
    }
  }
}
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.