概要

スキーマは、他のデータがどのように構造化されるべきかを示すデータです。ほとんどのデータベースは、データをより構造的に考えることを可能にする何らかの形式のスキーマを実装しています。WordPress REST APIは、データの構造化を処理するためにJSONスキーマを利用しています。スキーマを使用せずにエンドポイントを実装することもできますが、多くのことを見逃すことになります。何が最適かはあなた次第です。

JSONスキーマ

まず、JSONについて少し話しましょう。JSONは、人間が読みやすいデータ形式で、JavaScriptオブジェクトに似ています。JSONはJavaScript Object Notationの略です。JSONは急速に人気が高まっており、データ構造の世界を席巻しているようです。WordPress REST APIは、JSONスキーマとして知られる特別な仕様を使用しています。JSON Schemaについて詳しく知りたい場合は、JSON Schemaウェブサイトや、このより理解しやすいJSON Schemaの紹介をチェックしてください。スキーマは多くの利点を提供します:テストの改善、発見性、全体的な構造の向上です。JSONデータの塊を見てみましょう。

  1. {
  2. "shouldBeArray": 'LOL definitely not an array',
  3. "shouldBeInteger": ['lolz', 'you', 'need', 'schema'],
  4. "shouldBeString": 123456789
  5. }

JSONパーサーは、そのデータを問題なく処理し、何も文句を言いません。なぜなら、それは有効なJSONだからです。クライアントとサーバーはデータについて何も知らず、何を期待するかもわかりません。ただJSONを見るだけです。スキーマを実装することで、実際にコードベースを簡素化できます。スキーマはデータをより良く構造化するのに役立ち、アプリケーションがWordPress REST APIとの相互作用をより簡単に考えることができるようになります。WordPress REST APIはスキーマの使用を強制しませんが、推奨されています。スキーマデータはAPIに組み込まれる方法が2つあります;リソースのスキーマと登録された引数のスキーマです。

リソーススキーマ

リソースのスキーマは、特定のオブジェクトにどのフィールドが存在するかを示します。ルートを登録する際に、ルートのリソーススキーマも指定できます。JSONスキーマのPHP表現におけるシンプルなコメントスキーマがどのように見えるかを見てみましょう。

  1. // Register our routes.
  2. function prefix_register_my_comment_route() {
  3. register_rest_route( 'my-namespace/v1', '/comments', array(
  4. // Notice how we are registering multiple endpoints the 'schema' equates to an OPTIONS request.
  5. array(
  6. 'methods' => 'GET',
  7. 'callback' => 'prefix_get_comment_sample',
  8. ),
  9. // Register our schema callback.
  10. 'schema' => 'prefix_get_comment_schema',
  11. ) );
  12. }
  13. add_action( 'rest_api_init', 'prefix_register_my_comment_route' );
  14. /**
  15. * Grabs the five most recent comments and outputs them as a rest response.
  16. *
  17. * @param WP_REST_Request $request Current request.
  18. */
  19. function prefix_get_comment_sample( $request ) {
  20. $args = array(
  21. 'post_per_page' => 5,
  22. );
  23. $comments = get_comments( $args );
  24. $data = array();
  25. if ( empty( $comments ) ) {
  26. return rest_ensure_response( $data );
  27. }
  28. foreach ( $comments as $comment ) {
  29. $response = prefix_rest_prepare_comment( $comment, $request );
  30. $data[] = prefix_prepare_for_collection( $response );
  31. }
  32. // Return all of our comment response data.
  33. return rest_ensure_response( $data );
  34. }
  35. /**
  36. * Matches the comment data to the schema we want.
  37. *
  38. * @param WP_Comment $comment The comment object whose response is being prepared.
  39. */
  40. function prefix_rest_prepare_comment( $comment, $request ) {
  41. $comment_data = array();
  42. $schema = prefix_get_comment_schema( $request );
  43. // We are also renaming the fields to more understandable names.
  44. if ( isset( $schema['properties']['id'] ) ) {
  45. $comment_data['id'] = (int) $comment->comment_id;
  46. }
  47. if ( isset( $schema['properties']['author'] ) ) {
  48. $comment_data['author'] = (int) $comment->user_id;
  49. }
  50. if ( isset( $schema['properties']['content'] ) ) {
  51. $comment_data['content'] = apply_filters( 'comment_text', $comment->comment_content, $comment );
  52. }
  53. return rest_ensure_response( $comment_data );
  54. }
  55. /**
  56. * Prepare a response for inserting into a collection of responses.
  57. *
  58. * This is copied from WP_REST_Controller class in the WP REST API v2 plugin.
  59. *
  60. * @param WP_REST_Response $response Response object.
  61. * @return array Response data, ready for insertion into collection data.
  62. */
  63. function prefix_prepare_for_collection( $response ) {
  64. if ( ! ( $response instanceof WP_REST_Response ) ) {
  65. return $response;
  66. }
  67. $data = (array) $response->get_data();
  68. $server = rest_get_server();
  69. if ( method_exists( $server, 'get_compact_response_links' ) ) {
  70. $links = call_user_func( array( $server, 'get_compact_response_links' ), $response );
  71. } else {
  72. $links = call_user_func( array( $server, 'get_response_links' ), $response );
  73. }
  74. if ( ! empty( $links ) ) {
  75. $data['_links'] = $links;
  76. }
  77. return $data;
  78. }
  79. /**
  80. * Get our sample schema for comments.
  81. *
  82. * @param WP_REST_Request $request Current request.
  83. */
  84. function prefix_get_comment_schema( $request ) {
  85. $schema = array(
  86. // This tells the spec of JSON Schema we are using which is draft 4.
  87. '$schema' => 'http://json-schema.org/draft-04/schema#',
  88. // The title property marks the identity of the resource.
  89. 'title' => 'comment',
  90. 'type' => 'object',
  91. // In JSON Schema you can specify object properties in the properties attribute.
  92. 'properties' => array(
  93. 'id' => array(
  94. 'description' => esc_html__( 'Unique identifier for the object.', 'my-textdomain' ),
  95. 'type' => 'integer',
  96. 'context' => array( 'view', 'edit', 'embed' ),
  97. 'readonly' => true,
  98. ),
  99. 'author' => array(
  100. 'description' => esc_html__( 'The id of the user object, if author was a user.', 'my-textdomain' ),
  101. 'type' => 'integer',
  102. ),
  103. 'content' => array(
  104. 'description' => esc_html__( 'The content for the object.', 'my-textdomain' ),
  105. 'type' => 'string',
  106. ),
  107. ),
  108. );
  109. return $schema;
  110. }

