ResourceTypeRepository.php

Same filename and directory in other branches
  1. 9 core/modules/jsonapi/src/ResourceType/ResourceTypeRepository.php
  2. 8.9.x core/modules/jsonapi/src/ResourceType/ResourceTypeRepository.php
  3. 10 core/modules/jsonapi/src/ResourceType/ResourceTypeRepository.php

Namespace

Drupal\jsonapi\ResourceType

File

core/modules/jsonapi/src/ResourceType/ResourceTypeRepository.php

View source
<?php

namespace Drupal\jsonapi\ResourceType;

use Drupal\Component\Assertion\Inspector;
use Drupal\Core\Cache\Cache;
use Drupal\Core\Cache\CacheBackendInterface;
use Drupal\Core\Config\Entity\ConfigEntityTypeInterface;
use Drupal\Core\Entity\ContentEntityNullStorage;
use Drupal\Core\Entity\ContentEntityTypeInterface;
use Drupal\Core\Entity\EntityFieldManagerInterface;
use Drupal\Core\Entity\EntityTypeBundleInfoInterface;
use Drupal\Core\Entity\EntityTypeInterface;
use Drupal\Core\Entity\EntityTypeManagerInterface;
use Drupal\Core\Entity\FieldableEntityInterface;
use Drupal\Core\Field\FieldDefinitionInterface;
use Drupal\Core\Installer\InstallerKernel;
use Drupal\Core\Logger\LoggerChannelTrait;
use Drupal\Core\TypedData\DataReferenceTargetDefinition;
use Symfony\Contracts\EventDispatcher\EventDispatcherInterface;
use Symfony\Component\HttpKernel\Exception\PreconditionFailedHttpException;

/**
 * Provides a repository of all JSON:API resource types.
 *
 * Contains the complete set of ResourceType value objects, which are auto-
 * generated based on the Entity Type Manager and Entity Type Bundle Info: one
 * JSON:API resource type per entity type bundle. So, for example:
 * - node--article
 * - node--page
 * - node--…
 * - user--user
 * - …
 *
 * @internal JSON:API maintains no PHP API since its API is the HTTP API. This
 *   class may change at any time and this will break any dependencies on it.
 *
 * @see https://www.drupal.org/project/drupal/issues/3032787
 * @see jsonapi.api.php
 *
 * @see \Drupal\jsonapi\ResourceType\ResourceType
 */
class ResourceTypeRepository implements ResourceTypeRepositoryInterface {
    use LoggerChannelTrait;
    
    /**
     * The entity type manager.
     *
     * @var \Drupal\Core\Entity\EntityTypeManagerInterface
     */
    protected $entityTypeManager;
    
    /**
     * The bundle manager.
     *
     * @var \Drupal\Core\Entity\EntityTypeBundleInfoInterface
     */
    protected $entityTypeBundleInfo;
    
    /**
     * The entity field manager.
     *
     * @var \Drupal\Core\Entity\EntityFieldManagerInterface
     */
    protected $entityFieldManager;
    
    /**
     * The cache backend.
     *
     * @var \Drupal\Core\Cache\CacheBackendInterface
     */
    protected $cache;
    
    /**
     * The event dispatcher.
     *
     * @var \Symfony\Contracts\EventDispatcher\EventDispatcherInterface
     */
    protected $eventDispatcher;
    
    /**
     * Cache tags used for caching the repository.
     *
     * @var string[]
     */
    protected $cacheTags = [
        'jsonapi_resource_types',
        // Invalidate whenever field definitions are modified.
'entity_field_info',
        // Invalidate whenever the set of bundles changes.
'entity_bundles',
        // Invalidate whenever the set of entity types changes.
'entity_types',
    ];
    
