概要

新しいRESTルートを登録するには、リクエストがどのように処理されるか、権限チェックがどのように適用されるか、リソースのスキーマがどのように生成されるかなど、エンドポイントの動作を制御するためのコールバック関数をいくつか指定する必要があります。これらのメソッドを通常のPHPファイルで名前空間やクラスでラップせずに宣言することは可能ですが、その方法で宣言されたすべての関数は同じグローバルスコープに共存します。エンドポイントロジックのためにget_items()のような一般的な関数名を使用することに決め、別のプラグイン(または自分のプラグイン内の別のエンドポイント)も同じ名前の関数を登録すると、PHPは致命的なエラーで失敗します。なぜなら、関数get_items()が二重に宣言されているからです。

この問題を回避するには、myplugin_myendpoint_のようなユニークなプレフィックスを使用してコールバック関数に名前を付け、潜在的な競合を避けることができます:

  1. function myplugin_myendpoint_register_routes() { /* ... */ }
  2. function myplugin_myendpoint_get_item() { /* ... */ }
  3. function myplugin_myendpoint_get_item_schema() { /* ... */ }
  4. // etcetera
  5. add_action( 'rest_api_init', 'myplugin_myendpoint_register_routes' );

このアプローチは、テーマfunctions.phpファイル内で一般的に使用されているため、すでにご存知かもしれません。しかし、これらのプレフィックスは不必要に冗長であり、エンドポイントのロジックをより保守可能な方法でグループ化しカプセル化するためのいくつかのより良いオプションが存在します。

WordPressは現在、PHP 5.6以上を必要とします。PHP 5.6は、エンドポイントの機能をカプセル化するための簡単な方法を提供する名前空間をサポートしています。エンドポイントのPHPファイルの先頭でnamespaceを宣言することにより、その名前空間内のすべてのメソッドはその名前空間内で宣言され、グローバル関数と競合しなくなります。これにより、エンドポイントコールバックのために短く、より読みやすい名前を使用できます。

  1. namespace MyPlugin\API\MyEndpoint;
  2. function register_routes() { /* ... */ }
  3. function get_item() { /* ... */ }
  4. function get_item_schema() { /* ... */ }
  5. // and so on
  6. add_action( 'rest_api_init', __NAMESPACE__ . '\\register_routes' );

これらの短い関数名は扱いやすいですが、グローバル関数を宣言することに対して他の利点は提供しません。この理由から、WordPress内のコアREST APIエンドポイントはすべてコントローラークラスを使用して実装されています。

このページの残りの部分では、自分自身のコントローラークラスを書く方法と、その利点について説明します。

コントローラー

