PHP Developer Guide
Other documentationsDemoCommunityGitHub
  • Forest Admin
  • Getting started
    • How it works
    • Quick start
      • Symfony
      • Laravel
    • Create your agent
    • Troubleshooting
    • Migrating legacy agents
      • Pre-requisites
      • Recommendations
      • Migration steps
      • Code transformations
        • API Charts
        • Live Queries
        • Smart Charts
        • Route overrides
        • Smart Actions
        • Smart Fields
        • Smart Relationships
        • Smart Segments
  • Data Sources
    • Getting Started
      • Collection selection
      • Naming conflicts
      • Query interface and Native Queries
        • Fields and projections
        • Filters
        • Aggregations
    • Provided data sources
      • Doctrine
      • Eloquent
        • Polymorphic relationships
    • Write your own
      • Translation strategy
        • Structure declaration
        • Capabilities declaration
        • Read implementation
        • Write implementation
        • Intra-data source Relationships
      • Contribute
  • Agent customization
    • Getting Started
    • Actions
      • Scope and context
      • Result builder
      • Static Forms
      • Dynamic Forms
      • Related data invalidation
    • Charts
      • Value
      • Objective
      • Percentage
      • Distribution
      • Leaderboard
      • Time-based
    • Fields
      • Add fields
      • Move, rename and remove fields
      • Override binary field mode
      • Override writing behavior
      • Override filtering behavior
      • Override sorting behavior
      • Validation
    • Hooks
      • Collection hook
      • Collection override
    • Pagination
    • Plugins
      • Write your own
    • Relationships
      • To a single record
      • To multiple records
      • Computed foreign keys
      • Under the hood
    • Search
    • Segments
  • Frontend customization
    • Smart Charts
      • Create a table chart
      • Create a bar chart
      • Create a cohort chart
      • Create a density map
    • Smart Views
      • Create a Map view
      • Create a Calendar view
      • Create a Shipping view
      • Create a Gallery view
      • Create a custom tinder-like validation view
      • Create a custom moderation view
  • Deploying to production
    • Environments
      • Deploy on AWS
      • Deploy on Heroku
      • Deploy on GCP
      • Deploy on Ubuntu
    • Development workflow
    • Using branches
    • Deploying your changes
    • Forest Admin CLI commands
      • init
      • login
      • branch
      • switch
      • set-origin
      • push
      • environments:create
      • environments:reset
      • deploy
  • Upgrade
    • Laravel agent upgrade to v3
  • Under the hood
    • .forestadmin-schema.json
    • Data Model
      • Typing
      • Relationships
    • Security & Privacy
Powered by GitBook
On this page
  • Choosing how to query your data
  • In practice
  • Querying with the native driver
  • Querying with the Forest Admin Query Interface

Was this helpful?

  1. Data Sources
  2. Getting Started

Query interface and Native Queries

PreviousNaming conflictsNextFields and projections

Last updated 1 year ago

Was this helpful?

This is the official documentation of the forestadmin/laravel-forestadmin v2+ and forestadmin/symfony-forestadmin PHP agents.

Forest Admin can connect to any data source, as long as it can be represented as a collection of records that have a common structure.

To achieve that, Forest Admin needs to abstract away data source differences: each connector "speaks" the language of a given API on one side and exposes the Forest Admin Query Interface on the other.

This interface is called the Forest Admin Query Interface, it is not a full-featured ORM: its objective is to be "just enough" to fuel Forest Admin.

Choosing how to query your data

The Forest Admin Query Interface is used to implement all native features of the admin panel, however, when writing custom code (, , ...), you can either access your data using the Forest Admin Query Interface or using the native driver.

The choice is yours, and you will probably use both depending on the situation.

-
Forest Admin Query Interface
Native Driver

Code consistency

👍 Use the same query interface for all data sources

👎 Different API for each database / SaaS

Customizations can be queried (computed field, relationships, ...)