    /**
     * Instantiates a ResourceTypeRepository object.
     *
     * @param \Drupal\Core\Entity\EntityTypeManagerInterface $entity_type_manager
     *   The entity type manager.
     * @param \Drupal\Core\Entity\EntityTypeBundleInfoInterface $entity_bundle_info
     *   The entity type bundle info service.
     * @param \Drupal\Core\Entity\EntityFieldManagerInterface $entity_field_manager
     *   The entity field manager.
     * @param \Drupal\Core\Cache\CacheBackendInterface $cache
     *   The cache backend.
     * @param \Symfony\Contracts\EventDispatcher\EventDispatcherInterface $dispatcher
     *   The event dispatcher.
     */
    public function __construct(EntityTypeManagerInterface $entity_type_manager, EntityTypeBundleInfoInterface $entity_bundle_info, EntityFieldManagerInterface $entity_field_manager, CacheBackendInterface $cache, EventDispatcherInterface $dispatcher) {
        $this->entityTypeManager = $entity_type_manager;
        $this->entityTypeBundleInfo = $entity_bundle_info;
        $this->entityFieldManager = $entity_field_manager;
        $this->cache = $cache;
        $this->eventDispatcher = $dispatcher;
    }
    
    /**
     * {@inheritdoc}
     */
    public function all() {
        $cached = $this->cache
            ->get('jsonapi.resource_types', FALSE);
        if ($cached) {
            return $cached->data;
        }
        $resource_types = [];
        foreach ($this->entityTypeManager
            ->getDefinitions() as $entity_type) {
            $bundles = array_keys($this->entityTypeBundleInfo
                ->getBundleInfo($entity_type->id()));
            $resource_types = array_reduce($bundles, function ($resource_types, $bundle) use ($entity_type) {
                $resource_type = $this->createResourceType($entity_type, (string) $bundle);
                return array_merge($resource_types, [
                    $resource_type->getTypeName() => $resource_type,
                ]);
            }, $resource_types);
        }
        foreach ($resource_types as $resource_type) {
            $relatable_resource_types = $this->calculateRelatableResourceTypes($resource_type, $resource_types);
            $resource_type->setRelatableResourceTypes($relatable_resource_types);
        }
        $this->cache
            ->set('jsonapi.resource_types', $resource_types, Cache::PERMANENT, $this->cacheTags);
        return $resource_types;
    }
    
    /**
     * Creates a ResourceType value object for the given entity type + bundle.
     *
     * @param \Drupal\Core\Entity\EntityTypeInterface $entity_type
     *   The entity type to create a JSON:API resource type for.
     * @param string $bundle
     *   The entity type bundle to create a JSON:API resource type for.
     *
     * @return \Drupal\jsonapi\ResourceType\ResourceType
     *   A JSON:API resource type.
     */
    protected function createResourceType(EntityTypeInterface $entity_type, $bundle) {
        $type_name = NULL;
        $raw_fields = $this->getAllFieldNames($entity_type, $bundle);
        $internalize_resource_type = $entity_type->isInternal();
        $fields = static::getFields($raw_fields, $entity_type, $bundle);
        if (!$internalize_resource_type) {
            $event = ResourceTypeBuildEvent::createFromEntityTypeAndBundle($entity_type, $bundle, $fields);
            $this->eventDispatcher
                ->dispatch($event, ResourceTypeBuildEvents::BUILD);
            $internalize_resource_type = $event->resourceTypeShouldBeDisabled();
            $fields = $event->getFields();
            $type_name = $event->getResourceTypeName();
        }
        return new ResourceType($entity_type->id(), $bundle, $entity_type->getClass(), $internalize_resource_type, static::isLocatableResourceType($entity_type, $bundle), static::isMutableResourceType($entity_type, $bundle), static::isVersionableResourceType($entity_type), $fields, $type_name);
    }
    