各コメントリソースが、指定したスキーマに一致していることに気づくでしょう。この変更はprefix_rest_prepare_comment()で行いました。リソースのスキーマを作成することで、OPTIONSリクエストを行うことでこのスキーマを表示できるようになりました。これはなぜ便利なのでしょうか?他の言語、例えばJavaScriptが私たちのデータを解釈し、エンドポイントからのデータを検証するためには、JavaScriptが私たちのデータがどのように構造化されているかを知る必要があります。スキーマを提供することで、他の著者や私たち自身が、一貫した方法でエンドポイントの上に構築するための扉を開きます。

スキーマは機械可読データを提供するため、JSONを読み取ることができるものは何でも、どのようなデータを見ているのかを理解できます。APIインデックスをGETリクエストをhttps://ourawesomesite.com/wp-json/に送信することで確認すると、APIのスキーマが返され、他の人が私たちのデータを解釈するためのクライアントライブラリを書くことができるようになります。このスキーマデータを読み取るプロセスは、ディスカバリーとして知られています。リソースのためにスキーマを提供すると、そのリソースをOPTIONSリクエストを通じて発見可能にします。リソーススキーマを公開することは、スキーマパズルの一部に過ぎません。登録された引数のためにもスキーマを使用したいと考えています。

引数スキーマ

