Невозможно отобразить имя файла заглавной буквы в codeigniter - PullRequest
0 голосов
/ 26 апреля 2018

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

public function create() {
    // Check login
    if (!$this->session->userdata('logged_in')) {
        redirect('users/login');
    }

    $data['title']= $title = 'Create List';
    $path = 'assets/images/posts/';

    $this->form_validation->set_rules('title', 'Title', 'required');
    $this->form_validation->set_rules('body', 'Body', 'required');

    if ($this->form_validation->run() === FALSE) {
        $this->load->view('templates/header');
        $this->load->view('posts/create', $data);
        $this->load->view('templates/footer');
    } else {
        $this->load->library('upload');
        $files = $_FILES;
        $image = $files['images']['name'][0]; 
        $img = strtolower($image);
        $totimg = count($_FILES['images']['name']);

        if (!empty($_FILES['images']['name'][0])) {
            $post_image = $_FILES['images'];

            if ($this->upload_files($path, $title, $post_image) === FALSE) {
$data['error'] = array('error' => $this->upload->display_errors());
                $this->session->set_flashdata('file_size_exceeded', 'Your uploaded file size is too large');
                $post_image = 'noimage.jpg';
                redirect('posts');             
            }



        if (!isset($data['error'])) {
            $this->post_model->create_post($files,$totimg);
            $this->session->set_flashdata('post_created', 'Your post has been created');
            redirect('posts');
        } 
        }
    }
}

 private function upload_files($path, $title, $files)
{
    $config = array(
        'upload_path'   => $path,
        'allowed_types' => 'jpg|gif|png',
        'overwrite'     => 1,
        'max_size'      => 2000,
        'remove_spaces' => TRUE
    );

    $this->load->library('upload', $config);

    $images = array();

    foreach ($files['name'] as $key => $image) {

        $_FILES['images[]']['name']= $files['name'][$key];
        $_FILES['images[]']['type']= $files['type'][$key];
        $_FILES['images[]']['tmp_name']= $files['tmp_name'][$key];
        $_FILES['images[]']['error']= $files['error'][$key];
        $_FILES['images[]']['size']= $files['size'][$key];

        $this->upload->initialize($config);

        if ($this->upload->do_upload('images[]')) {
            $this->upload->data();
        } else {
            return false;
        }
    }

}

моя модель следующая

public function create_post($post_image,$totimg){
                    $this->load->helper('inflector');
                    $slug = url_title($this->input->post('title'));
                    $image = implode(',',$post_image['images']['name']);
                    $file_name = underscore(strtolower($image));
                    $data = array(
            'title' => $this->input->post('title'),
            'slug' => $slug,
            'body' => $this->input->post('body'),
            'user_id' => $this->session->userdata('user_id'),
            'post_image' => $file_name
        );
                    return $this->db->insert('posts', $data);
    }

1 Ответ

0 голосов
/ 26 апреля 2018

В контроллере функции create() - сделали strtolower() и underscore() для назначения имен файлов так, чтобы сохраненное имя файла и имя файла базы данных совпадали. Чтобы избежать одной и той же проблемы с копированием имени файла (где ci добавляет номер копии в повторяющихся именах файлов) - file1.jpg, file2.jpg ..), добавили time () к целевым именам файлов, чтобы сделать их уникальными.

Сразу после:

$files = $_FILES;

Добавить:

$this->load->helper('inflector');
for($i = 0;$i <count($files['images']['name']); $i++){
        $files['images']['name'][$i] = time()."_".underscore(strtolower($files['images']['name'][$i]));
}

Заменить:

$post_image = $_FILES['images'];

С:

$post_image = $files['images'];

Создать () функция

Обновленный код:

public function create() {
    // Check login
    if (!$this->session->userdata('logged_in')) {
        redirect('users/login');
    }

    $data['title']= $title = 'Create List';
    $path = 'assets/images/posts/';

    $this->form_validation->set_rules('title', 'Title', 'required');
    $this->form_validation->set_rules('body', 'Body', 'required');

    if ($this->form_validation->run() === FALSE) {
        $this->load->view('templates/header');
        $this->load->view('posts/create', $data);
        $this->load->view('templates/footer');
    } else {
        $this->load->library('upload');
        $files = $_FILES;

        $this->load->helper('inflector');
        for($i = 0;$i <count($files['images']['name']); $i++){
            $files['images']['name'][$i] = time()."_".underscore(strtolower($files['images']['name'][$i]));
        }

        $image = $files['images']['name'][0]; 
        $img = strtolower($image);
        $totimg = count($_FILES['images']['name']);

        if (!empty($_FILES['images']['name'][0])) {
            $post_image = $files['images'];

            if ($this->upload_files($path, $title, $post_image) === FALSE) {
$data['error'] = array('error' => $this->upload->display_errors());
                $this->session->set_flashdata('file_size_exceeded', 'Your uploaded file size is too large');
                $post_image = 'noimage.jpg';
                redirect('posts');             
            }



        if (!isset($data['error'])) {
            $this->post_model->create_post($files,$totimg);
            $this->session->set_flashdata('post_created', 'Your post has been created');
            redirect('posts');
        } 
        }
    }
}
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...