Flag of Ukraine
SymfonyCasts stands united with the people of Ukraine

Subrecursos

Keep on Learning!

If you liked what you've learned so far, dive in!
Subscribe to get access to this tutorial plus
video, code and script downloads.

Start your All-Access Pass
Buy just this tutorial for $12.00

With a Subscription, click any sentence in the script to jump to that part of the video!

Login Subscribe

Tenemos dos formas distintas de obtener los tesoros dragón de un usuario. La primera, podríamos obtener el User y leer su propiedad dragonTreasures. La segunda es a través del filtro que hemos añadido hace un momento. En la API, eso parece owner=/api/users/4 en la operación de recogida de tesoros GET.

Esta es mi forma habitual de obtener los datos... porque si quiero obtener tesoros, tiene sentido utilizar una ruta treasures. Además, si un usuario posee muchos tesoros, ¡eso nos dará paginación!

Pero a veces puedes optar por añadir una forma especial de obtener un recurso o una colección de recursos... casi como una URL de vanidad. Por ejemplo, imagina que, para obtener esta misma colección, queremos que el usuario pueda ir a/api/users/4/treasures.jsonld. Eso, por supuesto, no funciona. Pero se puede hacer. Esto se llama un subrecurso, y los subrecursos son mucho más agradables en la API Platform 3.

Añadir un Subrecurso a través de otro ApiResource

Bien, pensemos. Esta ruta devolverá tesoros. Así que para añadir este subrecurso, tenemos que actualizar la clase DragonTreasure.

¿Cómo? Añadiendo un segundo atributo ApiResource. Ya tenemos este principal, así que ahora añade uno nuevo. Pero esta vez, controla la URL con una opción uriTemplate ajustada exactamente a lo que queremos: /users/{user_id} para la parte del comodín (veremos cómo se utiliza en un momento) y luego /treasures.

Ya está Bueno... añade también .{_format}. Esto es opcional, pero es la magia que nos permite "hacer trampas" y añadir este .jsonld al final de la URL.

... lines 1 - 54
#[ApiResource(
uriTemplate: '/users/{user_id}/treasures.{_format}',
... line 57
)]
... lines 59 - 62
class DragonTreasure
{
... lines 65 - 222
}

A continuación, añade operations... porque no necesitamos los seis... en realidad sólo necesitamos uno. Entonces, digamos [new GetCollection()] porque devolveremos una colección de tesoros.

... lines 1 - 54
#[ApiResource(
uriTemplate: '/users/{user_id}/treasures.{_format}',
operations: [new GetCollection()],
)]
... lines 59 - 62
class DragonTreasure
{
... lines 65 - 222
}

Vale, ¡vamos a ver qué ha hecho esto! Vuelve a la documentación y actualízala. De repente tenemos... ¡tres recursos y éste tiene la URL correcta!

Ah, y tenemos tres recursos porque, si recuerdas, hemos personalizado elshortName. Cópialo y pégalo en el nuevo ApiResource para que coincidan. Y para contentar a PhpStorm, los pondré en orden.

... lines 1 - 54
#[ApiResource(
uriTemplate: '/users/{user_id}/treasures.{_format}',
shortName: 'Treasure',
operations: [new GetCollection()],
)]
... lines 60 - 63
class DragonTreasure
{
... lines 66 - 223
}

Ahora cuando actualicemos... ¡perfecto! ¡Eso es lo que queríamos!

Comprender las uriVariables

Ahora tenemos una nueva operación para obtener tesoros. Pero, ¿funciona? Dice que recuperará una colección de recursos de tesoros, así que eso está bien. Pero... tenemos un problema. Piensa que tenemos que pasar el id de un DragonTreasure... ¡pero debería ser el id de un User! E incluso si pasamos algo, como 4... y pulsamos "Ejecutar" ... ¡mira la URL! Ni siquiera ha utilizado el 4: ¡sigue teniendo{user_id} en la URL! Así que, por supuesto, vuelve con un error 404.

El problema es que tenemos que ayudar a API Platform a entender qué significa {user_id}. Tenemos que decirle que ése es el id del usuario y que debe utilizarlo para consultar WHERE owner_id es igual al valor.

Para ello, añade una nueva opción llamada uriVariables. Aquí es donde describimos cualquier "comodín" de tu URL. Pasa user_id ajustado a un objeto new Link(). Hay varios... queremos el de ApiPlatform\Metadata.