エンドポイントのリクエスト引数を登録する際に、JSONスキーマを使用して引数がどのようなものであるべきかのデータを提供することもできます。これにより、エンドポイントが拡張されるにつれて再利用可能な検証ライブラリを書くことが可能になります。スキーマは最初は手間がかかりますが、成長するプロダクションアプリケーションを書くつもりなら、スキーマの使用を検討すべきです。引数スキーマと検証の使用例を見てみましょう。

  1. // Register our routes.
  2. function prefix_register_my_arg_route() {
  3. register_rest_route( 'my-namespace/v1', '/schema-arg', array(
  4. // Here we register our endpoint.
  5. array(
  6. 'methods' => 'GET',
  7. 'callback' => 'prefix_get_item',
  8. 'args' => prefix_get_endpoint_args(),
  9. ),
  10. ) );
  11. }
  12. // Hook registration into 'rest_api_init' hook.
  13. add_action( 'rest_api_init', 'prefix_register_my_arg_route' );
  14. /**
  15. * Returns the request argument `my-arg` as a rest response.
  16. *
  17. * @param WP_REST_Request $request Current request.
  18. */
  19. function prefix_get_item( $request ) {
  20. // If we didn't use required in the schema this would throw an error when my arg is not set.
  21. return rest_ensure_response( $request['my-arg'] );
  22. }
  23. /**
  24. * Get the argument schema for this example endpoint.
  25. */
  26. function prefix_get_endpoint_args() {
  27. $args = array();
  28. // Here we add our PHP representation of JSON Schema.
  29. $args['my-arg'] = array(
  30. 'description' => esc_html__( 'This is the argument our endpoint returns.', 'my-textdomain' ),
  31. 'type' => 'string',
  32. 'validate_callback' => 'prefix_validate_my_arg',
  33. 'sanitize_callback' => 'prefix_sanitize_my_arg',
  34. 'required' => true,
  35. );
  36. return $args;
  37. }
  38. /**
  39. * Our validation callback for `my-arg` parameter.
  40. *
  41. * @param mixed $value Value of the my-arg parameter.
  42. * @param WP_REST_Request $request Current request object.
  43. * @param string $param The name of the parameter in this case, 'my-arg'.
  44. */
  45. function prefix_validate_my_arg( $value, $request, $param ) {
  46. $attributes = $request->get_attributes();
  47. if ( isset( $attributes['args'][ $param ] ) ) {
  48. $argument = $attributes['args'][ $param ];
  49. // Check to make sure our argument is a string.
  50. if ( 'string' === $argument['type'] && ! is_string( $value ) ) {
  51. return new WP_Error( 'rest_invalid_param', sprintf( esc_html__( '%1$s is not of type %2$s', 'my-textdomain' ), $param, 'string' ), array( 'status' => 400 ) );
  52. }
  53. } else {
  54. // This code won't execute because we have specified this argument as required.
  55. // If we reused this validation callback and did not have required args then this would fire.
  56. return new WP_Error( 'rest_invalid_param', sprintf( esc_html__( '%s was not registered as a request argument.', 'my-textdomain' ), $param ), array( 'status' => 400 ) );
  57. }
  58. // If we got this far then the data is valid.
  59. return true;
  60. }
  61. /**
  62. * Our santization callback for `my-arg` parameter.
  63. *
  64. * @param mixed $value Value of the my-arg parameter.
  65. * @param WP_REST_Request $request Current request object.
  66. * @param string $param The name of the parameter in this case, 'my-arg'.
  67. */
  68. function prefix_sanitize_my_arg( $value, $request, $param ) {
  69. $attributes = $request->get_attributes();
  70. if ( isset( $attributes['args'][ $param ] ) ) {
  71. $argument = $attributes['args'][ $param ];
  72. // Check to make sure our argument is a string.
  73. if ( 'string' === $argument['type'] ) {
  74. return sanitize_text_field( $value );
  75. }
  76. } else {
  77. // This code won't execute because we have specified this argument as required.
  78. // If we reused this validation callback and did not have required args then this would fire.
  79. return new WP_Error( 'rest_invalid_param', sprintf( esc_html__( '%s was not registered as a request argument.', 'my-textdomain' ), $param ), array( 'status' => 400 ) );
  80. }
  81. // If we got this far then something went wrong don't use user input.
  82. return new WP_Error( 'rest_api_sad', esc_html__( 'Something went terribly wrong.', 'my-textdomain' ), array( 'status' => 500 ) );
  83. }

上記の例では、'my-arg'という名前の使用を抽象化しました。指定したスキーマのために文字列であるべき他の引数に対して、これらの検証およびサニタイズ関数を使用できます。コードベースとエンドポイントが成長するにつれて、スキーマはコードを軽量で保守可能に保つのに役立ちます。スキーマがない場合でも、検証とサニタイズは可能ですが、どの関数が何を検証すべきかを追跡するのが難しくなります。リクエスト引数にスキーマを追加することで、引数スキーマをクライアントに公開できるため、クライアント側で検証ライブラリを構築でき、無効なリクエストがAPIに送信されるのを防ぐことでパフォーマンスを向上させることができます。

スキーマの使用に不安がある場合でも、各引数に対して検証/サニタイズコールバックを持つことは可能であり、場合によってはカスタム検証を行うのが最も理にかなっていることもあります。

概要

スキーマは時には馬鹿げているように見え、不要な作業のように思えるかもしれませんが、保守可能で発見可能で簡単に拡張可能なエンドポイントを望むのであれば、スキーマを使用することは不可欠です。スキーマはまた、人間とコンピュータの両方に対してエンドポイントを自己文書化するのに役立ちます!