    /**
     * {@inheritdoc}
     */
    public function get($entity_type_id, $bundle) {
        assert(is_string($bundle) && !empty($bundle), 'A bundle ID is required. Bundleless entity types should pass the entity type ID again.');
        if (empty($entity_type_id)) {
            throw new PreconditionFailedHttpException('Server error. The current route is malformed.');
        }
        $map_id = sprintf('jsonapi.resource_type.%s.%s', $entity_type_id, $bundle);
        $cached = $this->cache
            ->get($map_id);
        if ($cached) {
            return $cached->data;
        }
        $resource_type = static::lookupResourceType($this->all(), $entity_type_id, $bundle);
        $this->cache
            ->set($map_id, $resource_type, Cache::PERMANENT, $this->cacheTags);
        return $resource_type;
    }
    
    /**
     * {@inheritdoc}
     */
    public function getByTypeName($type_name) {
        $resource_types = $this->all();
        return $resource_types[$type_name] ?? NULL;
    }
    
    /**
     * Gets the field mapping for the given field names and entity type + bundle.
     *
     * @param string[] $field_names
     *   All field names on a bundle of the given entity type.
     * @param \Drupal\Core\Entity\EntityTypeInterface $entity_type
     *   The entity type for which to get the field mapping.
     * @param string $bundle
     *   The bundle to assess.
     *
     * @return \Drupal\jsonapi\ResourceType\ResourceTypeField[]
     *   An array of JSON:API resource type fields keyed by internal field names.
     */
    protected function getFields(array $field_names, EntityTypeInterface $entity_type, $bundle) {
        assert(Inspector::assertAllStrings($field_names));
        assert($entity_type instanceof ContentEntityTypeInterface || $entity_type instanceof ConfigEntityTypeInterface);
        assert(is_string($bundle) && !empty($bundle), 'A bundle ID is required. Bundleless entity types should pass the entity type ID again.');
        // JSON:API resource identifier objects are sufficient to identify
        // entities. By exposing all fields as attributes, we expose unwanted,
        // confusing or duplicate information:
        // - exposing an entity's ID (which is not a UUID) is bad, but it's
        //   necessary for certain Drupal-coupled clients, so we alias it by
        //   prefixing it with `drupal_internal__`.
        // - exposing an entity's UUID as an attribute is useless (it's already part
        //   of the mandatory "id" attribute in JSON:API), so we disable it in most
        //   cases.
        // - exposing its revision ID as an attribute will compete with any profile
        //   defined meta members used for resource object versioning.
        // @see http://jsonapi.org/format/#document-resource-identifier-objects
        $id_field_name = $entity_type->getKey('id');
        $uuid_field_name = $entity_type->getKey('uuid');
        if ($uuid_field_name && $uuid_field_name !== 'id') {
            $fields[$uuid_field_name] = new ResourceTypeAttribute($uuid_field_name, NULL, FALSE);
        }
        $fields[$id_field_name] = new ResourceTypeAttribute($id_field_name, "drupal_internal__{$id_field_name}");
        if ($entity_type->isRevisionable() && ($revision_id_field_name = $entity_type->getKey('revision'))) {
            $fields[$revision_id_field_name] = new ResourceTypeAttribute($revision_id_field_name, "drupal_internal__{$revision_id_field_name}");
        }
        if ($entity_type instanceof ConfigEntityTypeInterface) {
            // The '_core' key is reserved by Drupal core to handle complex edge cases
            // correctly. Data in the '_core' key is irrelevant to clients reading
            // configuration, and is not allowed to be set by clients writing
            // configuration: it is for Drupal core only, and managed by Drupal core.
            // @see https://www.drupal.org/node/2653358
            $fields['_core'] = new ResourceTypeAttribute('_core', NULL, FALSE);
        }
        $is_fieldable = $entity_type->entityClassImplements(FieldableEntityInterface::class);
        if ($is_fieldable) {
            $field_definitions = $this->entityFieldManager
                ->getFieldDefinitions($entity_type->id(), $bundle);
        }
        // For all other fields,  use their internal field name also as their public
        // field name.  Unless they're called "id" or "type": those names are
        // reserved by the JSON:API spec.
        // @see http://jsonapi.org/format/#document-resource-object-fields
        $reserved_field_names = [
            'id',
            'type',
        ];
        foreach (array_diff($field_names, array_keys($fields)) as $field_name) {
            $alias = $field_name;
            // Alias the fields reserved by the JSON:API spec with `{entity_type}_`.
            if (in_array($field_name, $reserved_field_names, TRUE)) {
                $alias = $entity_type->id() . '_' . $field_name;
            }
            // The default, which applies to most fields: expose as-is.
            $field_definition = $is_fieldable && !empty($field_definitions[$field_name]) ? $field_definitions[$field_name] : NULL;
            $is_relationship_field = $field_definition && static::isReferenceFieldDefinition($field_definition);
            $has_one = !$field_definition || $field_definition->getFieldStorageDefinition()
                ->getCardinality() === 1;
            $fields[$field_name] = $is_relationship_field ? new ResourceTypeRelationship($field_name, $alias, TRUE, $has_one) : new ResourceTypeAttribute($field_name, $alias, TRUE, $has_one);
        }
        // With all fields now aliased, detect any conflicts caused by the
        // automatically generated aliases above.
        foreach (array_intersect($reserved_field_names, array_keys($fields)) as $reserved_field_name) {
            
            /** @var \Drupal\jsonapi\ResourceType\ResourceTypeField $aliased_reserved_field */
            $aliased_reserved_field = $fields[$reserved_field_name];
            
            /** @var \Drupal\jsonapi\ResourceType\ResourceTypeField $field */
            foreach (array_diff_key($fields, array_flip([
                $reserved_field_name,
            ])) as $field) {
                if ($aliased_reserved_field->getPublicName() === $field->getPublicName()) {
                    throw new \LogicException("The generated alias '{$aliased_reserved_field->getPublicName()}' for field name '{$aliased_reserved_field->getInternalName()}' conflicts with an existing field. Report this in the JSON:API issue queue!");
                }
            }
        }
        // Special handling for user entities that allows a JSON:API user agent to
        // access the display name of a user. This is useful when displaying the
        // name of a node's author.
        // @see \Drupal\jsonapi\JsonApiResource\ResourceObject::extractContentEntityFields()
        // @todo Eliminate this special casing in https://www.drupal.org/project/drupal/issues/3079254.
        if ($entity_type->id() === 'user') {
            $fields['display_name'] = new ResourceTypeAttribute('display_name');
        }
        return $fields;
    }
    
