Please check your agent type and version and read on or switch to the right documentation.
Smart Collections
What is a Smart Collection?
A Smart Collection is a Forest Collection based on your API implementation. It allows you to reconcile fields of data coming from different or external sources in a single tabular view (by default), without having to physically store them into your database.
Fields of data could be coming from many other sources such as other B2B SaaS (e.g. Zendesk, Salesforce, Stripe), in-memory database, message broker, etc.
This is an advanced notion. If you're just starting with Forest Admin, you should skip this for now.
In the following example, we have created a Smart Collection called customer_statsallowing us to see all customers who have placed orders, the number of order placed and the total amount of those orders.
For an example of advanced customization and featuring an Amazon S3 integration, you can see here how we've stored in our live demo the companies' legal documents on Amazon S3 and how we've implemented a Smart Collection to access and manipulate them.
Creating a Smart Collection
First, we declare the customer_stats collection in the forest/ directory.
In this Smart Collection, we want to display for each customer its email address, the number of orders made (in a field orders_count) and the sum of the price of all those orders (in a field total_amount).
The optionisSearchable: true added to your collection allows to display the search bar. Note that you will have to implement the search yourself by including it into your own get logic.
Work in progress - this section will soon be released
First, we declare the CustomerStat collection in the lib/forest-liana/collections/ directory.
In this Smart Collection, we want to display for each customer its email address, the number of orders made (in a field orders_count) and the sum of the price of all those orders (in a field total_amount).
You MUST declare an id field when creating a Smart Collection. The value of this field for each record MUST be unique.
As we are using the customer id in this example, we do not need to declare an id manually.
lib/forest-liana/collections/customer_stat.rb
classForest::CustomerStatincludeForestLiana::Collection collection :CustomerStat, is_searchable: true field :id, type: 'Number', is_read_only: true field :email, type: 'String', is_read_only: true field :orders_count, type: 'Number', is_read_only: true field :total_amount, type: 'Number', is_read_only: trueend
The optionis_searchable: true added to your collection allows to display the search bar. Note that you will have to implement the search yourself by including it into your own get logic in your collection controller.
First, we declare the CustomerStat collection in the app/forest/customer_stat.py file.
In this Smart Collection, we want to display for each customer its email address, the number of orders made (in a field orders_count) and the sum of the price of all those orders (in a field total_amount).
Ensure the file app/forest/__init__.py exists and contains the import of the previous defined class :
app/forest/__init__.py
from app.forest.customer_stat import CustomerStat
The optionis_searchable = True added to your collection allows to display the search bar. Note that you will have to implement the search yourself by including it into your own get logic in your collection controller.
First, we declare the CustomerStat collection in the app/Models/SmartCollections/CustomerStat.php file.
In this Smart Collection, we want to display for each customer its email address, the number of orders made (in a field orders_count) and the sum of the price of all those orders (in a field total_amount).
The optionis_searchable = True added to your collection allows to display the search bar. Note that you will have to implement the search yourself by including it into your own get logic in your collection controller.
Implementing the GET (all records)
At this time, there’s no Smart Collection Implementation because no route in your app handles the API call yet.
In the file routes/customer_stats.js, we’ve created a new route to implement the API behind the Smart Collection.
The logic here is to list all the customers that have made orders (with their email), to count the number of orders made and to sum up the price of all the orders.
The limit and offset variables are used to paginate your collection according to the number of records per page set in your UI.
We have implemented a search logic to catch if a search query (accessible through req.query.search) has been performed and to return all records for which the email field matches the search.
Finally, the last step is to serialize the response data in the expected format which is simply a standard JSON API document. A class called RecordSerializer is made available to help you serialize the records. You can read more about this class here.
/routes/customer_stats.js
const { RecordSerializer } =require('forest-express-sequelize');constexpress=require('express');constrouter=express.Router();const { connections } =require('../models');constsequelize=connections.default;router.get('/customer_stats', (req, res, next) => {constlimit=parseInt(req.query.page.size) ||20;constoffset= (parseInt(req.query.page.number) -1) * limit;constqueryType=sequelize.QueryTypes.SELECT;let conditionSearch ='';if (req.query.search) { conditionSearch =`customers.email LIKE '%${req.query.search.replace(/\'/g,"''" )}%'`; }constqueryData=` SELECT customers.id, customers.email, count(orders.*) AS orders_count, sum(products.price) AS total_amount, customers.created_at, customers.updated_at FROM customers JOIN orders ON customers.id = orders.customer_id JOIN products ON orders.product_id = products.id${conditionSearch ?`WHERE ${conditionSearch}`:''} GROUP BY customers.id ORDER BY customers.id LIMIT ${limit} OFFSET ${offset} `;constqueryCount=` SELECT COUNT(*) FROM customers WHERE EXISTS ( SELECT * FROM orders WHERE orders.customer_id = customers.id )${conditionSearch ?`AND ${conditionSearch}`:''} `;Promise.all([sequelize.query(queryData, { type: queryType }),sequelize.query(queryCount, { type: queryType }), ]).then(async ([customerStatsList, customerStatsCount]) => {constcustomerStatsSerializer=newRecordSerializer({ name:'customer_stats', });constcustomerStats=awaitcustomerStatsSerializer.serialize( customerStatsList );constcount= customerStatsCount[0].count;res.send({ ...customerStats, meta: { count: count } }); }).catch((err) =>next(err));});module.exports= router;
Work in progress - this section will soon be released
In the repository lib/forest_liana/controllers/, we’ve created a controller file customer_stats.rb to implement API behind the Smart Collection.
The logic here is to index all the customers that have made orders (with their email), to count the number of orders made and to sum up the price of all the orders.
The limit and offset variables are used to paginate your collection according to the number of records per page set in your UI.
We have implemented a search logic to catch if a search query (accessible through params[:search]) has been performed and to return all records for which the email field matches the search.
Finally, the last step is to serialize the response data in the expected format which is simply a standard JSON API document. We use the JSON API Serializer library for this task.
classForest::CustomerStatsController<ForestLiana::ApplicationControllerrequire'jsonapi-serializers' before_action :set_params, only: [:index]classBaseSerializerincludeJSONAPI::Serializerdeftype'customerStat'enddefformat_name(attribute_name) attribute_name.to_s.underscoreenddefunformat_name(attribute_name) attribute_name.to_s.dasherizeendendclassCustomerStatSerializer<BaseSerializer attribute :email attribute :total_amount attribute :orders_countenddefindex customers_count =Customer.count_by_sql(" SELECT COUNT(*) FROM customers WHERE EXISTS ( SELECT * FROM orders WHERE orders.customer_id = customers.id ) AND email LIKE '%#{@search}%' ") customer_stats =Customer.find_by_sql(" SELECT customers.id, customers.email, count(orders.*) AS orders_count, sum(products.price) AS total_amount, customers.created_at, customers.updated_at FROM customers JOIN orders ON customers.id = orders.customer_id JOIN products ON orders.product_id = products.id WHERE email LIKE '%#{@search}%' GROUP BY customers.id ORDER BY customers.id LIMIT #{@limit} OFFSET #{@offset} ") customer_stats_json = CustomerStatSerializer.serialize(customer_stats, is_collection: true, meta: {count: customers_count})
render json: customer_stats_jsonendprivatedefset_params @limit = params[:page][:size].to_i @offset = (params[:page][:number].to_i -1) * @limit @search = sanitize_sql_like(params[:search]? params[:search] :"")enddefsanitize_sql_like(string, escape_character="\\") pattern =Regexp.union(escape_character,"%","_") string.gsub(pattern) { |x| [escape_character, x].join }endend
You then need to create a route pointing to your collection's index action to get all your collection's records.
config/routes.rb
Rails.application.routes.draw do# MUST be declared before the mount ForestLiana::Engine. namespace :forest do get '/CustomerStat'=>'customer_stats#index'end mount ForestLiana::Engine=>'/forest'end
First we will add the right path to the urls.py file
Now we are all set, we can access the Smart Collection as any other collection.
In this example we have only implemented the GET all records action but you can also add the following actions: GET specific records, PUT, DELETE and POST. These are shown in the next page explaining how a Smart Collection can be used to access and manipulate data stored in Amazon S3.