Загрузка изображения в пользовательский модуль


8

Я пишу пользовательский модуль, и мне нужно, чтобы загрузить изображение. У меня проблемы с поиском хорошей документации по этому вопросу, но я думаю, что я близок.

Что мне не хватает? $ file возвращает false при отправке формы.

function mymodule_custom_content_block_form($form_state){
    $form = array();
    $form['custom_content_block_text'] = array(
        '#type' => 'textarea',
        '#title' => t('Block text'),
        '#default_value' => variable_get('mymodule_custom_content_block_text'),
        '#required' => true,
    );
    $form['custom_content_block_image'] = array(
        '#type' => 'file',
        '#name' => 'custom_content_block_image',
        '#title' => t('Block image'),
        '#size' => 40,
        '#description' => t("Image should be less than 400 pixels wide and in JPG format."),
    );  
    $form['submit'] = array(
        '#type' => 'submit',
        '#value' => t('Update'),
    );
    return $form;
}

function mymodule_custom_content_block_form_submit($form, &$form_state){
    if(isset($form_state['values']['custom_content_block_image'])){
        $validators = array('file_validate_extensions' => array('jpg jpeg'));
        $file = file_save_upload('custom_content_block_image', $validators, 'public://');
        if($file == false){
            drupal_set_message(t("Error saving image."), $type = "error", $repeat = false);
        }
        else{
            $file->status = FILE_STATUS_PERMANENT;
            $file = file_save($file);   
        }
    }
    variable_set('mymodule_custom_content_block_text', $form_state['values']['custom_content_block_text']);
    drupal_set_message(t('Custom Content Block has been updated.'));
}

Ответы:


19

Если вы не возражаете против моего высказывания, вы делаете это трудным путем. Drupal имеет managed_fileтип элемента, который обрабатывает большую часть этой логики для вас:

function mymodule_custom_content_block_form($form, &$form_state) {
  $form['custom_content_block_image'] = array(
    '#type' => 'managed_file',
    '#name' => 'custom_content_block_image',
    '#title' => t('Block image'),
    '#size' => 40,
    '#description' => t("Image should be less than 400 pixels wide and in JPG format."),
    '#upload_location' => 'public://'
  ); 

  return $form; 
}

function mymodule_custom_content_block_form_submit($form, &$form_state) {
  if (isset($form_state['values']['custom_content_block_image'])) {
    $file = file_load($form_state['values']['custom_content_block_image']);

    $file->status = FILE_STATUS_PERMANENT;

    file_save($file);
  }
}

Следует отметить, что file_save доступен только после Drupal 6.
Будет

4

С ответом Клайва мое изображение было удалено через 6 часов. Так что если кто-то испытывал ту же проблему, что и я. Вот решение (из ответа Клайва с небольшим дополнением).

function mymodule_custom_content_block_form($form, &$form_state) {
  $form['custom_content_block_image'] = array(
    '#type' => 'managed_file',
    '#name' => 'custom_content_block_image',
    '#title' => t('Block image'),
    '#size' => 40,
    '#description' => t("Image should be less than 400 pixels wide and in JPG format."),
    '#upload_location' => 'public://'
  ); 

  return $form; 
}

function mymodule_custom_content_block_form_submit($form, &$form_state) {
  if (isset($form_state['values']['custom_content_block_image'])) {
    $file = file_load($form_state['values']['custom_content_block_image']);

    $file->status = FILE_STATUS_PERMANENT;

    $file_saved =file_save($file);
    // Record that the module is using the file. 
    file_usage_add($file_saved, 'mymodule_custom_content_block_form', 'custom_content_block_image', $file_saved->fid); 
  }
}

Решение состоит в том, чтобы добавить file_usage_add. Из документации API:

Примечание. Новые файлы загружаются со статусом 0 и рассматриваются как временные файлы, которые удаляются через 6 часов через cron. Ваш модуль отвечает за изменение статуса объектов $ file на FILE_STATUS_PERMANENT и сохранение нового статуса в базе данных. Что-то вроде следующего в вашем обработчике отправки должно помочь.

См .: https://api.drupal.org/api/drupal/developer%21topics%21forms_api_reference.html/7.x#managed_file.


1

Этот атрибут должен быть добавлен в вашу форму, чтобы он мог работать с загрузками файлов.

$form['#attributes']['enctype'] = "multipart/form-data";
Используя наш сайт, вы подтверждаете, что прочитали и поняли нашу Политику в отношении файлов cookie и Политику конфиденциальности.
Licensed under cc by-sa 3.0 with attribution required.