    /**
     * Gets all field names for a given entity type and bundle.
     *
     * @param \Drupal\Core\Entity\EntityTypeInterface $entity_type
     *   The entity type for which to get all field names.
     * @param string $bundle
     *   The bundle for which to get all field names.
     *
     * @return string[]
     *   All field names.
     */
    protected function getAllFieldNames(EntityTypeInterface $entity_type, $bundle) {
        if ($entity_type instanceof ContentEntityTypeInterface) {
            $field_definitions = $this->entityFieldManager
                ->getFieldDefinitions($entity_type->id(), $bundle);
            return array_keys($field_definitions);
        }
        elseif ($entity_type instanceof ConfigEntityTypeInterface) {
            // @todo Uncomment the first line, remove everything else once https://www.drupal.org/project/drupal/issues/2483407 lands.
            // return array_keys($entity_type->getPropertiesToExport());
            $export_properties = $entity_type->getPropertiesToExport();
            if ($export_properties !== NULL) {
                return array_keys($export_properties);
            }
            else {
                return [
                    'id',
                    'type',
                    'uuid',
                    '_core',
                ];
            }
        }
        else {
            throw new \LogicException("Only content and config entity types are supported.");
        }
    }
    
    /**
     * Whether an entity type + bundle maps to a mutable resource type.
     *
     * @param \Drupal\Core\Entity\EntityTypeInterface $entity_type
     *   The entity type to assess.
     * @param string $bundle
     *   The bundle to assess.
     *
     * @return bool
     *   TRUE if the entity type is mutable, FALSE otherwise.
     */
    protected static function isMutableResourceType(EntityTypeInterface $entity_type, $bundle) {
        assert(is_string($bundle) && !empty($bundle), 'A bundle ID is required. Bundleless entity types should pass the entity type ID again.');
        return !$entity_type instanceof ConfigEntityTypeInterface;
    }
    