👍 Yes

👎 No

Features

👎 Common denominator is exposed

👍 All features of the underlying API

In-app deployments

👎 Difficult to reuse your existing code

👍 Re-use your existing code

Learning curve

👎 The interface is Forest Admin specific

👍 You already know how to write SQL

Native support for filters from the UI

👍 Yes

👎 No

Total

3 x 👍 + 3 x 👎

3 x 👍 + 3 x 👎

In practice

Querying with the native driver

As the name implies, native drivers have different interfaces for each data source.

use ForestAdmin\AgentPHP\DatasourceCustomizer\CollectionCustomizer;
use ForestAdmin\AgentPHP\DatasourceCustomizer\Context\CollectionCustomizationContext;
use ForestAdmin\AgentPHP\DatasourceToolkit\Components\Query\ConditionTree\Operators;

$client = new PDO('pgsql:host=localhost;dbname=myDb;', 'username', 'password');

$forestAgent->customizeCollection(
    'Customer',
    function (CollectionCustomizer $builder) {
        $builder->addSegment(
            'highPrice',
            function (CollectionCustomizationContext $context) {
                $query = $client->prepare(
                    'SELECT product_id, COUNT(*) FROM orders
                     GROUP BY product_id
                     ORDER BY count DESC
                     LIMIT 10;'
                );
                $query->execute();
                $rows = $query->fetchAll(PDO::FETCH_ASSOC);

                return [
                	'field'    => 'id',
                	'operator' => Operators::IN,
                	'value'    => array_map(fn ($r) => $r['product_id'], $rows)
                ];
            }
        );
    }
);
use ForestAdmin\AgentPHP\DatasourceCustomizer\CollectionCustomizer;

->customizeCollection('Category', function (CollectionCustomizer $builder) {
            $builder->addSegment(
                'highPrice',
                function () {
                    $query = DB::table('orders')
                        ->select('product_id')
                        ->groupBy('product_id')
                        ->orderByRaw('count(*) DESC')
                        ->limit(10)
                        ->get();

                    return [
                        'field'     => 'id',
                        'operator'  => 'In',
                        'value'     => collect($query)->pluck('product_id')->toArray(),
                    ];
                }
            );
        });
use ForestAdmin\AgentPHP\DatasourceCustomizer\CollectionCustomizer;

$forestAgent->customizeCollection(
    'Customer',
    function (CollectionCustomizer $builder) {
        $builder->addSegment(
            'highPrice',
            function ($context) {
                    /** @var \Doctrine\ORM\EntityManager $em */
                    $em = $context->getCollection()->getNativeDriver();

                    $qb = $em->createQueryBuilder()
                        ->select('p.id as product_id', 'count(o.id) as nb')
                        ->from(\App\Entity\Order::class, 'o')
                        ->innerJoin(\App\Entity\Product::class, 'p', 'WITH', 'o.product = p.id')
                        ->groupBy('p.id')
                        ->orderBy('nb', 'DESC')
                        ->setMaxResults(10);
                    $query = $qb->getQuery();

                    // OR with DQL string
                    // $query = $em->createQuery('
                    //    SELECT p.id as product_id, count(o.id) as nb
                    //    FROM App\Entity\Order o
                    //    INNER JOIN App\Entity\Product p WITH o.product = p.id
                    //    GROUP BY p.id
                    //    ORDER BY nb DESC')

                    // OR
                    // $conn = $context->getCollection()->getNativeDriver()->getConnection();
                    // $sql = '
                    //      SELECT p.id as product_id, count(o.id) as nb
                    //      FROM Order o
                    //      INNER JOIN Product p ON o.product = p.id
                    //      GROUP BY p.id
                    //      ORDER BY nb DESC';
                    // $query = $conn->executeQuery($sql);
                    // then use $query->fetchAllAssociative();

                    $ids = array_reduce($query->getResult(), function ($result, $item) {
                        $result[] = $item['product_id'];

                        return $result;
                    }, []);

                    return [
                        'field'     => 'id',
                        'operator'  => 'In',
                        'value'     => $ids,
                    ];
                }
        );
    }
);