コントローラーは入力(WordPress REST APIの場合はWP_REST_Requestオブジェクト)を受け取り、WP_REST_Responseオブジェクトとして応答出力を生成します。例としてコントローラークラスを見てみましょう:

  1. class My_REST_Posts_Controller {
  2. // Here initialize our namespace and resource name.
  3. public function __construct() {
  4. $this->namespace = '/my-namespace/v1';
  5. $this->resource_name = 'posts';
  6. }
  7. // Register our routes.
  8. public function register_routes() {
  9. register_rest_route( $this->namespace, '/' . $this->resource_name, array(
  10. // Here we register the readable endpoint for collections.
  11. array(
  12. 'methods' => 'GET',
  13. 'callback' => array( $this, 'get_items' ),
  14. 'permission_callback' => array( $this, 'get_items_permissions_check' ),
  15. ),
  16. // Register our schema callback.
  17. 'schema' => array( $this, 'get_item_schema' ),
  18. ) );
  19. register_rest_route( $this->namespace, '/' . $this->resource_name . '/(?P<id>[\d]+)', array(
  20. // Notice how we are registering multiple endpoints the 'schema' equates to an OPTIONS request.
  21. array(
  22. 'methods' => 'GET',
  23. 'callback' => array( $this, 'get_item' ),
  24. 'permission_callback' => array( $this, 'get_item_permissions_check' ),
  25. ),
  26. // Register our schema callback.
  27. 'schema' => array( $this, 'get_item_schema' ),
  28. ) );
  29. }
  30. /**
  31. * Check permissions for the posts.
  32. *
  33. * @param WP_REST_Request $request Current request.
  34. */
  35. public function get_items_permissions_check( $request ) {
  36. if ( ! current_user_can( 'read' ) ) {
  37. return new WP_Error( 'rest_forbidden', esc_html__( 'You cannot view the post resource.' ), array( 'status' => $this->authorization_status_code() ) );
  38. }
  39. return true;
  40. }
  41. /**
  42. * Grabs the five most recent posts and outputs them as a rest response.
  43. *
  44. * @param WP_REST_Request $request Current request.
  45. */
  46. public function get_items( $request ) {
  47. $args = array(
  48. 'post_per_page' => 5,
  49. );
  50. $posts = get_posts( $args );
  51. $data = array();
  52. if ( empty( $posts ) ) {
  53. return rest_ensure_response( $data );
  54. }
  55. foreach ( $posts as $post ) {
  56. $response = $this->prepare_item_for_response( $post, $request );
  57. $data[] = $this->prepare_response_for_collection( $response );
  58. }
  59. // Return all of our comment response data.
  60. return rest_ensure_response( $data );
  61. }
  62. /**
  63. * Check permissions for the posts.
  64. *
  65. * @param WP_REST_Request $request Current request.
  66. */
  67. public function get_item_permissions_check( $request ) {
  68. if ( ! current_user_can( 'read' ) ) {
  69. return new WP_Error( 'rest_forbidden', esc_html__( 'You cannot view the post resource.' ), array( 'status' => $this->authorization_status_code() ) );
  70. }
  71. return true;
  72. }
  73. /**
  74. * Gets post data of requested post id and outputs it as a rest response.
  75. *
  76. * @param WP_REST_Request $request Current request.
  77. */
  78. public function get_item( $request ) {
  79. $id = (int) $request['id'];
  80. $post = get_post( $id );
  81. if ( empty( $post ) ) {
  82. return rest_ensure_response( array() );
  83. }
  84. $response = $this->prepare_item_for_response( $post, $request );
  85. // Return all of our post response data.
  86. return $response;
  87. }
  88. /**
  89. * Matches the post data to the schema we want.
  90. *
  91. * @param WP_Post $post The comment object whose response is being prepared.
  92. */
  93. public function prepare_item_for_response( $post, $request ) {
  94. $post_data = array();
  95. $schema = $this->get_item_schema( $request );
  96. // We are also renaming the fields to more understandable names.
  97. if ( isset( $schema['properties']['id'] ) ) {
  98. $post_data['id'] = (int) $post->ID;
  99. }
  100. if ( isset( $schema['properties']['content'] ) ) {
  101. $post_data['content'] = apply_filters( 'the_content', $post->post_content, $post );
  102. }
  103. return rest_ensure_response( $post_data );
  104. }
  105. /**
  106. * Prepare a response for inserting into a collection of responses.
  107. *
  108. * This is copied from WP_REST_Controller class in the WP REST API v2 plugin.
  109. *
  110. * @param WP_REST_Response $response Response object.
  111. * @return array Response data, ready for insertion into collection data.
  112. */
  113. public function prepare_response_for_collection( $response ) {
  114. if ( ! ( $response instanceof WP_REST_Response ) ) {
  115. return $response;
  116. }
  117. $data = (array) $response->get_data();
  118. $server = rest_get_server();
  119. if ( method_exists( $server, 'get_compact_response_links' ) ) {
  120. $links = call_user_func( array( $server, 'get_compact_response_links' ), $response );
  121. } else {
  122. $links = call_user_func( array( $server, 'get_response_links' ), $response );
  123. }
  124. if ( ! empty( $links ) ) {
  125. $data['_links'] = $links;
  126. }
  127. return $data;
  128. }
  129. /**
  130. * Get our sample schema for a post.
  131. *
  132. * @return array The sample schema for a post
  133. */
  134. public function get_item_schema() {
  135. if ( $this->schema ) {
  136. // Since WordPress 5.3, the schema can be cached in the $schema property.
  137. return $this->schema;
  138. }
  139. $this->schema = array(
  140. // This tells the spec of JSON Schema we are using which is draft 4.
  141. '$schema' => 'http://json-schema.org/draft-04/schema#',
  142. // The title property marks the identity of the resource.
  143. 'title' => 'post',
  144. 'type' => 'object',
  145. // In JSON Schema you can specify object properties in the properties attribute.
  146. 'properties' => array(
  147. 'id' => array(
  148. 'description' => esc_html__( 'Unique identifier for the object.', 'my-textdomain' ),
  149. 'type' => 'integer',
  150. 'context' => array( 'view', 'edit', 'embed' ),
  151. 'readonly' => true,
  152. ),
  153. 'content' => array(
  154. 'description' => esc_html__( 'The content for the object.', 'my-textdomain' ),
  155. 'type' => 'string',
  156. ),
  157. ),
  158. );
  159. return $this->schema;
  160. }
  161. // Sets up the proper HTTP status code for authorization.
  162. public function authorization_status_code() {
  163. $status = 401;
  164. if ( is_user_logged_in() ) {
  165. $status = 403;
  166. }
  167. return $status;
  168. }
  169. }
  170. // Function to register our new routes from the controller.
  171. function prefix_register_my_rest_routes() {
  172. $controller = new My_REST_Posts_Controller();
  173. $controller->register_routes();
  174. }
  175. add_action( 'rest_api_init', 'prefix_register_my_rest_routes' );

クラスの利点

このクラスには、単純な関数を使用して書いたかもしれないすべての同じコンポーネントが含まれています。クラスの構造は、$this->method_name()構文を使用して関連するメソッドを参照する便利な方法を提供しますが、名前空間とは異なり、クラスは値をキャッシュし、ロジックを共有することも許可します。

