プラグインでメディアライブラリから画像を選択するにはどうすればよいですか?


14

右下隅に小さなチャットアイコンがあるプラグインを作成しましたが、ユーザーがアイコンとして画像を選択できるようにしたい Media Library。Wordpress APIでこれを行うにはどうすればよいですか?画像はプラグインの設定です(管理者のみが変更可能)


2
を含めwp.mediaて、カスタムアップロードを許可し、この要件のメディアファイルを選択してください。WPSEは、例の多くを持っていますが、多分この記事はあなたが助けjeroensormani.com/...特にocean90から、また、あなたはgithubの例で見つける- github.com/ocean90/media-modal-demo
bueltge

回答:


17

wp.mediaWordPress Media Managerダイアログの使用に使用する必要があります。

まず、スクリプトをキューに入れる必要があります。

// As you are dealing with plugin settings,
// I assume you are in admin side
add_action( 'admin_enqueue_scripts', 'load_wp_media_files' );
function load_wp_media_files( $page ) {
  // change to the $page where you want to enqueue the script
  if( $page == 'options-general.php' ) {
    // Enqueue WordPress media scripts
    wp_enqueue_media();
    // Enqueue custom script that will interact with wp.media
    wp_enqueue_script( 'myprefix_script', plugins_url( '/js/myscript.js' , __FILE__ ), array('jquery'), '0.1' );
  }
}

あなたのHTMLはこのようなものかもしれません(私のコードはあなたの答えでしたように画像のURLの代わりにプラグイン設定で添付ファイルIDを使用していることに注意してください。それらが必要です):

$image_id = get_option( 'myprefix_image_id' );
if( intval( $image_id ) > 0 ) {
    // Change with the image size you want to use
    $image = wp_get_attachment_image( $image_id, 'medium', false, array( 'id' => 'myprefix-preview-image' ) );
} else {
    // Some default image
    $image = '<img id="myprefix-preview-image" src="https://some.default.image.jpg" />';
}

 <?php echo $image; ?>
 <input type="hidden" name="myprefix_image_id" id="myprefix_image_id" value="<?php echo esc_attr( $image_id ); ?>" class="regular-text" />
 <input type='button' class="button-primary" value="<?php esc_attr_e( 'Select a image', 'mytextdomain' ); ?>" id="myprefix_media_manager"/>ç

myscript.js

jQuery(document).ready( function($) {

      jQuery('input#myprefix_media_manager').click(function(e) {

             e.preventDefault();
             var image_frame;
             if(image_frame){
                 image_frame.open();
             }
             // Define image_frame as wp.media object
             image_frame = wp.media({
                           title: 'Select Media',
                           multiple : false,
                           library : {
                                type : 'image',
                            }
                       });

                       image_frame.on('close',function() {
                          // On close, get selections and save to the hidden input
                          // plus other AJAX stuff to refresh the image preview
                          var selection =  image_frame.state().get('selection');
                          var gallery_ids = new Array();
                          var my_index = 0;
                          selection.each(function(attachment) {
                             gallery_ids[my_index] = attachment['id'];
                             my_index++;
                          });
                          var ids = gallery_ids.join(",");
                          jQuery('input#myprefix_image_id').val(ids);
                          Refresh_Image(ids);
                       });

                      image_frame.on('open',function() {
                        // On open, get the id from the hidden input
                        // and select the appropiate images in the media manager
                        var selection =  image_frame.state().get('selection');
                        var ids = jQuery('input#myprefix_image_id').val().split(',');
                        ids.forEach(function(id) {
                          var attachment = wp.media.attachment(id);
                          attachment.fetch();
                          selection.add( attachment ? [ attachment ] : [] );
                        });

                      });

                    image_frame.open();
     });

});

// Ajax request to refresh the image preview
function Refresh_Image(the_id){
        var data = {
            action: 'myprefix_get_image',
            id: the_id
        };

        jQuery.get(ajaxurl, data, function(response) {

            if(response.success === true) {
                jQuery('#myprefix-preview-image').replaceWith( response.data.image );
            }
        });
}

画像プレビューを更新するAjaxアクション:

// Ajax action to refresh the user image
add_action( 'wp_ajax_myprefix_get_image', 'myprefix_get_image'   );
function myprefix_get_image() {
    if(isset($_GET['id']) ){
        $image = wp_get_attachment_image( filter_input( INPUT_GET, 'id', FILTER_VALIDATE_INT ), 'medium', false, array( 'id' => 'myprefix-preview-image' ) );
        $data = array(
            'image'    => $image,
        );
        wp_send_json_success( $data );
    } else {
        wp_send_json_error();
    }
}

PD:他の回答に基づいてここに書かれた簡単なサンプルです。コードが使用される正確なコンテキストまたは発生している正確な問題に関する十分な情報を提供しなかったため、テストされていません。


2

wordpress-settings-api-classTareq Hasan、URLによる使用:https : //github.com/tareq1988/wordpress-settings-api-class


2
追加のライブラリを使用しないソリューションの方が優れていると思います。wp.mediaコントロールが好きです。
-bueltge

1

アイコンはユーザーごとに異なるようにするため、画像をユーザープロファイルに保存する必要があります。これは、追加のユーザーフィールドを追加する必要があることを意味します。

