使用文件上载和其他必需的表单字段时的Drupal验证解决方案

时间:2014-07-01 00:16:10

标签: drupal drupal-6 drupal-forms drupal-form-validation

我在尝试以同样具有其他必填字段的形式上传图片时遇到问题。因此,如果我没有在必填字段上输入任何内容并上传图片,我会丢失上传的图片(在表单验证期间,图片不再存在)。     我无法在form_state和all中的任何位置打印它。如何在表单内部上传文件以及其他所需的表单元素?如果用户忘记在其他必填字段中输入信息,我不希望用户再次上传图片。

有什么想法吗?

    function form() {
    $form['#attributes'] = array('enctype' => "multipart/form-data");
    //'upload' will be used in file_check_upload()
    $form['upload'] = array('#type' => 'file');
    $form['my_require_field'] = array(
        '#type' => 'textfield',
        '#title' => t('Enter code here'),
        '#default_value' => 1,
        '#size' => 20,
        '#required' => TRUE
      );
    }
    function form_validate() {
     if(!file_check_upload('upload')) {
     form_set_error('upload', 'File missing for upload.');
    }
    }
    function form_submit() {
     $file = file_check_upload('upload');
    }

2 个答案:

答案 0 :(得分:0)

您应该使用您正在使用Drupal 7

的managed_file类型ID
 $form['upload'] = array(
      '#type' => 'managed_file',
      '#title' => t('Upload Image'),
      '#default_value' => '',
      '#required' => TRUE,
      '#description' => t("Upload Image description"),
    );

在提交处理程序中,您可以写下以下内容:

// Load the file via file fid.
$file = file_load($form_state['values']['upload']);

// Change status to permanent and save.
$file->status = FILE_STATUS_PERMANENT;
file_save($file);

希望这会有所帮助!

答案 1 :(得分:0)

适用于Drupal 8

似乎不支持开箱即用支持file(不是managed_file所需字段等基本功能。

需要在formValidate()方法中为此字段实现自定义验证程序。 在ConfigImportForm.php文件中可以找到这种功能的罕见示例。

以下是一段代码,用于处理表单中的文件字段设置,需要验证和提交。

<?php

class YourForm extends FormBase {

  public function buildForm(array $form, FormStateInterface $form_state) {
    $form['myfile'] = [
      '#title' => $this->t('Upload myfile'),
      '#type' => 'file',
      // DO NOT PROVILDE '#required' => TRUE or your form will always fail validation!
    ];
  }

  public function validateForm(array &$form, FormStateInterface $form_state) {
    $all_files = $this->getRequest()->files->get('files', []);
    if (!empty($all_files['myfile'])) {
      $file_upload = $all_files['myfile'];
      if ($file_upload->isValid()) {
        $form_state->setValue('myfile', $file_upload->getRealPath());
        return;
      }
    }

    $form_state->setErrorByName('myfile', $this->t('The file could not be uploaded.'));
  }

  public function submitForm(array &$form, FormStateInterface $form_state) {
    // Add validator for your file type etc.
    $validators = ['file_validate_extensions' => ['csv']];
    $file = file_save_upload('myfile', $validators, FALSE, 0);
    if (!$file) {
      return;
    }

    // The rest of submission processing.
    // ...
  }
}

来自https://api.drupal.org/comment/63172#comment-63172