    /**
     * Whether an entity type + bundle maps to a locatable resource type.
     *
     * @param \Drupal\Core\Entity\EntityTypeInterface $entity_type
     *   The entity type to assess.
     * @param string $bundle
     *   The bundle to assess.
     *
     * @return bool
     *   TRUE if the entity type is locatable, FALSE otherwise.
     */
    protected static function isLocatableResourceType(EntityTypeInterface $entity_type, $bundle) {
        assert(is_string($bundle) && !empty($bundle), 'A bundle ID is required. Bundleless entity types should pass the entity type ID again.');
        return $entity_type->getStorageClass() !== ContentEntityNullStorage::class;
    }
    
    /**
     * Whether an entity type is a versionable resource type.
     *
     * @param \Drupal\Core\Entity\EntityTypeInterface $entity_type
     *   The entity type to assess.
     *
     * @return bool
     *   TRUE if the entity type is versionable, FALSE otherwise.
     */
    protected static function isVersionableResourceType(EntityTypeInterface $entity_type) {
        return $entity_type->isRevisionable();
    }
    
    /**
     * Calculates relatable JSON:API resource types for a given resource type.
     *
     * This method has no affect after being called once.
     *
     * @param \Drupal\jsonapi\ResourceType\ResourceType $resource_type
     *   The resource type repository.
     * @param \Drupal\jsonapi\ResourceType\ResourceType[] $resource_types
     *   A list of JSON:API resource types.
     *
     * @return array
     *   The relatable JSON:API resource types, keyed by field name.
     */
    protected function calculateRelatableResourceTypes(ResourceType $resource_type, array $resource_types) {
        // For now, only fieldable entity types may contain relationships.
        $entity_type = $this->entityTypeManager
            ->getDefinition($resource_type->getEntityTypeId());
        if ($entity_type->entityClassImplements(FieldableEntityInterface::class)) {
            $field_definitions = $this->entityFieldManager
                ->getFieldDefinitions($resource_type->getEntityTypeId(), $resource_type->getBundle());
            $relatable_internal = array_map(function ($field_definition) use ($resource_types) {
                return $this->getRelatableResourceTypesFromFieldDefinition($field_definition, $resource_types);
            }, array_filter($field_definitions, function ($field_definition) {
                return $this->isReferenceFieldDefinition($field_definition);
            }));
            $relatable_public = [];
            foreach ($relatable_internal as $internal_field_name => $value) {
                $relatable_public[$resource_type->getPublicName($internal_field_name)] = $value;
            }
            return $relatable_public;
        }
        return [];
    }
    
