JavaScript

WordPressにはJavaScriptのための依存マネージャーとエンキューの機能が組み込まれています。そのままのJavaScriptを埋め込む<script>タグは使ってはいけません。

登録とエンキュー

JavaScriptファイルは登録するようにします。登録により依存マネージャーにスクリプトがあることを知らせます。ページにスクリプトを埋め込むにはな必ずエンキューさせます。

ではスクリプトの登録とエンキューをしてみましょう。

  1. // Use the wp_enqueue_scripts function for registering and enqueueing scripts on the front end.
  2. add_action( 'wp_enqueue_scripts', 'register_and_enqueue_a_script' );
  3. function register_and_enqueue_a_script() {
  4. // Register a script with a handle of `my-script`
  5. // + that lives inside the theme folder,
  6. // + which has a dependency on jQuery,
  7. // + where the UNIX timestamp of the last file change gets used as version number
  8. // to prevent hardcore caching in browsers - helps with updates and during dev
  9. // + which gets loaded in the footer
  10. wp_register_script(
  11. 'my-script',
  12. get_template_directory_uri().'/js/functions.js',
  13. array( 'jquery' ),
  14. filemtime( get_template_directory().'/js/functions.js',
  15. true
  16. );
  17. // Enqueue the script.
  18. wp_enqueue_script( 'my-script' );
  19. }

スクリプトは必要なときだけエンキューするようにしましょう。wp_enqueue_script()の呼び出しを適切に条件分岐でラップしましょう。

ローカライズ

スクリプトをローカライズすることにより、PHPからJSに変数を渡すことができるようになります。これは文字列の国際化(つまりローカライゼーション)によく利用されますが、他にもたくさんの使い道があります。

技術的な面では、スクリプトをローカライズするということは登録したスクリプトの直前に新しい <script> タグが追加されることを意味していて、ローカライズしているときに指定した名称(2番めの引き数)とともに グローバル なJavaScriptのオブジェクトを含んでいることを意味します。これはまた、別のスクリプトをあとから追加したら依存関係にしたがってこのスクリプトを持つということであり、同じようにグローバルなオブジェクトを利用できるということでもあります。WordPressはこうしたチェーンされた依存関係もちゃんと解決します。

ではスクリプトをローカライズしてみましょう。

  1. add_action( 'wp_enqueue_scripts', 'register_localize_and_enqueue_a_script' );
  2. function register_localize_and_enqueue_a_script() {
  3. wp_register_script(
  4. 'my-script',
  5. get_template_directory_uri().'/js/functions.js',
  6. array( 'jquery' ),
  7. filemtime( get_template_directory().'/js/functions.js' ),
  8. true
  9. );
  10. wp_localize_script(
  11. 'my-script',
  12. 'scriptData',
  13. // This is the data, which gets sent in localized data to the script.
  14. array(
  15. 'alertText' => 'Are you sure you want to do this?',
  16. )
  17. );
  18. wp_enqueue_script( 'my-script' );
  19. }

このJavaScriptファイルの中ではデータは

  1. ( function( $, plugin ) {
  2. alert( plugin.alertText );
  3. } )( jQuery, scriptData || {} );

登録解除 / キューの解除

スクリプトはwp_deregister_script()wp_dequeue_script()によって登録の解除とキューの解除ができます。

AJAX

WordPressでは、wp-admin/admin-ajax.phpにある、AJAX呼び出しのための簡単なサーバーサイドのエンドポイント提供しています。

ではサーバーサイドのAJAXハンドラーをセットアップしてみましょう。

  1. // Triggered for users that are logged in.
  2. add_action( 'wp_ajax_create_new_post', 'wp_ajax_create_new_post_handler' );
  3. // Triggered for users that are not logged in.
  4. add_action( 'wp_ajax_nopriv_create_new_post', 'wp_ajax_create_new_post_handler' );
  5. function wp_ajax_create_new_post_handler() {
  6. // This is unfiltered, not validated and non-sanitized data.
  7. // Prepare everything and trust no input
  8. $data = $_POST['data'];
  9. // Do things here.
  10. // For example: Insert or update a post
  11. $post_id = wp_insert_post( array(
  12. 'post_title' => $data['title'],
  13. ) );
  14. // If everything worked out, pass in any data required for your JS callback.
  15. // In this example, wp_insert_post() returned the ID of the newly created post
  16. // This adds an `exit`/`die` by itself, so no need to call it.
  17. if ( ! is_wp_error( $post_id ) ) {
  18. wp_send_json_success( array(
  19. 'post_id' => $post_id,
  20. ) );
  21. }
  22. // If something went wrong, the last part will be bypassed and this part can execute:
  23. wp_send_json_error( array(
  24. 'post_id' => $post_id,
  25. ) );
  26. }
  27. add_action( 'wp_enqueue_scripts', 'register_localize_and_enqueue_a_script' );
  28. function register_localize_and_enqueue_a_script() {
  29. wp_register_script(
  30. 'my-script',
  31. get_template_directory_uri().'/js/functions.js',
  32. array( 'jquery' ),
  33. filemtime( get_template_directory().'/js/functions.js' ),
  34. true
  35. );
  36. // Send in localized data to the script.
  37. wp_localize_script(
  38. 'my-script',
  39. 'scriptData',
  40. array(
  41. 'ajax_url' => admin_url( 'admin-ajax.php' ),
  42. )
  43. );
  44. wp_enqueue_script( 'my-script' );
  45. }

そしてJavaScriptは以下のようになります:

  1. ( function( $, plugin ) {
  2. $( document ).ready( function() {
  3. $.post(
  4. // Localized variable, see example below.
  5. plugin.ajax_url,
  6. {
  7. // The action name specified here triggers
  8. // the corresponding wp_ajax_* and wp_ajax_nopriv_* hooks server-side.
  9. action : 'create_new_post',
  10. // Wrap up any data required server-side in an object.
  11. data : {
  12. title : 'Hello World'
  13. }
  14. },
  15. function( response ) {
  16. // wp_send_json_success() sets the success property to true.
  17. if ( response.success ) {
  18. // Any data that passed to wp_send_json_success() is available in the data property
  19. alert( 'A post was created with an ID of ' + response.data.post_id );
  20. // wp_send_json_error() sets the success property to false.
  21. } else {
  22. alert( 'There was a problem creating a new post.' );
  23. }
  24. }
  25. );
  26. } );
  27. } )( jQuery, scriptData || {} );

ajax_urlは管理画面のAJAXエンドポイントを表していて、管理画面のインターフェースページが読み込まれると自動的に定義されます。

次に、管理画面のURLを含んだスクリプトをローカライズしてみましょう:

  1. add_action( 'wp_enqueue_scripts', 'register_localize_and_enqueue_a_script' );
  2. function register_localize_and_enqueue_a_script() {
  3. wp_register_script( 'my-script', get_template_directory_uri() . '/js/functions.js', array( 'jquery' ) );
  4. // Send in localized data to the script.
  5. $data_for_script = array( 'ajax_url' => admin_url( 'admin-ajax.php' ) );
  6. wp_localize_script( 'my-script', 'scriptData', $data_for_script );
  7. wp_enqueue_script( 'my-script' );
  8. }

WP AJAX のJavaScriptサイド

これを行うにはいくつか方法があります。もっとも一般的なのは $.ajax() を使う方法です。もちろん $.post()$.getJSON() などのショートカットも利用可能です。

以下はデフォルトの例です。

  1. /*globals jQuery, $, scriptData */
  2. ( function( $, plugin ) {
  3. "use strict";
  4. // Alternate solution: jQuery.ajax()
  5. // One can use $.post(), $.getJSON() as well
  6. // I prefer defered loading & promises as shown above
  7. $.ajax( {
  8. url : plugin.ajaxurl,
  9. data : {
  10. action : plugin.action,
  11. _ajax_nonce : plugin._ajax_nonce,
  12. // WordPress JS-global
  13. // Only set in admin
  14. postType : typenow,
  15. },
  16. beforeSend : function( d ) {
  17. console.log( 'Before send', d );
  18. }
  19. } )
  20. .done( function( response, textStatus, jqXHR ) {
  21. console.log( 'AJAX done', textStatus, jqXHR, jqXHR.getAllResponseHeaders() );
  22. } )
  23. .fail( function( jqXHR, textStatus, errorThrown ) {
  24. console.log( 'AJAX failed', jqXHR.getAllResponseHeaders(), textStatus, errorThrown );
  25. } )
  26. .then( function( jqXHR, textStatus, errorThrown ) {
  27. console.log( 'AJAX after finished', jqXHR, textStatus, errorThrown );
  28. } );
  29. } )( jQuery, scriptData || {} );

上の例ではNONCE値の検証のため _ajax_nonce を使ってることに注意してください。これはスクリプトをローカライズする際に自分でセットする必要があります。データ配列に '_ajax_nonce' => wp_create_nonce( "some_value" ),を追加するだけです。すると、PHPコールバックに次のようなリファラーチェックを追加できます: check_ajax_referer( "some_value" )

クリック時のAJAX

特定の要素に対するクリック時(もしくはその他のユーザーインタラクション時)にAJAXリクエストを実行するのは、実際のところとても簡単です。単に $.ajax() (もしくは類似のものの)呼び出しをラップするだけです。また、ディレイも追加することができます。

  1. $( '#' + plugin.element_name ).on( 'keyup', function( event ) {
  2. $.ajax( { ... etc ... } )
  3. .done( function( ... ) { etc }
  4. .fail( function( ... ) { etc }
  5. } )
  6. .delay( 500 );

シングルのAJAXリクエストへの複数コールバック

AJAXリクエスト完了後に複数のことをする必要があることがあります。幸いなことにjQueryではオブジェクトを返しますので、すべてのコールバックをアタッチすることができます。

  1. /*globals jQuery, $, scriptData */
  2. ( function( $, plugin ) {
  3. "use strict";
  4. // Alternate solution: jQuery.ajax()
  5. // One can use $.post(), $.getJSON() as well
  6. // I prefer defered loading & promises as shown above
  7. var request = $.ajax( {
  8. url : plugin.ajaxurl,
  9. data : {
  10. action : plugin.action,
  11. _ajax_nonce : plugin._ajax_nonce,
  12. // WordPress JS-global
  13. // Only set in admin
  14. postType : typenow,
  15. },
  16. beforeSend : function( d ) {
  17. console.log( 'Before send', d );
  18. }
  19. } );
  20. request.done( function( response, textStatus, jqXHR ) {
  21. console.log( 'AJAX callback #1 executed' );
  22. } );
  23. request.done( function( response, textStatus, jqXHR ) {
  24. console.log( 'AJAX callback #2 executed' );
  25. } );
  26. request.done( function( response, textStatus, jqXHR ) {
  27. console.log( 'AJAX callback #3 executed' );
  28. } )
  29. } )( jQuery, scriptData || {} );

コールバックの連鎖

よくある状況としては(どのくらい頻繁に必要とされるか、メイントラップにどのくらい簡単にひっとするかによりますが)、AJAXリクエストが完了した時のコールバックの連鎖です。

最初の問題:

AJAXコールバック(A)が実行され
AJAXコールバック(B)が(A)を待たなくてはならないことを知らない
(A)の終了が早すぎてローカルでの問題が見えない

Aが終了するまでどのように待ち、Bがどのようにスタートして処理するのかは、興味深い質問です。

答えは「遅延」読み込みと「futures」としても知られる「promises(日本語の解説)」です。
以下はその例です:

  1. ( function( $, plugin ) {
  2. "use strict";
  3. $.when(
  4. $.ajax( {
  5. url : pluginURl,
  6. data : { /* ... */ }
  7. } )
  8. .done( function( data ) {
  9. // 2nd call finished
  10. } )
  11. .fail( function( reason ) {
  12. console.info( reason );
  13. } );
  14. )
  15. // Again, you could leverage .done() as well. See jQuery docs.
  16. .then(
  17. // Success
  18. function( response ) {
  19. // Has been successful
  20. // In case of more then one request, both have to be successful
  21. },
  22. // Fail
  23. function( resons ) {
  24. // Has thrown an error
  25. // in case of multiple errors, it throws the first one
  26. },
  27. );
  28. //.then( /* and so on */ );
  29. } )( jQuery, scriptData || {} );

Source: WordPress.StackExchange / Kaiser