... lines 1 - 11
use ApiPlatform\Metadata\Link;
... lines 13 - 55
#[ApiResource(
uriTemplate: '/users/{user_id}/treasures.{_format}',
shortName: 'Treasure',
operations: [new GetCollection()],
uriVariables: [
'user_id' => new Link(
... lines 62 - 63
),
],
)]
... lines 67 - 70
class DragonTreasure
{
... lines 73 - 230
}

Este objeto necesita dos cosas. Primero, apuntar a la clase a la que se refiere {user_id}. Hazlo pasando una opción fromClass establecida en User::class.

... lines 1 - 11
use ApiPlatform\Metadata\Link;
... lines 13 - 55
#[ApiResource(
uriTemplate: '/users/{user_id}/treasures.{_format}',
shortName: 'Treasure',
operations: [new GetCollection()],
uriVariables: [
'user_id' => new Link(
... line 62
fromClass: User::class,
),
],
)]
... lines 67 - 70
class DragonTreasure
{
... lines 73 - 230
}

En segundo lugar, necesitamos definir qué propiedad de User apunta a DragonTreasurepara que pueda averiguar cómo estructurar la consulta. Para ello, establece fromPropertyen treasures. Así, dentro de User, estamos diciendo que esta propiedad describe la relación. Ah, pero lo he estropeado todo: la propiedad es dragonTreasures.

... lines 1 - 11
use ApiPlatform\Metadata\Link;
... lines 13 - 55
#[ApiResource(
uriTemplate: '/users/{user_id}/treasures.{_format}',
shortName: 'Treasure',
operations: [new GetCollection()],
uriVariables: [
'user_id' => new Link(
fromProperty: 'dragonTreasures',
fromClass: User::class,
),
],
)]
... lines 67 - 70
class DragonTreasure
{
... lines 73 - 230
}

Vale, vuelve y actualiza. Debajo de la ruta... ¡sí! Dice "Identificador de usuario". Volvamos a poner 4, le damos a "Ejecutar" y... ya está. ¡Ahí están los cinco tesoros de este usuario!

Y en la otra pestaña del navegador... si refrescamos... ¡funciona!

Cómo se hace la consulta

Entre bastidores, gracias a Link, API Platform realiza básicamente la siguiente consulta:

SELECT * FROM dragon_treasure WHERE owner_id =

lo que pasemos por {user_id}. Sabe cómo hacer esa consulta mirando la relación Doctrine y averiguando qué columna utilizar. Es superinteligente.

De hecho, podemos verlo en el perfilador. Ve a /_profiler, haz clic en nuestra petición... y, aquí abajo, vemos 2 consultas... que son básicamente iguales: la 2ª se utiliza para el "total de elementos" para la paginación.

Si haces clic en "Ver consulta formateada" en la consulta principal... ¡es aún más compleja de lo que esperaba! Tiene un INNER JOIN... pero básicamente está seleccionando todos los datos de tesoros de dragones donde owner_id = el ID de ese usuario.

¿Qué pasa con toProperty?

Por cierto, si echas un vistazo a la documentación, también hay una forma de configurar todo esto a través del otro lado de la relación: diciendo toProperty: 'owner'.

Esto sigue funcionando... y funciona exactamente igual. Pero yo recomiendo seguir confromProperty, que es coherente y, creo, más claro. El toProperty sólo es necesario si no has mapeado el lado inverso de una relación... como si no hubiera una propiedad dragonTreasures en User. A menos que te encuentres en esa situación, quédate con fromProperty.

¡No olvides la normalizaciónContexto!

Todo esto funciona muy bien, excepto por un pequeño problema. Si vuelves a mirar los datos, ¡muestra los campos equivocados! Lo devuelve todo, como id yisPublished.

Se supone que no deben incluirse gracias a nuestros grupos de normalización. Pero como no hemos especificado ningún grupo de normalización en el nuevo ApiResource, el serializador lo devuelve todo.

Para solucionarlo, copia el normalizationContext y pégalo aquí abajo. No tenemos que preocuparnos por denormalizationContext porque no tenemos ninguna operación que haga ninguna desnormalización.