    /**
     * Get relatable resource types from a field definition.
     *
     * @param \Drupal\Core\Field\FieldDefinitionInterface $field_definition
     *   The field definition from which to calculate relatable JSON:API resource
     *   types.
     * @param \Drupal\jsonapi\ResourceType\ResourceType[] $resource_types
     *   A list of JSON:API resource types.
     *
     * @return \Drupal\jsonapi\ResourceType\ResourceType[]
     *   The JSON:API resource types with which the given field may have a
     *   relationship.
     */
    protected function getRelatableResourceTypesFromFieldDefinition(FieldDefinitionInterface $field_definition, array $resource_types) {
        $item_definition = $field_definition->getItemDefinition();
        $entity_type_id = $item_definition->getSetting('target_type');
        $relatable_resource_types = [];
        $item_class = $item_definition->getClass();
        $target_type_bundles = $item_class::getReferenceableBundles($field_definition);
        foreach ($target_type_bundles as $entity_type_id => $target_bundles) {
            foreach ($target_bundles as $target_bundle) {
                if ($resource_type = static::lookupResourceType($resource_types, $entity_type_id, $target_bundle)) {
                    $relatable_resource_types[] = $resource_type;
                    continue;
                }
                // Do not warn during site installation since system integrity
                // is not guaranteed during this period and may cause confusing and
                // unnecessary warnings.
                if (!InstallerKernel::installationAttempted()) {
                    $this->getLogger('jsonapi')
                        ->warning('The "@name" at "@target_entity_type_id:@target_bundle" references the "@entity_type_id:@bundle" entity type that does not exist.', [
                        '@name' => $field_definition->getName(),
                        '@target_entity_type_id' => $field_definition->getTargetEntityTypeId(),
                        '@target_bundle' => $field_definition->getTargetBundle(),
                        '@entity_type_id' => $entity_type_id,
                        '@bundle' => $target_bundle,
                    ]);
                }
            }
        }
        return $relatable_resource_types;
    }
    
    /**
     * Determines if a given field definition is a reference field.
     *
     * @param \Drupal\Core\Field\FieldDefinitionInterface $field_definition
     *   The field definition to inspect.
     *
     * @return bool
     *   TRUE if the field definition is found to be a reference field. FALSE
     *   otherwise.
     */
    protected function isReferenceFieldDefinition(FieldDefinitionInterface $field_definition) {
        static $field_type_is_reference = [];
        if (isset($field_type_is_reference[$field_definition->getType()])) {
            return $field_type_is_reference[$field_definition->getType()];
        }
        
        /** @var \Drupal\Core\Field\TypedData\FieldItemDataDefinition $item_definition */
        $item_definition = $field_definition->getItemDefinition();
        $main_property = $item_definition->getMainPropertyName();
        $property_definition = $item_definition->getPropertyDefinition($main_property);
        return $field_type_is_reference[$field_definition->getType()] = $property_definition instanceof DataReferenceTargetDefinition;
    }
    
    /**
     * Gets all bundle IDs for a given entity type.
     *
     * @param string $entity_type_id
     *   The entity type for which to get bundles.
     *
     * @return string[]
     *   The bundle IDs.
     */
    protected function getAllBundlesForEntityType($entity_type_id) {
        // Ensure all keys are strings because numeric values are allowed as bundle
        // names and "array_keys()" casts "42" to 42.
        return array_map('strval', array_keys($this->entityTypeBundleInfo
            ->getBundleInfo($entity_type_id)));
    }
    
    /**
     * Lookup a resource type by entity type ID and bundle name.
     *
     * @param \Drupal\jsonapi\ResourceType\ResourceType[] $resource_types
     *   The list of resource types to do a lookup.
     * @param string $entity_type_id
     *   The entity type of a seekable resource type.
     * @param string $bundle
     *   The entity bundle of a seekable resource type.
     *
     * @return \Drupal\jsonapi\ResourceType\ResourceType|null
     *   The resource type or NULL if one cannot be found.
     */
    protected static function lookupResourceType(array $resource_types, $entity_type_id, $bundle) {
        if (isset($resource_types[$entity_type_id . ResourceType::TYPE_NAME_URI_PATH_SEPARATOR . $bundle])) {
            return $resource_types[$entity_type_id . ResourceType::TYPE_NAME_URI_PATH_SEPARATOR . $bundle];
        }
        foreach ($resource_types as $resource_type) {
            if ($resource_type->getEntityTypeId() === $entity_type_id && $resource_type->getBundle() === $bundle) {
                return $resource_type;
            }
        }
        return NULL;
    }

}

Classes

Title Deprecated Summary
ResourceTypeRepository Provides a repository of all JSON:API resource types.

Buggy or inaccurate documentation? Please file an issue. Need support? Need help programming? Connect with the Drupal community.