// create the field
add_action( 'show_user_profile', 'wpse_235406_chaticon' );
add_action( 'edit_user_profile', 'wpse_235406_chaticon' );

function wpse_235406_chaticon ($user) { 
    echo '
    <h3>Chat Icon</h3>
    <table class="form-table">
        <tr>
            <th><label for="chaticon">Chat Icon</label></th>
            <td>
                <input type="file" name="chaticon" id="chaticon" value="' . esc_attr (get_the_author_meta ('chaticon', $user->ID)) . '" class="file-upload" /><br />
                <span class="description">Please select your chat icon.</span>
            </td>
        </tr>
    </table>';
}

// save the field
add_action( 'personal_options_update', 'wpse_235406_chaticon_save' );
add_action( 'edit_user_profile_update', 'wpse_235406_chaticon_save' );

function wpse_235406_chaticon_save ($user_id) {
    if (current_user_can ('edit_user', $user_id)) 
        update_usermeta ($user_id, 'chaticon', $_POST['chaticon']);
}

これで、ユーザーのコンピューターからファイルをアップロードできるようになりました。ユーザーに既存の画像からファイルを選択させたい場合、デフォルトのファイルアップロードの代わりにメディアライブラリを呼び出す必要があるため、事態はより複雑になります。Steven Slackがこれを行うための優れた投稿を書いていますが、ここに彼のコードをコピーアンドペーストすることで信用したくありません。

テンプレートでは、3つの可能性を区別する必要があります。ログインしていないユーザー、ログインしているがアイコンがないユーザー、ログインしているユーザー、アイコンがあるユーザー。大体、これを含めてください:

$current_user = wp_get_current_user();
if ( 0 == $current_user->ID ) {
  ... do what you want to do for not logged in users ...
  }
else {
  $icon = get_user_meta ($current_user->ID, 'chaticon');
  if (empty($icon)) {
    ... default icon with link to upload possibility ...
    }
  else {
     ... display $icon ...
     }

いいえ、プラグインの設定にしたいです
トーマス

アイコンを変更できるのはサイトの管理者のみであり、すべての訪問者/ユーザーで同じであることを意味しますか?
cjbj

1
それは非常に簡単です。そのためのチュートリアルを次に示します。mikejolley.com
2012

はい、ボタンの外観(イメージ)をカスタマイズします
トーマス

(時代遅れ?)私は、チュートリアルを試してみましたが、それは私のために仕事をしないフレームをbecausesのjsオブジェクトの一部ではありません
トーマス・


0

私はこのソリューションを使用しました(メディアライブラリ自体を使用せずに)。

オプションにポストされる非表示の入力値を設定するモーダル内でimage-picker-libを使用します。すべてのメディアを取得してオプションとしてエコーすることで、ユーザーにimgを選択させることができます。

HTML

<input id="image" name="image" class="validate" type="image" src="<?php echo esc_attr(get_option('image_url')); ?>" id="image_url" width="48" height="48" />
<br>
<a href="#imageModal" class="waves-effect waves-light btn modal-trigger">
    change
</a>
<input id="image_url" name="image_url" type="text" value="" hidden />

PHP / HTML

<div id="imageModal" class="modal">
    <div class="modal-content">
        <select class="image-picker show-html">
            <option data-img-src="<?php echo CM_PATH . "/img/chat_general.png" ?>"  value="0"></option>
            <?php
            $query_images_args = array(
                'post_type'   => 'attachment',
                'post_mime_type' => 'image',
                'post_status' => 'inherit',
                'posts_per_page' => - 1,
            );

            $query_images = new WP_Query( $query_images_args );
            $i = 1;
            foreach ( $query_images->posts as $image ) {
                ?>
                <option data-img-src="<?php echo wp_get_attachment_url($image->ID); ?>"  value="<?php echo $i; ?>"></option>
                <?php
                $i  ;
            }
            ?>
        </select>
    </div>
    <div class="modal-footer">
        <a class="waves-effect waves-light btn change">Choose</a>
    </div>
</div>
</div>
</div>

JS

 $(".change").on("click", function() {
 +            var url = $(".image-picker > option:selected").attr("data-img-src");
 +            $("#image").attr("src", url);
 +            $("#image_url").attr("value", url);
 +            $("#imageModal").closeModal();
 +        });

追加のライブラリを持たないソリューションの方が優れていると思います。wp.mediaコントロールが好きです。
-bueltge

@bueltge同意しますが、誰もまっすぐな答えを出さず、時間を必要としていました。だから誰かが素晴らしい答えを出したら、彼らは報奨金を得る!
トーマス

あなたの答えも解決策と考えていますが、最善の方法ではありません。さて、それは質問作成者、あなたの一部です;)
-bueltge

このソリューションは、画像の数が増えるとすぐに問題になります。「誰もまっすぐに答えなかった」という言い訳はできません。あなたの質問は非常に貧弱なので、あなたは貧弱な答えを得ます。「これをやりたい、すぐに使えるソリューションを提供したい」だけで、あなたが試みた努力、研究、コードを見せてくれません。これは「仕事をしてくれ」と同じです。bueltgeが示唆したようにwp.mediaを検索してください。ここWPSEには何百もの例があります。使用に問題がある場合は、新しい質問を投稿してください。
サイブメタ

@cybmeta試しましたが、これが私の最善の試みです。気に入らない場合は、より良い解決策を提案してください。
トーマス
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.