... lines 1 - 11
use ApiPlatform\Metadata\Link;
... lines 13 - 55
#[ApiResource(
uriTemplate: '/users/{user_id}/treasures.{_format}',
shortName: 'Treasure',
operations: [new GetCollection()],
uriVariables: [
'user_id' => new Link(
fromProperty: 'dragonTreasures',
fromClass: User::class,
),
],
normalizationContext: [
'groups' => ['treasure:read'],
],
)]
... lines 70 - 73
class DragonTreasure
{
... lines 76 - 233
}

Si refrescamos ahora... ¡lo tenemos!

Una única ruta de subrecursos

Vamos a añadir un subrecurso más para ver un caso ligeramente distinto. Primero te mostraré la URL que quiero. Tenemos un tesoro con el ID 11. Esto significa que podemos ir a /api/treasures/11.jsonld para verlo. Ahora quiero poder añadir /owner al final para obtener el usuario al que pertenece este tesoro. Ahora mismo, eso no funciona .... así que ¡manos a la obra!

Como el recurso que se devolverá es un User, esa es la clase que necesita el nuevo Recurso API.

Sobre ella, añade #[ApiResource()] con uriTemplate ajustado a/treasures/{treasure_id} para el comodín (aunque puede llamarse como quieras), seguido de /owner.{_format}.

... lines 1 - 24
#[ApiResource(
uriTemplate: '/treasures/{treasure_id}/owner.{_format}',
... lines 27 - 34
)]
... lines 36 - 38
class User implements UserInterface, PasswordAuthenticatedUserInterface
{
... lines 41 - 187
}

A continuación, pasa uriVariables con treasure_id establecido en new Link() - el deApiPlatform\Metadata. Dentro, fija fromClass a DragonTreasure::class. Y como la propiedad dentro de DragonTreasure que hace referencia a esta relación esowner, añade fromProperty: 'owner'.

... lines 1 - 7
use ApiPlatform\Metadata\Link;
... lines 9 - 24
#[ApiResource(
uriTemplate: '/treasures/{treasure_id}/owner.{_format}',
... line 27
uriVariables: [
'treasure_id' => new Link(
fromProperty: 'owner',
fromClass: DragonTreasure::class,
),
],
... line 34
)]
... lines 36 - 38
class User implements UserInterface, PasswordAuthenticatedUserInterface
{
... lines 41 - 187
}

También sabemos que vamos a necesitar el normalizationContext... así que cópialo... y pégalo aquí. Por último, sólo queremos una operación: una operación GET para devolver un único User. Así que añade operations ajustado a [new Get()].

... lines 1 - 6
use ApiPlatform\Metadata\Get;
use ApiPlatform\Metadata\Link;
... lines 9 - 24
#[ApiResource(
uriTemplate: '/treasures/{treasure_id}/owner.{_format}',
operations: [new Get()],
uriVariables: [
'treasure_id' => new Link(
fromProperty: 'owner',
fromClass: DragonTreasure::class,
),
],
normalizationContext: ['groups' => ['user:read']],
)]
... lines 36 - 38
class User implements UserInterface, PasswordAuthenticatedUserInterface
{
... lines 41 - 187
}

¡Ya está! Vuelve a la documentación, actualízala y echa un vistazo en "Usuario". ¡Sí! ¡Tenemos una nueva operación! E incluso ve que el comodín es un "identificador DragonTreasure".

Si actualizamos la otra pestaña... ¡funciona!

Vale, equipo, he mentido al decir que éste era el último tema porque... ¡es hora del tema extra! A continuación: vamos a crear automáticamente un área de administración basada en React a partir de nuestros documentos de la API. Vaya.

Leave a comment!

11
Login or Register to join the conversation
Sebastian-K Avatar
Sebastian-K Avatar Sebastian-K | posted hace 1 mes | edited

Hey Ryan, I have some question regarding subresource (maybe that's not even the solution to my problem):

So we're building a Web-App where a user can manage one or more projects, and the has DIFFERENT roles/permissions for every project. In one he is the manager and sees almost everything, in the other, he is just a normal user and sees only his own stuff. How should I handle the request/uris and permission?

1) With Subresources like /project/123/task/456, so it's perfectly clear how to access the data, but every ApiResouce needs to be prefixed with "project/:projectId". How do I know the User has the sufficient privileges to access the project or the task? I can't use Default Role Voter, cause it uses the User->roles property that is unaware of the current project (like "is_granted")
2) With Filters as payload (but won't work for GET requests, or?)
3) Maybe some kind of state, like a POST selectProject {id: 123} that sets some kind of session value that is automatically injected in every query (in a QueryExtension)

