Woohoo Labs. Yin is a PHP framework which helps you to build beautifully crafted JSON:APIs.
- Introduction
- Install
- Basic Usage
- Advanced Usage
- Examples
- Integrations
- Versioning
- Change Log
- Testing
- Contributing
- Credits
- License
JSON:API specification reached 1.0 on 29th May 2015 and we also believe it is a big day for RESTful APIs as this specification can help you make APIs more robust and future-proof. Woohoo Labs. Yin (named after Yin-Yang) was born to bring efficiency and elegance to your JSON:API servers, while Woohoo Labs. Yang is its client-side counterpart.
- 100% PSR-7 compatibility
- 99% JSON:API 1.0 compatibility (approximately)
- Developed for efficiency and ease of use
- Extensive documentation and examples
- Provides Documents and Transformers to fetch resources
- Provides Hydrators to create and update resources
- Additional middleware for the easier kickstart and debugging
Woohoo Labs. Yin is a framework-agnostic library which supports the vast majority of the JSON:API specification: it provides various capabilities including content negotiation, error handling and pagination, as well as fetching, creation, updating and deleting resources. Although Yin consists of many loosely coupled packages and classes which can be used separately, the framework is most powerful when used in its entirety.
We designed Yin to be as efficient as possible. That's why attributes and relationships are transformed only and if only they are requested. This feature is extremely advantageous when there are a lot of resources to transform or a rarely required transformation is very expensive. Furthermore, as transformers are stateless, the overhead of having a separate model object for each resource is avoided. Additionally, due to statelessness, the overall library works really well with dependency injection.
There is some additional middleware for Woohoo Labs. Yin you might find useful. It can facilitate various tasks like error handling (via transformation of exceptions into JSON:API error responses), dispatching JSON:API-aware controllers or debugging (via syntax checking and validation of requests and responses).
You need Composer to install this library. You must install a PSR-7 implementation first
(a package which provides the http-message-implementation
virtual package), as Yin requires one. You may use Zend
Diactoros or your preferred library:
$ composer require zendframework/zend-diactoros
Now, you can run the command below and you will get the latest version of Yin:
$ composer require woohoolabs/yin
Yin needs PHP 5.6+.
If you want to take advantage of request/response validation then you have to also ask for the following dependencies:
$ composer require justinrainbow/json-schema:^2.0.0
$ composer require seld/jsonlint:^1.4.0
When using Woohoo Labs. Yin, you will create:
- Documents and resource transformers in order to map domain objects to JSON:API responses
- Hydrators in order to transform resources in a POST or PATCH request to domain objects
Furthermore, a JsonApi
class will be responsible for the instrumentation, while a PSR-7 compatible
Request
class provides functionalities you commonly need.
The following sections will guide you through creating documents for successful responses and creating or building error documents.
For successful requests, you must return information about one or more resources. Woohoo Labs. Yin provides multiple abstract classes that help you to create your own documents for different use cases:
AbstractSuccessfulDocument
: A generic base document for successful responsesAbstractSimpleResourceDocument
: A base class for documents about a single, very simple top-level resourceAbstractSingleResourceDocument
: A base class for documents about a single, more complex top-level resourceAbstractCollectionDocument
: A base class for documents about a collection of top-level resources
The difference between the AbstractSimpleResourceDocument
and the AbstractSingleResourceDocument
classes is that
the first one doesn't need a resource transformer. For this reason, it is preferable to use
the former for really simple domain objects (like messages), while the latter works better for more complex domain
objects (like users or addresses).
As the AbstractSuccessfulDocument
is only useful for special use-cases (e.g. when a document can contain resources
of multiple types), we will not cover it here.
AbstractSingleResourceDocument
and AbstractCollectionDocument
both need a
resource transformer to work, which is a concept introduced in the following sections.
For now, it is enough to know that one must be passed for the documents during instantiation. This means that a
minimal constructor of your documents should look like this:
/**
* @param MyResourceTransformer $transformer
*/
public function __construct(MyResourceTransformer $transformer)
{
parent::__construct($transformer);
}
You can of course provide other dependencies for your constructor or completely omit it if you don't need it.
When you extend either AbstractSingleResourceDocument
or AbstractCollectionDocument
, they both require
you to implement the following methods:
/**
* Provides information about the "jsonApi" member of the current document.
*
* The method returns a new JsonApi schema object if this member should be present or null
* if it should be omitted from the response.
*
* @return \WoohooLabs\Yin\JsonApi\Schema\JsonApi|null
*/
public function getJsonApi()
{
return new JsonApi("1.0");
}
The description says it very clear: if you want a jsonapi
member in your response, then create a new JsonApi
object.
Its constructor expects the JSON:API version number and an optional meta object (as an array).
/**
* Provides information about the "meta" member of the current document.
*
* The method returns an array of non-standard meta information about the document. If
* this array is empty, the member won't appear in the response.
*
* @return array
*/
public function getMeta()
{
return [
"page" => [
"offset" => $this->domainObject->getOffset(),
"limit" => $this->domainObject->getLimit(),
"total" => $this->domainObject->getCount()
]
];
}
Documents may also have a meta section which can contain any non-standard information. The example above adds information about pagination to the document.
Note that the domainObject
property is a variable of any type (in this case it is a hypothetical collection),
and this is the main "subject" of the document.
/**
* Provides information about the "links" member of the current document.
*
* The method returns a new Links schema object if you want to provide linkage data
* for the document or null if the section should be omitted from the response.
*
* @return \WoohooLabs\Yin\JsonApi\Schema\Links|null
*/
public function getLinks()
{
return new Links(
"http://example.com/api",
[
"self" => new Link("/books/" . $this->getResourceId())
]
);
/* This is equivalent to the following:
return Links::createWithBaseUri(
"http://example.com/api",
[
"self" => new Link("/books/" . $this->getResourceId())
]
);
}
This time, we want a self link to appear in the document. For this purpose, we utilize the getResourceId()
method,
which is a shortcut of calling the resource transformer (which is introduced below) to obtain the ID of the
primary resource ($this->transformer->getId($this->domainObject)
).
The only difference between the AbstractSingleResourceDocument
and AbstractCollectionDocument
is the way they
regard the domainObject
. The first one regards it as a single domain object while the latter regards it
as an iterable collection.
Documents can be transformed to HTTP responses. The easiest way to achieve this is to use the
JsonApi
class and choose the appropriate response type. Successful documents support three
kinds of responses:
- normal: All the top-level members can be present in the response (except for the "errors")
- meta: Only the "jsonApi", "links" and meta top-level member can be present in the response
- relationship: The specified relationship object will be the primary data of the response
An AbstractErrorDocument
can be used to create reusable documents for error responses. It also requires the same
abstract methods to be implemented as the successful ones, but additionally an addError()
method can be used
to include error items.
/** @var AbstractErrorDocument $errorDocument */
$errorDocument = new MyErrorDocument();
$errorDocument->addError(new MyError());
There is an ErrorDocument
too, which makes it possible to build error responses on-the-fly:
/** @var ErrorDocument $errorDocument */
$errorDocument = new ErrorDocument();
$errorDocument->setJsonApi(new JsonApi("1.0"));
$errorDocument->setLinks(Links::createWithoutBaseUri()->setSelf("http://example.com/api/errors/404")));
$errorDocument->addError(new MyError());
Documents for successful responses can contain one or more top-level resources, an array of included resources and resource identifier objects as relationships. That's why resource transformers are responsible for converting a domain object into a JSON:API resource or resource identifier.
Although you are encouraged to create one transformer for each resource type, if you need more sophistication you also have the ability to define "composite" resource transformers following the Composite design pattern.
Resource transformers must implement the ResourceTransformerInterface
, but to facilitate this job, you can also extend
the AbstractResourceTransformer
class.
Children of the AbstractResourceTransformer
class need several abstract methods to be implemented - most of which
are the same as seen in the documents. The following example illustrates a resource transformer dealing with
a book domain object and its "authors" and "publisher" relationships.
class BookResourceTransformer extends AbstractResourceTransformer
{
/**
* @var \WoohooLabs\Yin\Examples\Book\JsonApi\Resource\AuthorResourceTransformer
*/
private $authorTransformer;
/**
* @var \WoohooLabs\Yin\Examples\Book\JsonApi\Resource\PublisherResourceTransformer
*/
private $publisherTransformer;
/**
* @param \WoohooLabs\Yin\Examples\Book\JsonApi\Resource\AuthorResourceTransformer $authorTransformer
* @param \WoohooLabs\Yin\Examples\Book\JsonApi\Resource\PublisherResourceTransformer $publisherTransformer
*/
public function __construct(
AuthorResourceTransformer $authorTransformer,
PublisherResourceTransformer $publisherTransformer
) {
$this->authorTransformer = $authorTransformer;
$this->publisherTransformer = $publisherTransformer;
}
/**
* Provides information about the "type" member of the current resource.
*
* The method returns the type of the current resource.
*
* @param array $book
* @return string
*/
public function getType($book)
{
return "book";
}
/**
* Provides information about the "id" member of the current resource.
*
* The method returns the ID of the current resource which should be a UUID.
*
* @param array $book
* @return string
*/
public function getId($book)
{
return $book["id"];
}
/**
* Provides information about the "meta" member of the current resource.
*
* The method returns an array of non-standard meta information about the resource. If
* this array is empty, the member won't appear in the response.
*
* @param array $book
* @return array
*/
public function getMeta($book)
{
return [];
}
/**
* Provides information about the "links" member of the current resource.
*
* The method returns a new Links schema object if you want to provide linkage
* data about the resource or null if it should be omitted from the response.
*
* @param array $book
* @return \WoohooLabs\Yin\JsonApi\Schema\Links|null
*/
public function getLinks($book)
{
return new Links(
"",
[
"self" => new Link("/books/" . $this->getId($book))
]
);
/* This is equivalent to the following:
return Links::createWithoutBaseUri(
[
"self" => new Link("/books/" . $this->getResourceId())
]
);
}
/**
* Provides information about the "attributes" member of the current resource.
*
* The method returns an array where the keys signify the attribute names,
* while the values are callables receiving the domain object as an argument,
* and they should return the value of the corresponding attribute.
*
* @param array $book
* @return array
*/
public function getAttributes($book)
{
return [
"title" => function (array $book) {
return $book["title"];
},
"pages" => function (array $book) {
return $this->toInt($book["pages"]);
},
];
}
/**
* Returns an array of relationship names which are included in the response by default.
*
* @param array $book
* @return array
*/
public function getDefaultIncludedRelationships($book)
{
return ["authors"];
}
/**
* Provides information about the "relationships" member of the current resource.
*
* The method returns an array where the keys signify the relationship names,
* while the values are callables receiving the domain object as an argument,
* and they should return a new relationship instance (to-one or to-many).
*
* @param array $book
* @return array
*/
public function getRelationships($book)
{
return [
"authors" => function (array $book) {
return ToManyRelationship::create()
->setLinks(
Links::createWithoutBaseUri()->setSelf(new Link("/books/relationships/authors"))
)
->setData($book["authors"], $this->authorTransformer)
;
},
"publisher" => function ($book) {
return ToOneRelationship::create()
->setLinks(
Links::createWithoutBaseUri()->setSelf(new Link("/books/relationships/publisher"))
)
->setData($book["publisher"], $this->publisherTransformer)
;
}
];
}
}
Generally, you don't use resource transformers directly. Only documents need them to be able to fill the "data", the "included" and the "relationship" sections in the responses.
Hydrators allow us to initialize the properties of a domain object as required by the current HTTP request. This means when a client wants to create or update a resource, hydrators can help instantiate a domain object, which can then be validated, saved etc.
There are three abstract hydrator classes in Woohoo Labs. Yin:
AbstractCreateHydrator
: It can be used for requests to create a new resourceAbstractUpdateHydrator
: It can be used for requests to update an existing resourceAbstractHydrator
: It can be used for both type of requests
For the sake of brevity, we only introduce the usage of the latter class as it is simply the union of
AbstractCreateHydrator
and AbstractUpdateHydrator
. Let's look at an example hydrator looks like:
class BookHydator extends AbstractHydrator
{
/**
* Determines which resource type or types can be accepted by the hydrator.
*
* If the hydrator can only accept one type of resources, the method should
* return a string. If it accepts more types, then it should return an array
* of strings. When such a resource is received for hydration which can't be
* accepted (its type doesn't match the acceptable type or types of the hydrator),
* a ResourceTypeUnacceptable exception will be raised.
*
* @return string|array
*/
protected function getAcceptedType()
{
return "book";
}
/**
* Validates a client-generated ID.
*
* If the $clientGeneratedId is not a valid ID for the domain object, then
* the appropriate exception should be thrown: if it is not well-formed then
* a ClientGeneratedIdNotSupported exception can be raised, if the ID already
* exists then a ClientGeneratedIdAlreadyExists exception can be thrown.
*
* @param string $clientGeneratedId
* @param \WoohooLabs\Yin\JsonApi\Request\RequestInterface $request
* @param \WoohooLabs\Yin\JsonApi\Exception\ExceptionFactoryInterface $exceptionFactory
* @throws \WoohooLabs\Yin\JsonApi\Exception\ClientGeneratedIdNotSupported
* @throws \WoohooLabs\Yin\JsonApi\Exception\ClientGeneratedIdAlreadyExists
* @throws \Exception
*/
protected function validateClientGeneratedId($clientGeneratedId, RequestInterface $request, ExceptionFactoryInterface $exceptionFactory)
{
if ($clientGeneratedId !== null) {
throw $exceptionFactory->createClientGeneratedIdNotSupportedException($request, $clientGeneratedId);
}
}
/**
* Produces a new ID for the domain objects.
*
* UUID-s are preferred according to the JSON:API specification.
*
* @return string
*/
protected function generateId()
{
return Uuid::generate();
}
/**
* Sets the given ID for the domain object.
*
* The method mutates the domain object and sets the given ID for it.
* If it is an immutable object or an array the whole, updated domain
* object can be returned.
*
* @param array $book
* @param string $id
* @return mixed|null
*/
protected function setId($book, $id)
{
$book["id"] = $id;
return $book;
}
/**
* Provides the attribute hydrators.
*
* The method returns an array of attribute hydrators, where a hydrator is a key-value pair:
* the key is the specific attribute name which comes from the request and the value is a
* callable which hydrates the given attribute.
* These callables receive the domain object (which will be hydrated), the value of the
* currently processed attribute, the "data" part of the request and the name of the attribute
* to be hydrated as their arguments, and they should mutate the state of the domain object.
* If it is an immutable object or an array (and passing by reference isn't used),
* the callable should return the domain object.
*
* @param array $book
* @return callable[]
*/
protected function getAttributeHydrator($book)
{
return [
"title" => function (array $book, $attribute, $data, $attributeName) {
$book["title"] = $attribute; return $book;
},
"pages" => function (array &$book, $attribute, $data, $attributeName) {
$book["pages"] = $attribute;
}
];
}
/**
* Provides the relationship hydrators.
*
* The method returns an array of relationship hydrators, where a hydrator is a key-value pair:
* the key is the specific relationship name which comes from the request and the value is a
* callable which hydrate the previous relationship.
* These callables receive the domain object (which will be hydrated), an object representing the
* currently processed relationship (it can be a ToOneRelationship or a ToManyRelationship
* object), the "data" part of the request and the relationship name as their arguments, and
* they should mutate the state of the domain object.
* If it is an immutable object or an array (and passing by reference isn't used),
* the callable should return the domain object.
*
* @param mixed $domainObject
* @return callable[]
*/
protected function getRelationshipHydrator($book)
{
return [
"authors" => function (array $book, ToManyRelationship $authors, $data, $relationshipName) {
$book["authors"] = BookRepository::getAuthors($authors->getResourceIdentifierIds());
return $book;
},
"publisher" => function (array &$book, ToOneRelationship $publisher, $data, $relationshipName) {
$book["publisher"] = BookRepository::getPublisher($publisher->getResourceIdentifier()->getId());
}
];
}
}
According to the book example, the following request:
POST /books HTTP/1.1
Content-Type: application/vnd.api+json
Accept: application/vnd.api+json
{
"data": {
"type": "book",
"attributes": {
"title": "Continuous Delivery: Reliable Software Releases through Build, Test, and Deployment Automation",
"pages": 512
},
"relationships": {
"authors": {
"data": [
{ "type": "author", "id": "100" },
{ "type": "author", "id": "101" }
]
}
}
}
}
will result in the following Book
domain object:
Array
(
[id] => 1
[title] => Continuous Delivery: Reliable Software Releases through Build, Test, and Deployment Automation
[pages] => 512
[authors] => Array
(
[0] => Array
(
[id] => 100
[name] => Jez Humble
)
[1] => Array
(
[id] => 101
[name] => David Farley
)
)
[publisher] => Array
(
[id] => 12346
[name] => Addison-Wesley Professional
)
)
Woohoo Labs. Yin was designed to make error handling as easy and customizable as possible. That's why
all the default exceptions extend the JsonApiException
class and contain
an error document with the appropriate error object(s). However, if you
only want to respond with an error document in case of an exception, you only need to do this:
try {
// Do something which results in an exception
} catch (JsonApiExceptionInterface $e) {
sendResponse($e->getErrorDocument()->getResponse($response));
}
where $response
is the instance of Psr\Http\Message\ResponseInterface
and sendResponse()
is a hypothetical
function which sends the response received in its argument.
To guarantee total customizability, we introduced the concept of Exception Factories. These are classes which can create all the exceptions thrown by Woohoo Labs. Yin. As an Exception Factory of your own choice is passed to every transformer and hydrator, you can completely customize what kind of exceptions you want to raise.
The default Exception Factory creates children
of JsonApiException
s but you are free to create any type of exception (even the
basic \Exception
instances). If you only want to customize the error document or the error objects of a
JsonApiException
, just extend the Exception
and override its createErrorDocument()
or getErrors()
method.
The JsonApi
class is the orchestrator of the whole framework. It is highly recommended to utilize this class
if you want to use the entire functionality of Woohoo Labs. Yin. You can find various examples about the usage
of it in the examples section or directory.
This section guides you through the advanced features of Yin.
Yin is able to help you paginate your collection of resources. First, it provides some shortcuts for querying the request query parameters when page-based, offset-based, or cursor-based pagination strategies are used.
Yin looks for the page[number]
and the page[size]
query parameters and parses their value. If any of them is missing
then the default page number and size will be used ("1" and "10" in the following example).
$pagination = $jsonApi->getRequest()->getPageBasedPagination(1, 10);
Yin looks for the page[number]
query parameter and parses its value. If it is missing then the default page number
will be used ("1" in the following example). This strategy can be useful if you do not want to expose the page size
at all.
$pagination = $jsonApi->getRequest()->getFixedPageBasedPagination(1);
Yin looks for the page[offset]
and the page[limit]
query parameters and parses their value. If any of them is missing
then the default offset and limit will be used ("1" and "10" in the following example).
$pagination = $jsonApi->getRequest()->getOffsetBasedPagination(1, 10);
Yin looks for the page[cursor]
query parameter and parses its value. If it is missing then the default cursor will
be used ("2016-10-01" in the following example).
$pagination = $jsonApi->getRequest()->getCursorBasedPagination("2016-10-01");
If you need a custom pagination strategy, you may use the getPagination()
method which returns an array of pagination
parameters.
$paginationParams = $jsonApi->getRequest()->getPagination();
$pagination = new CustomPagination(
isset($paginationParams["from"] ? $paginationParams["from"] : 1,
isset($paginationParams["to"] ? $paginationParams["to"] : 1)
);
As soon as you have the appropriate pagination object, you may use them when you fetch your data from a data source:
$users = UserRepository::getUsers($pagination->getPage(), $pagination->getSize());
The JSON:API spec makes it available to provide pagination links for your resource collections. Yin is able to help you
in this regard too. You only have use the Links::setPagination()
method when you define links for your documents or
resources. It expects the paginated URI and an object implementing the PaginationLinkProviderInterface
as
seen in the following example:
public function getLinks()
{
return Links::createWithoutBaseUri()->setPagination("/users", $this->domainObject);
}
To make things even easier, there are some LinkProvider
traits in order to ease the development of
PaginationLinkProviderInterface
implementations of the built-in pagination strategies. For example a collection
for the User
objects can use the PageBasedPaginationLinkProviderTrait
. This way, you only have to implement three
really simple abstract methods:
class UserCollection implements PaginationLinkProviderInterface
{
use PageBasedPaginationLinkProviderTrait;
/**
* @return int
*/
public function getTotalItems()
{
// ...
}
/**
* @return int
*/
public function getPage()
{
// ...
}
/**
* @return int
*/
public function getSize()
{
// ...
}
// ...
}
You can find the full example here.
Sometimes it can be benefical or necessary to fine-tune the data of the returned relationship. A possible scenario might be when you have a "to-many" relationship with multiple items. In this case you might only want to return a data key of a relationship when the relationship itself is included in the response. This optimization can save you bandwidth by omitting resource linkage.
An example is extracted from the UserResourceTransformer
example class:
public function getRelationships($user)
{
return [
"contacts" => function (array $user) {
return
ToManyRelationship::create()
->setData($user["contacts"], $this->contactTransformer)
->omitWhenNotIncluded()
;
}
];
}
With usage of the omitWhenNotIncluded()
method, the relationship data will be omitted when the relationship is not
included. However, sometimes this optimization is not enough on its own. Even though we can save bandwidth with the prior
technique, the relationship still has to be loaded from the data source (probably from a database), because we pass it
to the relationship object with the setData()
method.
This problem can be mitigated by lazy-loading the relationship. To do so, you only have to change setData()
with the setDataAsCallable()
method:
public function getRelationships($user)
{
return [
"contacts" => function (array $user) {
return
ToManyRelationship::create()
->setDataAsCallable(
function () use ($user) {
// Lazily load contacts from the data source
return $user->loadContactsFromDataSource();
},
$this->contactTransformer
)
->omitWhenNotIncluded()
;
}
];
}
This way, the contacts of a user will only be loaded when the given relationship's data
key is present in the response,
allowing your API to be as effective as possible.
Metadata can be injected into documents on-the-fly. This can be handy if you want to customize or decorate your responses (e.g.: providing a cache ID to the returned document).
The easiest way to check this functionality is to have a look at the first examples, which responds with a book document:
return $jsonApi->respond()->ok($document, $book);
If you would like to inject a cache ID into it, you could write this instead:
// Calculate the cache ID
$cacheId = calculateCacheId();
// Respond with "200 Ok" status code along with the book document containing the cache ID in the meta data
return $jsonApi->respond()->ok($document, $book, ["cache_id" => $cacheId]);
Usually, the last argument of each responder method can be used to add meta data to your documents.
The JSON:API standard specifies some rules about content
negotiation. Woohoo Labs. Yin tries to help you enforce them with the RequestValidator
class. Let's first create
a request validator to see it in action:
$requestValidator = new RequestValidator(new DefaultExceptionFactory(), $includeOriginalMessageInResponse);
To customize the exceptions which can be thrown, it is necessary to provide an Exception Factory.
On the other hand, the $includeOriginalMessageInResponse
argument can be useful in a development environment
when you also want to return the original message in the error response which may be triggered by the exception.
In order to validate whether the current request's Accept
and Content-Type
headers conform to the JSON:API
specification, use this method:
$requestValidator->negotiate($request);
You can use the following method to check if the query parameters of the current request are in line with the naming rules:
$requestValidator->validateQueryParams($request);
Note: In order to apply the following validations, remember to install the optional dependencies of Yin.
Furthermore, the request body can be validated if it is a well-formed JSON document:
$requestValidator->lintBody($request);
Similarly, responses can be validated too. Let's create a response validator first:
$responseValidator = new ResponseValidator(
new DefaultSerializer(),
new DefaultExceptionFactory(),
$includeOriginalMessageInResponse
);
To ensure that the response body is a well-formed JSON document, one can use the following method:
$responseValidator->lintBody($response);
To ensure that the response body is a well-formed JSON:API document, one can use the following method:
$responseValidator->validateBody($response);
Validating the responses can be useful in a development environment to find possible bugs early.
You can configure Yin to serialize responses in a custom way instead of the default one which uses the json_encode
function to write the JSON:API documents to the response body.
In the majority of the use-cases, the default serializer should be sufficient for your needs, but sometimes you need more sophistication. Or sometimes you want to do nasty things like returning your JSON:API response as an array without any serialization in case your API endpoint was called "internally".
In order to use a custom serializer, create a class implementing SerializerInterface
and setup your $jsonApi
object accordingly (pay attention to the last argument):
$jsonApi = new JsonApi(new Request(), new Response(), new ExceptionFactory(), new CustomSerializer());
If you use a middleware-oriented framework (like Woohoo Labs. Harmony, Zend-Stratigility, Zend-Expressive or Slim Framework 3), you will find the Yin-middleware library quite useful. Read the documentation to learn about its advantages!
/**
* @param \WoohooLabs\Yin\JsonApi\JsonApi $jsonApi
* @return \Psr\Http\Message\ResponseInterface
*/
public function getBook(JsonApi $jsonApi)
{
// Getting the "id" of the currently requested book
$id = $jsonApi->getRequest()->getAttribute("id");
// Retrieving a book domain object with an ID of $id
$book = BookRepository::getBook($id);
// Instantiating a book document
$document = new BookDocument(
new BookResourceTransformer(
new AuthorResourceTransformer(),
new PublisherResourceTransformer()
)
);
// Responding with "200 Ok" status code along with the book document
return $jsonApi->respond()->ok($document, $book);
}
/**
* @param \WoohooLabs\Yin\JsonApi\JsonApi $jsonApi
* @return \Psr\Http\Message\ResponseInterface
*/
public function getUsers(JsonApi $jsonApi)
{
// Extracting pagination information from the request, page = 1, size = 10 if it is missing
$pagination = $jsonApi->getRequest()->getPageBasedPagination(1, 10);
// Fetching a paginated collection of user domain objects
$users = UserRepository::getUsers($pagination->getPage(), $pagination->getSize());
// Instantiating a users document
$document = new UsersDocument(new UserResourceTransformer(new ContactResourceTransformer()));
// Responding with "200 Ok" status code along with the users document
return $jsonApi->respond()->ok($document, $users);
}
/**
* @param \WoohooLabs\Yin\JsonApi\JsonApi $jsonApi
* @return \Psr\Http\Message\ResponseInterface
*/
public function getBookRelationships(JsonApi $jsonApi)
{
// Getting the "id" of the currently requested book
$id = $jsonApi->getRequest()->getAttribute("id");
// Getting the currently requested relationship's name
$relationshipName = $jsonApi->getRequest()->getAttribute("rel");
// Retrieving a book domain object with an ID of $id
$book = BookRepository::getBook($id);
// Instantiating a book document
$document = new BookDocument(
new BookResourceTransformer(
new AuthorResourceTransformer(),
new PublisherResourceTransformer(
new RepresentativeResourceTransformer()
)
)
);
// Responding with "200 Ok" status code along with the requested relationship document
return $jsonApi->respondWithRelationship($relationshipName)->ok($document, $book);
}
/**
* @param \WoohooLabs\Yin\JsonApi\JsonApi $jsonApi
* @return \Psr\Http\Message\ResponseInterface
*/
public function createBook(JsonApi $jsonApi)
{
// Hydrating a new book domain object from the request
$book = $jsonApi->hydrate(new BookHydator(), []);
// Saving the newly created book
// ...
// Creating the book document to be sent as the response
$document = new BookDocument(
new BookResourceTransformer(
new AuthorResourceTransformer(),
new PublisherResourceTransformer(
new RepresentativeResourceTransformer()
)
)
);
// Responding with "201 Created" status code along with the book document
return $jsonApi->respond()->created($document, $book);
}
/**
* @param \WoohooLabs\Yin\JsonApi\JsonApi $jsonApi
* @return \Psr\Http\Message\ResponseInterface
*/
public function updateBook(JsonApi $jsonApi)
{
// Retrieving a book domain object with an ID of $id
$id = $jsonApi->getRequest()->getResourceId();
$book = BookRepository::getBook($id);
// Hydrating the retrieved book domain object from the request
$book = $jsonApi->hydrate(new BookHydator(), $book);
// Updating the book
// ...
// Instantiating the book document
$document = new BookDocument(
new BookResourceTransformer(
new AuthorResourceTransformer(),
new PublisherResourceTransformer(
new RepresentativeResourceTransformer()
)
)
);
// Responding with "200 Ok" status code along with the book document
return $jsonApi->respond()->ok($document, $book);
}
/**
* @param \WoohooLabs\Yin\JsonApi\JsonApi $jsonApi
* @return \Psr\Http\Message\ResponseInterface
*/
public function updateBookRelationship(JsonApi $jsonApi)
{
// Checking the name of the currently requested relationship
$relationshipName = $jsonApi->getRequest()->getAttribute("rel");
// Retrieving a book domain object with an ID of $id
$id = $jsonApi->getRequest()->getAttribute("id");
$book = BookRepository::getBook($id);
if ($book === null) {
die("A book with an ID of '$id' can't be found!");
}
// Hydrating the retrieved book domain object from the request
$book = $jsonApi->hydrateRelationship($relationshipName, new BookHydator(), $book);
// Instantiating a book document
$document = new BookDocument(
new BookResourceTransformer(
new AuthorResourceTransformer(),
new PublisherResourceTransformer(
new RepresentativeResourceTransformer()
)
)
);
// Responding with "200 Ok" status code along with the book document
return $jsonApi->respond()->ok($document, $book);
}
If you want to know more about how Yin works, have a look at the
examples. Set up a web server, run composer install
in
Yin's root directory and visit the URLs listed below. You can restrict the retrieved fields and relationships with
the fields
and include
parameters as specified by JSON:API.
Example URLs for the book resources:
GET examples/?path=/books/1
: Fetch a bookGET examples/?path=/books/1/relationships/authors
: Fetch the authors relationshipGET examples/?path=/books/1/relationships/publisher
: Fetch the publisher relationshipGET examples/?path=/books/1/authors
: Fetch the authors of a bookPOST examples/?path=/books
: Create a new bookPATCH examples/?path=/books/1
: Update a bookPATCH examples/?path=/books/1/relationships/author
: Update the authors of the bookPATCH examples/?path=/books/1/relationships/publisher
: Update the publisher of the book
Example URLs for the user resources:
GET examples/?path=/users
: Fetch usersGET examples/?path=/users/1
: Fetch a userGET examples/?path=/users/1/relationships/contacts
: Fetch the contacts relationship
- dimvic/yii-yin: integration for Yii 1.1
- qpautrat/woohoolabs-yin-bundle: integration for Symfony
This library follows SemVer v2.0.0.
Please see CHANGELOG for more information on recent changes.
Woohoo Labs. Yin has a PHPUnit test suite. To run the tests, run the following command from the project folder after you have copied phpunit.xml.dist to phpunit.xml:
$ phpunit
Additionally, you may run docker-compose up
in order to execute the tests.
Please see CONTRIBUTING for details.
The MIT License (MIT). Please see the License File for more information.