get_item_schemaメソッドでは、生成されたスキーマを$this->schemaとしてクラスに保存することに注意してください。クラスプロパティは、この種の生成された値をキャッシュするのを容易にします。WordPress 5.3でのスキーマキャッシングの導入により、いくつかのコアREST APIコレクション応答の速度が最大40%向上したため、自分のコントローラーでもこのパターンに従うことを検討すべきです。

クラスの継承 & WP_REST_Controller

上記で、クラスがグローバル関数のカプセル化の問題をどのように解決するか、クラスインスタンスが複雑な値をキャッシュして応答処理を高速化する方法を見てきました。クラスのもう一つの大きな利点は、クラスの継承が複数のエンドポイント間でロジックを共有できる方法です。

ここでの例のクラスは、基底クラスを拡張していませんが、WordPressコア内のすべてのエンドポイントコントローラーは、abstractコントローラークラスであるWP_REST_Controllerを拡張します。このクラスを拡張することで、次のような便利なメソッドにアクセスできますが、これに限定されません:

get_itemregister_routesupdate_item_permissions_checkのようなエンドポイント固有のメソッドは、抽象クラスによって完全には実装されておらず、自分のクラスで定義する必要があります。

このコントローラーのメソッドの完全なリストについては、WP_REST_Controllerクラスリファレンスページを訪れてください。

重要な点は、WP_REST_Controllerabstractクラスとして実装されており、複数のクラスで明確に必要なロジックのみを含んでいることです。継承は、拡張する基底クラスにクラスを結びつけ、考慮が不十分な継承ツリーはエンドポイントの保守を非常に困難にする可能性があります。

例えば、投稿エンドポイントのためのコントローラークラスを作成し(上記の例のように)、カスタム投稿タイプもサポートしたい場合、My_REST_Posts_Controllerをこのように拡張してはいけません:class My_CPT_REST_Controller extends My_REST_Posts_Controller。代わりに、共有ロジックのためにまったく別の基底コントローラークラスを作成するか、My_REST_Posts_Controllerがすべての利用可能な投稿タイプを処理するようにするべきです。エンドポイントロジックはビジネス要件の変更の影響を受けるため、基底投稿コントローラーを更新するたびに無関係な複数のコントローラーを変更する必要がないようにしたいです。

ほとんどの場合、各エンドポイントコントローラーが実装または拡張できるinterfaceまたはabstract classとして基底コントローラークラスを作成するか、コアのWordPress RESTクラスのいずれかを直接拡張することをお勧めします。

内部WordPress REST APIクラス

WordPress REST APIは、その内部クラスのために意図的なデザインパターンに従い、インフラストラクチャまたはエンドポイントクラスとして分類できます。

エンドポイントクラスは、WordPressリソースに対してCRUD操作を実行するために必要な機能的ロジックをカプセル化します。WordPressは多くのREST APIエンドポイント(WP_REST_Posts_Controllerなど)を公開していますが、上記で説明したように、すべてのエンドポイントは共通の基底コントローラークラスから拡張されます:

  • WP_REST_Controller:すべてのWordPressコアエンドポイントの基底クラス。このクラスは、WordPressリソースを操作するための一貫したパターンを表すように設計されています。WP_REST_Controllerを実装するエンドポイントと対話する際、HTTPクライアントは各エンドポイントが一貫した方法で動作することを期待できます。

インフラストラクチャクラスは、エンドポイントクラスをサポートします。データ変換を行うことなく、WordPress REST APIのロジックを処理します。WordPress REST APIは、3つの主要なインフラストラクチャクラスを実装しています:

  • WP_REST_Server:WordPress REST APIの主要なコントローラー。ルートはWordPress内でサーバーに登録されます。WP_REST_Serverがリクエストを処理するために呼び出されると、どのルートが呼び出されるかを決定し、ルートコールバックにWP_REST_Requestオブジェクトを渡します。WP_REST_Serverは認証も処理し、リクエストの検証や権限チェックを行うことができます。
  • WP_REST_Request:リクエストの性質を表すオブジェクト。このオブジェクトには、リクエストヘッダー、パラメータ、メソッド、ルートなどのリクエストの詳細が含まれています。また、リクエストの検証やサニタイズも行うことができます。
  • WP_REST_Response:応答の性質を表すオブジェクト。このクラスはWP_HTTP_Responseを拡張し、ヘッダー、ボディ、ステータスを含み、リンクメディアを追加するためのadd_link()や、クエリナビゲーションヘッダーを取得するためのquery_navigation_headers()のようなヘルパーメソッドを提供します。

API駆動型アプリケーションのほとんどのタイプでは、インフラストラクチャ層を直接拡張または操作する必要はありませんが、自分自身のREST APIエンドポイントを実装している場合、アプリケーションはWP_REST_Controllerを拡張する1つ以上のエンドポイントコントローラークラスから利益を得る可能性があります。