All in all I think it should be possible with the above ideas, but it feels like a lot of effort

Reply

Hey @Sebastian-K!

Hmm, interesting! Subresources are cool - and are MUCH nicer than in API Platform 2 (they were kind of a hacked addon the, but they're a first-class citizen now). And so, we can definitely use them. But we also may not need to.

Look at the URL: /project/123/task/456. That's gorgeous! But /task/456 is technically just as functional. If each Task has a relation to its Project, then from /task/456, we can look up the project from the Task and then see if the currently-authenticated user is an owner or not. Actually, even if I used subresources, I'd do the same thing: subresources are ultimately a bit of a "vanity" URL. At the end of the day, the object being loaded is Task with id 456.

So, for security, I'd create a custom voter (you're right that the default Role voter doesn't work when you need to decide permission based on some data - like I DO have permission to see Task 456, but not Task 123). Fortunately, we show this a bit in the next episode - https://symfonycasts.com/screencast/api-platform-security/access-control-voter - we first (in earlier chapters) show security using an expression, then we refactor it to a voter here. This strategy I think would work the same whether you decided to use a subresource or not. The /project/123 part of the URL just isn't that important (again, when you go to /project/123/task/456, it really just queries for Task 456 and THEN you run security checks. I DO think, though you could verify, that if a mischievous user changed the URL to /project/111/task/456, where Task DOES belong to Project 123, then it would result in a 404).

For "collection" resources, the strategy for filtering is slightly different - we talk about it here - https://symfonycasts.com/screencast/api-platform-security/query-extension

This part MAY differ slightly based on if you're using a subresource or not - but I'm not entirely sure:

A) If you do /tasks, then you can use a query extension like above to modify the query to only return tasks that are related to projects that the current user should have access to.

B) If you do /project/123/tasks, then API Platform will automatically only show tasks for project 123. But, what if the user doesn't have access to Project 123 at all? I'm actually not entirely sure how to handle this. The simplest solution is to, like with (A), create a query extension "to only return tasks that are related to projects that the current user should have access to". In that case, if the user doesn't have access to Project 123, the query would effectively be:

Find tasks WHERE project = 123 (this part is added by API Platform thanks to the subresource) AND (your custom part to filter to only projects the current user has access to).

So you'd filter to only tasks for projects the user should be able to see... and if that doesn't include project 123, it would result in null rows. The other way to do it would be to make /projects/123/tasks return a 404, but I'm not entirely sure how to do that :).

Let me know if this helps!

Cheers!

1 Reply
Sebastian-K Avatar

Thanks for the reply. Gave me new points to think about

Reply
urk Avatar

I would now have defined /users/{user_id}/treasures.{_format} in User and /treasures/{treasure_id}/owner.{_format} in DragonTreasure.
Is there a reason why this is so twisted, purely from the grouping of the namespaces I find it so very strange.

Reply

Hey @urk!

Is there a reason why this is so twisted, purely from the grouping of the namespaces I find it so very strange.

I assume you're referring to how the sub-resources almost seem "backward" in the class they live in, right? Like the /users/{user_id}/treasures.{_format} is a "subresource under user"... and yet we put it into DragonTreasure.

I agree that it's a bit weird... but I think it would be weird the other way too. No perfect option :). The logic is that, because /users/{user_id}/treasures.{_format} will return "dragon treasures",. that's the class it should live on. It's almost like this is just a "vanity URL" / a different way to fetch dragon treasures. Of course, the downside is that the operations that we think of as "operations under /api/users" are split between multiple classes.

Anyway, I hope that gives some explanation at least!

Cheers!

Reply
urk Avatar

Hey Ryan

Yes, you heard me correctly and I know what you mean.
It depends from which side you look at it. But it doesn't really have a technical reason. Thank you.

Thanks and cheers, Urs

Reply
Tac-Tacelosky Avatar
Tac-Tacelosky Avatar Tac-Tacelosky | posted hace 4 meses | edited

How can I generate the route from the $iriConverter class? That is, I don't want to hardcode the route (for the same reason I use path() in twig and never hard-code the route)

#[ApiResource(
    uriTemplate: '/users/{user_id}/treasures.{_format}',
    shortName: 'Treasure',
    operations: [new GetCollection()],
    uriVariables: [
        'user_id' => new Link(
            fromProperty: 'dragonTreasures',
            fromClass: User::class,
        ),
    ],
)]

