web-dev-qa-db-ja.com

説明付きのフロントエンドからの複数の添付ファイルのアップロード

私は、コンテンツタイプ「sketchpad」の投稿を追加するためのカスタムフロントエンド送信フォームを持つWordpressサイトで作業しています。このフォームには、代替タグとして使用される説明フィールドを含む複数の画像をアップロードできるセクションがあります。フロントエンドから複数の添付ファイルとそれに付随する説明をアップロードするための簡単な方法は何ですか?

現在アップロードされたファイルをキャッチするコードはここにあります:

// Make sure a user can edit posts (contributor level)
if (current_user_can('edit_posts'))
{
    global $post;

    // If we have files
    if ( $_FILES )
    {
        // Get the upload attachment files
        $files = $_FILES['upload_attachment'];

        foreach ($files['name'] as $key => $value)
        {
            if ($files['name'][$key])
            {
                $file = array(
                    'name' => $files['name'][$key],
                    'type' => $files['type'][$key],
                    'tmp_name' => $files['tmp_name'][$key],
                    'error' => $files['error'][$key],
                    'size' => $files['size'][$key]
                );

                $_FILES = array("upload_attachment" => $file);

                foreach ($_FILES as $file => $array)
                {
                    $newupload = insert_attachment($file,$post->ID);
                }
            }
        }
    }
}

これは、アップロードされたファイルを実際に処理して挿入する「添付ファイルの挿入」機能です。

function insert_attachment($file_handler, $post_id)
{
    // check to make sure its a successful upload
    if ($_FILES[$file_handler]['error'] !== UPLOAD_ERR_OK) __return_false();

    require_once(ABSPATH . "wp-admin" . '/includes/image.php');
    require_once(ABSPATH . "wp-admin" . '/includes/file.php');
    require_once(ABSPATH . "wp-admin" . '/includes/media.php');

    $attach_id = media_handle_upload( $file_handler, $post_id );

    return $attach_id;
}
5

私は結局これを解決しました。私は、添付ファイルは単に '添付ファイル'のpost_typeに割り当てられた投稿であると考えましたので、すぐに添付ファイルにpost_titleフィールドとpost_contentフィールドがあることに気付きました。私のニーズのために、私は私の説明が小さいのでpost_title属性のみを必要としました。以下のコードは私にとってうまくいったものです。

$ upload_id値は、私のinsert_attachment関数から返された添付ファイルIDです。

// Make sure we have an attachment ID
if ($upload_id != 0)
{
    // Insert the upload description a.k.a post title
    $post_data = array();
    $post_data['ID'] = $upload_id;
    $post_data['post_title'] = $file_title;
    wp_update_post($post_data);
}
2