Querying with the Forest Admin Query Interface

Queries can be executed directly, by calling the methods exposed by context.dataSource and context.collection.

use ForestAdmin\AgentPHP\DatasourceCustomizer\CollectionCustomizer;
use ForestAdmin\AgentPHP\DatasourceCustomizer\Context\CollectionCustomizationContext;
use ForestAdmin\AgentPHP\DatasourceToolkit\Components\Query\Aggregation;
use ForestAdmin\AgentPHP\DatasourceToolkit\Components\Query\Filters\Filter;
use ForestAdmin\AgentPHP\DatasourceToolkit\Components\Query\ConditionTree\Operators;

$forestAgent->customizeCollection(
    'Customer',
    function (CollectionCustomizer $builder) {
        $builder->addSegment(
            'mySegment',
            function (CollectionCustomizationContext $context) {
                $rows = $context->getDatasource()->getCollection('Order')->aggregate(
                    new Filter(),
                    new Aggregation(operation: 'Count', groups: [['field' => 'category_id']]),
                    10
                );

                return [
                	'field'    => 'id',
                	'operator' => Operators::IN,
                	'value'    => array_map(fn ($r) => $r['product_id'], $rows)
                ];
            }
        );
    }
);
Data Source Interface
use ForestAdmin\AgentPHP\DatasourceToolkit\Components\Caller;
use ForestAdmin\AgentPHP\DatasourceToolkit\Components\Charts\Chart;
use Illuminate\Support\Collection as IlluminateCollection;

interface DatasourceContract
{
    /** Retrieve list of all collection within the data source */
    public function getCollections(): IlluminateCollection;

    /** Retrieve list of all charts within the data source */
    public function getCharts(): IlluminateCollection;

    /** Get collection by name */
    public function getCollection(string $name): CollectionContract;

    /** Add collection to the data source */
    public function addCollection(CollectionContract $collection): void;

    /** Render the chart given by name */
    public function renderChart(Caller $caller, string $name): Chart|array;
}
Collection Interface

Parameters are explained in depth on the following pages:

use ForestAdmin\AgentPHP\DatasourceToolkit\Components\Caller;
use ForestAdmin\AgentPHP\DatasourceToolkit\Components\Query\Aggregation;
use ForestAdmin\AgentPHP\DatasourceToolkit\Components\Query\Filters\Filter;
use ForestAdmin\AgentPHP\DatasourceToolkit\Components\Query\Filters\PaginatedFilter;
use ForestAdmin\AgentPHP\DatasourceToolkit\Components\Query\Projection\Projection;

interface CollectionContract
{
    public function getDataSource(): DatasourceContract;

    public function getName(): string;

    /** Execute the action given by name  */
    public function execute(Caller $caller, string $name, array $formValues, ?Filter $filter = null);

    /** Get the form of the action given by name */
    public function getForm(Caller $caller, string $name, ?array $formValues = null, ?Filter $filter = null): array;

    /** Create new records */
    public function create(Caller $caller, array $data);

    /** List records matching filter */
    public function list(Caller $caller, PaginatedFilter $filter, Projection $projection): array;

    /** Update records matching filter */
    public function update(Caller $caller, Filter $filter, array $patch);

    /** Delete records matching filter */
    public function delete(Caller $caller, Filter $filter): void;

    /** Compute aggregated version of records matching filter */
    public function aggregate(Caller $caller, Filter $filter, Aggregation $aggregation, ?int $limit = null, ?string $chartType = null);

    /** Render chart for a given record */
    public function renderChart(Caller $caller, string $name, array $recordId);
}

creating new actions
fields
Fields and projections
Filters
Aggregations