Version 2 of API Platform had a concept of subresources, version 3 doesn't, but I'm not sure what to pass to create the route.

$userId = 4;
$url = $iriConverter->getSubresourceIriFromResourceClass(
    $user::class,
    [
        'subresource_identifiers' => ['id' => $userId],
        'subresource_resources' => [Treasure::class => null],
    ]
); 

assert($url == '/users/4/treasures')
Reply

Hey @Tac-Tacelosky!

Hmm, that's a good question! I've not done this yet, but... the getIriFromResource() method has a 3rd argument Operation $operation = null. But it looks a little tricky.

First, I think you need to give your operation a name - apparently you can add name: 'foo' inside an operation - like a new GetCollection(name: 'my_subresource_get_collection'). Then, to fetch that object, I think you can do this:

public function someAction(ResourceMetadataCollectionFactoryInterface $resourceMetadata, IriConverterInterface $iriConverter)
{
    $operation = $resourceMetadata->getOperation('my_subresource_get_collection');
    $url = iriConverter->getIriFromResource($yourObject, UrlGeneratorInterface::ABS_PATH, $operation);

Give that a try - I might not have things quite right - a bit of digging and guessing to find this - a new part of the code for me!

Cheers!

Reply

Hey!
Thanks a lot for this tutorial, but I found nothing about security in here. I mean especially the way to protect only read relations of a user for the user itself. Will there be another tutorial for handling voters etc.?
Thank you for your answer!

Reply

Hey Thomas,

yes, you're right, in this tutorial we don't talk about security, that's the topic of our next tutorial https://symfonycasts.com/screencast/api-platform3-security
it's going to be released soon :)

Cheers!

1 Reply

Wow - that's what I hoped!
Thank you for replying!

Reply
Cat in space

"Houston: no signs of life"
Start the conversation!

What PHP libraries does this tutorial use?

// composer.json
{
    "require": {
        "php": ">=8.1",
        "ext-ctype": "*",
        "ext-iconv": "*",
        "api-platform/core": "^3.0", // v3.0.8
        "doctrine/annotations": "^1.0", // 1.14.2
        "doctrine/doctrine-bundle": "^2.8", // 2.8.0
        "doctrine/doctrine-migrations-bundle": "^3.2", // 3.2.2
        "doctrine/orm": "^2.14", // 2.14.0
        "nelmio/cors-bundle": "^2.2", // 2.2.0
        "nesbot/carbon": "^2.64", // 2.64.1
        "phpdocumentor/reflection-docblock": "^5.3", // 5.3.0
        "phpstan/phpdoc-parser": "^1.15", // 1.15.3
        "symfony/asset": "6.2.*", // v6.2.0
        "symfony/console": "6.2.*", // v6.2.3
        "symfony/dotenv": "6.2.*", // v6.2.0
        "symfony/expression-language": "6.2.*", // v6.2.2
        "symfony/flex": "^2", // v2.2.4
        "symfony/framework-bundle": "6.2.*", // v6.2.3
        "symfony/property-access": "6.2.*", // v6.2.3
        "symfony/property-info": "6.2.*", // v6.2.3
        "symfony/runtime": "6.2.*", // v6.2.0
        "symfony/security-bundle": "6.2.*", // v6.2.3
        "symfony/serializer": "6.2.*", // v6.2.3
        "symfony/twig-bundle": "6.2.*", // v6.2.3
        "symfony/ux-react": "^2.6", // v2.6.1
        "symfony/validator": "6.2.*", // v6.2.3
        "symfony/webpack-encore-bundle": "^1.16", // v1.16.0
        "symfony/yaml": "6.2.*" // v6.2.2
    },
    "require-dev": {
        "doctrine/doctrine-fixtures-bundle": "^3.4", // 3.4.2
        "symfony/debug-bundle": "6.2.*", // v6.2.1
        "symfony/maker-bundle": "^1.48", // v1.48.0
        "symfony/monolog-bundle": "^3.0", // v3.8.0
        "symfony/stopwatch": "6.2.*", // v6.2.0
        "symfony/web-profiler-bundle": "6.2.*", // v6.2.4
        "zenstruck/foundry": "^1.26" // v1.26.0
    }
}
userVoice