Resources

Tips and tricks to get the most out of your Airtable subscription

Trigger Webhooks from Airtable

Explore Airtable’s webhook triggering methods, including URL-based, button-triggered, and scripted webhook, to integrate and automate workflows.

QuickTips Automations

Granular Airtable Record counts

This Airtable script allows you to calculate and populate percentiles based on numerical fields in your selected table.

QuickTips

Airtable Script Helper

Airtable Script Helper, a custom GPT tool crafted to simplify script creation for Airtable users.

Script GPT

Fastest Way to Find Logos for 'Most' Websites

Quickly download perfectly formatted square logos for most websites using a simple Google trick.

QuickTips

Percentile Calculator in Airtable

This Airtable script allows you to calculate and populate percentiles based on numerical fields in your selected table.
Script

Make Webhook Response Redirects

Redirect Users to a URL of, say, a generated file, or a particular record in Airtable after automation run.

QuickTips Automations

Formatting GDrive PDF Exports

Implement custom margins, gridlines, etc when exporting GDrive Docs, Sheets.

QuickTips

Dynamic Record Filtering in Airtable

Implement dynamic record filtering in linked fields, reducing errors and improving efficiency.

QuickTips

Radar Chart API

Generate radar charts seamlessly with our API and integrate them directly into your applications or workflows.
API

Tool Shed

A collection of tools I use when developing for my clients.

Airtable

Airtable is a low-code platform for building collaborative apps.


    • Public Front-end
    •  
    • Internal Front-end
    • Database
    •  
    • Automations

Make (Integromat)​

Automate routine tasks involving web services and save countless hours.

 Automations

Stacker​

Build powerful, flexible and interactive web portals for your businesses – no code required.

  • Internal Front-end
  • Database 
  •  

Softr​

Softr turns your Airtable data into a beautiful and powerful website, web app or client portal.  

  • Public Front-end
  •  
  • Internal Front-end
  •  

Tadabase

Tadabase is a no-code tool with a frontend builder, robust database, and powerful automation in one.

    • Public Front-end
    •  
    • Internal Front-end
    • Database
    •  
    • Automations

Jotform

Jotform is a full-featured online form builder that plays well with other SaaS apps.

Forms

Toggl

Toggl is a user-friendly, cloud-based time tracking tool that helps teams and individuals manage their time efficiently.

    •  
    • Internal Front-end
    •  

Bubble.io​

Bubble is a modern web development framework and a visual website builder.

  • Public Front-end
  •  
  • Database
  • Automations
  •  

Coupler.io​

Coupler syncs data across multiple platforms, such as from Airtable to Google Sheets.

Automations

Avion.io​​

Avion is a collaborative and fun user mapping tool for product oriented teams.

  • Task Management
 

Whalesync

Sync data live across wherever they live: Airtable, Postgres, Bubble, Webflow etc. 

Automations

GPT​

GPT is a state-of-the-art language model that can generate natural language text, perform translations, summarize text, and much more. 

API

Flutterflow​​

Flutterflow is a modern web and mobile app development platform that allows you to build fully-functional apps without writing code.

Public Front-end

N8n​

N8n is an extendable workflow automation tool that allows you to connect anything to everything via its open, fair-code model.

 

Templates

A collection of templates use when developing for my clients.

Scroll to Top

Trigger Webhooks from Airtable

Explore Airtable’s webhook triggering methods, including URL-based, button-triggered, and scripted webhooks, to integrate and automate workflows.

QuickTips Automations                                       3/21/2024

Airtable offers several options for triggering webhooks, depending on your specific use case and the type of automation you want to achieve. Let’s dive into each method and explore when you might want to use them.

  • URL-based Webhooks (Base & Interface View)
    • This method involves using a Formula or Button field to open a URL with parameters, which triggers a webhook to initiate an automation in an external service like Make.com.
    • Formula fields allow you to add checks and conditions, so the button or link only works when certain criteria are met.
    • Example: Let’s say you have a “Status” field in your table, and you want to trigger a webhook only when the status is set to “Completed”. You can use a formula like this:

IF({Status} = "Completed", "https://webhook.url?record_id="&RECORD_ID(), "")  - Use this method when you want to trigger webhooks based on specific record-level data or user interactions.

  • Button-triggered Automations (Interface View only)
    • In the Interface View, Airtable provides a dedicated button type that can trigger automations directly.
    • These automations can include scripting modules to trigger webhooks with custom payloads or headers.
    • Example: If you want to send a custom JSON payload to a webhook whenever a button is clicked, you can create an automation with a scripting module like this:

let response = await fetch('https://webhook.url', { method: 'POST', body: JSON.stringify({ record_id: rec.id, status: rec.getCellValue('Status') }), headers: { 'Content-Type': 'application/json' } });  - Use this method when you need more control over the payload sent to the webhook and want to trigger it through a user action in the Interface View.

  • Scripted Webhooks (Automations & Scripting Extension)
    • Airtable’s Automations feature allows you to create rules that monitor for specific events or conditions in your base and execute scripts to trigger webhooks when those conditions are met.
    • You can also use the Scripting Extension to set up webhooks directly for manual triggering.
    • Example: Let’s say you want to trigger a webhook whenever a new record is created in a specific table. You can create an automation with a scripting module like this:

javascript Copy code let table = base.getTable('My Table'); let rec = await table.findRecordById(rec.id); await fetch('https://webhook.url', { method: 'POST', body: JSON.stringify({ record_id: rec.id, created_at: rec.getCellValue('Created At') }), headers: { 'Content-Type': 'application/json' } });  - Use this method when you want to trigger webhooks based on specific events or conditions in your base, or when you need to manually trigger webhooks for testing or one-off scenarios.

When deciding which method to use, consider the following:

  • If you need to trigger webhooks based on user interactions or record-level data, use URL-based webhooks or button-triggered automations.
  • If you require more control over the payload or need to trigger webhooks based on specific events or conditions, use scripted webhooks in automations or the Scripting Extension.
  • Keep in mind the constraints of each method, such as the limited payload for URL-based webhooks and the availability of button-triggered automations only in the Interface View.

Granular Airtable Record counts

Explore Airtable’s webhook triggering methods, including URL-based, button-triggered, and scripted webhooks, to integrate and automate workflows.

QuickTips Automations                                       3/21/2024

This Airtable script resides within a base and when run, outputs a list of all tables along with the records consumed per table. You may also set this script into an automation and save the output elsewhere or generate a report. This can save time spent in finding the table with high record counts, particularly on computers with low memory, which have difficulty in loading very large tables.

let tables = base.tables; let tableRecords = {}; let totalRecords = 0; for (let table of tables) { let records = await table.selectRecordsAsync(); let recordCount = records.records.length; tableRecords[table.name] = recordCount; totalRecords += recordCount; output.text(`Table ${table.name}: ${recordCount} records`); } output.text(`Total: ${totalRecords} records`); output.table(tableRecords);

Drop a note to me if this is of any help.

Airtable Script Helper

Airtable Script Helper, a custom GPT tool crafted to simplify script creation for Airtable users.

Scripts GPT                                           11/15/2023

The Airtable Script Helper is a Custom ChatGPT tool I’ve developed, aimed at Airtable users who want to harness the power of scripting without the steep learning curve. It’s tailored to assist in scripting within the Airtable environment, regardless of the user’s coding background.

Key features of the Airtable Script Helper include:

  • Guided Script Creation: Whether you need a standalone script, an automation, or an extension script, the tool provides step-by-step guidance to craft scripts that are tailored to your specific Airtable setup.
  • Adherence to Airtable’s Limits: The tool ensures that all scripts comply with Airtable’s constraints on runtime, API calls, memory usage, fetch requests, and record mutations.
  • Error Logging and Troubleshooting: It offers built-in error logging to identify and resolve issues efficiently.

This tool is not just a script generator; it’s a comprehensive assistant that walks you through the entire scripting process in Airtable, from understanding your needs and detailing your base to installing and troubleshooting the final script.

For use cases that are more complex and beyond the scope of this tool, I offer specialized Airtable consulting services. Visit Vikasvimal.com for more information and to explore tailored solutions.

Experience the Airtable Script Helper here and elevate your Airtable experience to new heights. Your feedback and experiences with the tool are invaluable, so feel free to share!”

Fastest Way to Find Logos for 'Most' Websites

Quickly download perfectly formatted square logos for most websites using a simple Google trick.

QuickTips                                                           4/02/2024

Google caches the favicon – the tiny icon seen in browser tabs that helps you identify which tab has which website open – for all websites it displays in search results. You can easily access it by visiting a specific Google link for that domain.

For instance, https://www.google.com/s2/favicons?domain=domain.com opens the favicon for domain.com. However, this small icon might not be exactly what you need.

The actual URL that opens when you click the link above could be in this format: https://t0.gstatic.com/faviconV2?client=SOCIAL&type=FAVICON&fallback_opts=TYPE,SIZE,URL&url=http://domain.com&size=16

You can modify the number next to the ‘size‘ parameter in the URL to obtain a larger logo. Here’s an example with a bigger logo: https://t0.gstatic.com/faviconV2?client=SOCIAL&type=FAVICON&fallback_opts=TYPE,SIZE,URL&url=http://domain.com&size=64

This trick is particularly useful when you need to download multiple logos for any purpose, as you can easily generate Direct Download Links for each logo.

Here’s a formula you may use in Airtable: "https://t0.gstatic.com/faviconV2?client=SOCIAL&type=FAVICON&fallback_opts=TYPE,SIZE,URL&url="&URLField&"&size=64"

Change the URLField to a field name in your table containing a properly formatted link to the root of any website. Adjust the size parameters as needed (8, 16, 32, 64, 128). You might need to modify the initial URL in the formula too. Use the URL you get when clicking the 1st link in this post.

Note that the urls might change over time, but the 1st link should last for a few years in future. Also, some poorly designed websites might have wrong or missing favicons.

We hope you found this tip helpful. Have a fantastic day!

Percentile Calculator in Airtable

This Airtable script allows you to calculate and populate percentiles based on numerical fields in your selected table.
Scripts                                                          9/25/2023

This Airtable script allows you to calculate and populate percentiles based on numerical fields in your selected table. By running the script, you can select a table, choose an input field (the column containing the data you wish to analyze), and an output field (the column where you want to store the percentile rankings). The script will then scan the table, sort the records based on the values in the chosen input field, and calculate the percentile for each record based on its rank. This feature can be extremely useful for identifying outliers, understanding data distribution, or segmenting records for further analysis. For instance, if you’re using Airtable to manage sales data, you could find the percentile rank of each salesperson, providing a clear indicator of relative performance. Please note that the input and output fields must contain numerical values, including “number,” “currency,” “percent,” “duration,” or “formula” types that evaluate to numbers. Records with empty input fields are automatically excluded from calculations to ensure accuracy. Here is a sample script to get you started:

// Step 1: Initialize variables let selectedTable; let inputColumn; let outputColumn; // Step 2: Choose a Table selectedTable = await input.tableAsync("Select a table"); // Step 3: Choose Input and Output Columns inputColumn = await input.fieldAsync("Choose an input column", selectedTable); outputColumn = await input.fieldAsync("Choose an output column", selectedTable); // Step 4: Validate the columns const validTypes = ["number", "currency", "percent", "duration", "formula"]; if (!validTypes.includes(inputColumn.type) || !validTypes.includes(outputColumn.type)) { console.log("Please choose columns that contain numerical values. Exiting script."); return; } // Step 5: Fetch All Records let records = await selectedTable.selectRecordsAsync(); // Step 6: Filter Out Records with Empty Input Field let filteredRecords = records.records.filter(record => { return record.getCellValue(inputColumn) !== null; }); // Step 7: Sort Records by Input Column filteredRecords.sort((a, b) => parseFloat(a.getCellValue(inputColumn)) - parseFloat(b.getCellValue(inputColumn))); // Step 8: Calculate Percentiles let totalRecords = filteredRecords.length; let updates = []; filteredRecords.forEach((record, index) => { let percentile = ((index) / (totalRecords - 1)); updates.push({ id: record.id, fields: { [outputColumn.name]: percentile } }); }); // Step 9: Update Output Column in Batch while (updates.length > 0) { await selectedTable.updateRecordsAsync(updates.slice(0, 50)); updates = updates.slice(50); } console.log("Percentile calculation complete.");

This method can significantly boost your data analysis capabilities within Airtable. Feel free to adjust the script according to your specific needs. Drop a note if this enhances your Airtable experience. We’d love to hear from you!

Make Webhook Response Redirects

Redirect Users to a URL of, say, a generated file, or a particular record in Airtable after automation run.

QuickTips Automations                                       2/07/2024

When you trigger an automation in Make, via a link or a button in Airtable, you get a page that says ‘Accepted‘. There’s a way to avoid that and redirect to the actual page you want to open, such as the page where the generated GDrive file lives.

  1. In the search bar, type “Webhooks” and select the Webhooks module from the options. Note that it only works if the automation is triggered by a webhook.
  2. Choose the Webhook Response action.
  3. Configure the Webhook Response settings:
    • Status Code: Set this to 302 to indicate a redirection.
    • Headers: Add a new header where the key is Location and the value is https://www.google.com or your preferred URL. This tells the client (usually a web browser) to redirect to that link. Put the ‘https://’ for it to function correctly.
    • Body: You can leave this empty, as the redirection is handled by the header.

Now, when you trigger the link/button, instead of saying ‘Accepted’, it’ll open the link you set it to open. You can play with the position of the Response module to run immediately after you receive the url in the automation, instead of putting it as the last automation step if you want a faster response time.

Formatting GDrive PDF Exports

Implement custom margins, gridlines, etc when exporting GDrive Docs, Sheets.

QuickTips                                   1/03/2024

This isn’t widely popular, but here are export parameters when downloading a file from GDrive to save in your Airtable bases or elsewhere:

&format=pdf //export format &size=a4 //A3/A4/A5/B4/B5/letter/tabloid/legal/statement/executive/folio &portrait=false //true= Potrait / false= Landscape &scale=1 //1= Normal 100% / 2= Fit to width / 3= Fit to height / 4= Fit to Page &top_margin=0.00 //All four margins must be set! &bottom_margin=0.00 //All four margins must be set! &left_margin=0.00 //All four margins must be set! &right_margin=0.00 //All four margins must be set! &gridlines=false //true/false &printnotes=false //true/false &pageorder=2 //1= Down, then over / 2= Over, then down &horizontal_alignment=CENTER //LEFT/CENTER/RIGHT &vertical_alignment=TOP //TOP/MIDDLE/BOTTOM &printtitle=false //true/false &sheetnames=false //true/false &fzr=false //true/false &fzc=false //true/false &attachment=false //true/false &gid=0 //Sheet position

Dynamic Record Filtering in Airtable

Implement dynamic record filtering in linked fields, reducing errors and improving efficiency.

QuickTips                                     5/16/2023

This Airtable base implements a method to display filtered records in a linked records field, based on the selection in a preceding linked record field. This can significantly reduce errors when adding linked records from a large table by providing a more targeted selection. In this base, each Tier 1 record is linked to several Tier 2 records. Each Tier 2 record is further linked to a set of Tier 3 records. The key is that the displayed options in the linked records field are dynamically filtered based on your previous selections. For example, after selecting a specific Tier 1 record, the system will only display the corresponding Tier 2 records linked to that selected Tier 1 record. When a Tier 2 record is chosen, only the related Tier 3 records will appear in the next linked record field. This ensures a streamlined and error-free record selection process. Please note that this strategy REQUIRES you to always fill the records in sequence of Tier 1 > Tier 2 > Tier 3. If you fill Tier 1 linked record fields for multiple records in the Main Table, it’ll lead to inconsistency. Don’t leave the sequence half filled and move to the next one. We hope this tip will enhance your Airtable workflow. Enjoy your day!

Radar Chart API

Generate radar charts seamlessly with our API and integrate them directly into your applications or workflows.


API                                                          11/15/2023

The radar chart is a chart and/or plot that consists of a sequence of equi-angular spokes, called radii, with each spoke representing one of the variables. It is used for multi-variate datasets linked to each record. Eg.: user feedback, grades, etc. How it Works: This cloud function allows you to create customized radar charts by sending a JSON payload with your data labels, datasets, and color preferences. The function then renders a radar chart and saves it to Google Cloud Storage, providing you with a downloadable URL. The service accepts:

  • Multiple datasets
  • Customizable color schemes
  • Label personalization

This is particularly useful for users who want to create complex data visualizations without the headache of handling chart generation logic themselves. The API can be integrated easily into existing systems or can function as a standalone service. I recommend using Make.com to make HTTP requests or JSON requests from within Airtable Scripts. Here’s how to set it up:

  1. Set Up Payload: Define the parameters such as labels, datasets, and unique ID in a JSON payload.
  2. API Request: Make an HTTP request to the cloud function endpoint with your payload.
  3. Retrieve & Display: You’ll get back a JSON response with the unique ID and the URL of the generated radar chart.
  4. Download or Share: Use the URL to download the image or incorporate it into your application.

Payload Example:

{ chartName: 'YourChartName', uniqueID: 'UniqueId', labels: ['Label1', 'Label2'], datasets: [ { name: 'Dataset1', values: [0.6, 0.9], color: '#FF0000' }, { name: 'Dataset2', values: [0.2, 0.4], color: '#0000FF' } ] }

HTTP Request Example

POST radar-chart.p.rapidapi.com/vv90-cfs1 HTTP/1.1 Content-Type: application/json X-RapidAPI-Key: [Your RapidAPI Key] X-RapidAPI-Host: radar-chart.p.rapidapi.com {     "labels": [],     "datasets": [],     "uniqueID": "",     "chartName": "" }

JSON Example

const settings = {     async: true,     crossDomain: true,     url: 'https://radar-chart.p.rapidapi.com/vv90-cfs1',     method: 'POST',     headers: {         'content-type': 'application/json',         'X-RapidAPI-Key': '[Your RapidAPI Key]',         'X-RapidAPI-Host': 'radar-chart.p.rapidapi.com'     },     processData: false,     data: '{\n    "labels": [],\n    "datasets": [],\n    "uniqueID": "",\n    "chartName": ""\n}' }; $.ajax(settings).done(function (response) {     console.log(response); });

Here’s the example output:

{ "uniqueID": "16-uniqueID123", "url": "https://storage.googleapis.com/vv90-cf1/16-uniqueID123.png" }

To use this API, you’ll need to sign up through RapidAPI. With its robust infrastructure, the service is both reliable and secure. Got questions or feedback? Feel free to reach out. We’re here to help.

Airtable

Airtable is a low-code platform for building collaborative apps.

Type

  • Database
  • Automations
  • Internal Front-end
  • Forms

What it does

Familiarity of a spreadsheet, the power of a database and a feature-set to rival most dedicated solutions out there. No need to know code.

What can it do?

 

Airtable is an easy-to-use online platform for creating and sharing relational databases. The user interface is simple, colorful, friendly, and allows anyone to spin up a database in minutes. You can store, organize, and collaborate on information about anything—like employee directories, product inventories, and even apartment hunting. You don’t even have to learn what SQL stands for, let alone any scripting. On top of it, Airtable natively integrates a variety of functions, views, data sources (like calendars, Salesforce, etc), and has a strong API to enable it to connect with other online services.

Make (Integromat)

Automate routine tasks involving web services and save countless hours.

Type

  • Automations

What it does

Integromat is a powerful integration platform that allows you to visualize, design and automate a variety of tasks by enabling communication between various tools you use.

What can it do?

Whatever your industry, whether you’re a business owner, have a small or large organization, or simply want to streamline routine tasks, Integromat will save you countless hours. Automating manual tasks is easy with Integromat. With no coding skills needed, you can connect apps, services, and devices. By using Integromat, you will have complete control over the workflow. Integromat uses APIs offered by various services, such as Airtable, GSuite, Twilio, Gmail, etc. to enable these services to talk among themselves without code.

Stacker

 

Build powerful, flexible and interactive web portals

for your businesses – no code required.

Type

  • Internal Front-end
  • Database

 

What it does

Stacker is a cloud-based application builder that integrates with Google Sheets and Airtable to allow businesses to transform their spreadsheets into custom apps.

What can it do?

Instead of adding collaborators to Airtable who can view all data (and cost a ton, per user), use Stacker to configure complex user permissions while Stacker pulls in data from Airtable and shows it only to the authorised users. And only the permitted users can edit many, one or none of the fields. It reads data FROM Airtable once every 15 minutes, but writes TO Airtable instantly.

Use Cases

  • Can be used to allow client to access their order history, and place new orders.
  • Can be used by outside contractors to access and update data related to their projects
  • Can be used by internal teams to view their tasks and mark them as done.
  • HR portal: manage Holiday requests and update when approved.
  • Standalone Web apps with basic functionality: It supports iframes which can be configured to show live Airtable views.

er mattis, pulvinar dapibus leo.

Softr.io

Build custom websites for personal use or for your business without code

Type

 

  • Public Front-end

What it does

Pory is platform for building data-driven websites and web apps using Airtable and other no-code tools.

What can it do?

Pory.io allows you to set up a single-page website that acts as a basic web application. Getting accustomed to using it is very easy. It has a low learning curve, so if you’re new to no-code, you will find it easy to use. The backend for your app is an application called Airtable that houses all the data. It looks similar to a spreadsheet but is much more powerful.  Basically, if you have used google sheets before you will be effective in using Pory.io. The front end builder is really easy to use, and their roadmap is impressive. In terms of speed, ease of use, and a really clean front end user experience, this is an incredible tool. This tool will get things moving quickly if you need to.  With Pory.io, you can build a voting website, job website, events list, apps list, marketplace, etc. If you are familiar with Airtable, this is a great place to start.

Tadabase

Tadabase is a no-code tool with a frontend builder, robust database, and powerful automation in one.

Type

  • Public Front-end
  •  
  • Internal Front-end
  • Database
  • Automations

What it does

Tadabase is an online database application builder anyone can use to create custom business software quickly, easily, and without ever writing a single line of code.

 

What can it do?

 

With Tadabase, teams and those closest to the data can quickly solve everyday business challenges with custom software tailored to their exact processes.
With Tadabase, you can automate processes and manage data quickly and easily. It’s one of the few no-code platforms that bridges the gap between enterprise-grade systems and unlimited customization.
Unlike other no-code platforms, Tadabase can **scale to millions of records **faster and more efficiently. Whether you run a business, manage a team, or just want to automate your daily processes and manage your data better, Tadabase is the easiest and fastest way to get that custom solution you’ve always wanted.

 

Jotform

Lorem ipsum dolor sit amet, consectetur adipiscing elit. Ut elit tellus, luctus nec ullamcorper mattis, pulvinar dapibus leo.

Type

 

  • Forms
 

What it does

Jotform is a powerful online application that allows anyone to quickly create custom online forms, and capture responses within a variety of workflows.

 

What can it do?

Jotform’s 10,000 ready-made form templates, 100+ integrations, and more than 400+ widgets have made it one of the most popular form builders for companies all over the world. Today, Jotform is enjoyed by over 10 million users and growing every day.

Jotform’s intuitive drag-and-drop user interface makes form building incredibly simple, and doesn’t require you to write a single line of code. Using Jotform, you can create and publish forms, integrate them into your site, and receive responses by email. Jotform supports conditionals, hidden fields and integrations with a variety of services such as Airtable and Google Sheets.

Toggl

 

Toggl is a user-friendly, cloud-based time tracking tool that helps teams and individuals

 manage their time efficiently.

Type

 

  • Time Tracking

 

What it does

Toggl allows users to track time spent on tasks and projects, analyze the data, and generate reports to optimize productivity and workflow.

 

What can it do?

Toggl’s simple interface and powerful features make it easy for users to track their time across various tasks and projects. The tool’s real-time sync across devices ensures that the tracked time is always up-to-date, whether you’re on a desktop, mobile, or tablet. Toggl also integrates with popular project management and collaboration tools, making it easy to integrate time tracking into your existing workflow. With Toggl, users can:

  • Track time manually or using the built-in timer
  • Organize time entries by clients, projects, and tags
  • Set billable rates and generate detailed reports
  • Evaluate team performance and identify bottlenecks
  • Integrate with popular apps like Asana, Trello, and Slack
  •  

Bubble.io

 

Bubble is a modern web development framework 

and a visual website builder.

Type

 

  • Public Front-end
  • Database
  • Automations
 
 

What it does

Bubble is the best way to build web apps without code. Building tech is slow and expensive. Bubble is a powerful no-code platform for creating digital products faster and with lower cost. Build better and faster.

What can it do?

Bubble lets you create interactive, multi-user apps for desktop and mobile web browsers, including all the features you need to build a site like Facebook or Airbnb. Build out logic and manage a database with our intuitive, fully customizable platform. Bubble lets you design anything without knowing HTML or CSS. Make your product mobile-friendly and dynamic so your prospects, customers, and investors can’t wait to see it. In traditional web applications, you have to manage your code and deploy it to a server. You don’t have to worry about deployment or hosting with Bubble. The number of users, traffic volume, or storage are all unlimited.

Coupler.io

Coupler syncs data across multiple platforms, such as from Airtable to Google Sheets.

Type

 

  • Automations
 

What it does

 

Coupler.io automatically syncs information between apps to create live dashboards and reports, transform and manipulate values, collect and back up insights in one place, and more.

 

What can it do?

 

With Coupler.io, you can export data from 25+ apps to Google Sheets, Excel, and BigQuery in seconds. Over 700,000 people use Coupler.io to export data. You don’t need any coding skills to set it up. You can send data from your favorite apps, whether it’s a CRM, database, marketing, or accounting tool. Your spreadsheet or data warehouse gets the data automatically, on a schedule you choose. Setting up reports in Google Data Studio using Airtable data is a popular use case. You may use Google Data Studio with a Google BigQuery or Google Sheet as a primary source. And set the source to sync with Airtable every hour. It supports a range of data sources, while the data destination could be GSheets, Excel, or Google Bigquery.

 

Avion.io

Avion is a collaborative and fun user mapping tool for product oriented teams

Type

 

  • Task Management
 

What it does

With Avion, you can visualise your entire product from your users’ perspective and plan and build software more effectively. This is perfect for product managers and agile teams who struggle to see the big picture.

 

What can it do?

Avion organises your backlog into one coherent product story Use Avion to map out your user journeys and visualize your whole product. It helps you and your team build a user-centric backlog.

Spot dependencies, plan releases Avion helps you plan leaner releases and spot dependencies faster because it gives you a view across your whole product. As an agile hero, you can separate releases from sprints, so your teams can deliver value whenever they’re ready!

Keep personas at the core of your product With Avion, you can define and attach personas to both user journeys and user stories. It keeps your design and development teams focused on your end users.

Export and share your story maps To run your own data analysis, export your user story map to CSV or email it to your stakeholders as a PDF. Use Avion’s public story maps to share a live version of your work with your business or colleagues.

Create workflows that fit your team Avion has a fully customizable workflow system that allows you to combine any number of user story states. You can follow your battle-tested workflow or create something from scratch.

Integrate with your existing tools Avion works hand-in-hand with your current toolset. Sync your story map activity to Slack from Jira, Trello, GitHub, and Azure DevOps.

Whalesync

Sync data live across wherever they live: Airtable, Postgres, Bubble, Webflow etc.

Type

 

  • Automations
 

What it does

Whalesync allows you to sync data across multiple services. In a few clicks, you can create a real-time, two-way sync without writing code. Connect to the services, choose tables to sync, and map the fields to sync. Whalesync does the rest.

 

What can it do?

Most common use case is with tools like Webflow and Bubble. It allows you to leverage the power of Airtable API, automations and formulas from within the front-end tools without the need to set up APIs. Bubble and Webflow CMS would auto sync, leading to fast load times and always up-to-date websites.
Want to create a new landing page? Fill up a form in Airtable, and an entry in Bubble or Webflow CMS will be created with its own URL, SEO settings and all.

 

GPT

GPT is a state-of-the-art language model that can generate natural language text, perform translations, summarize text, and much more.

Type

  • AI

 

What it does

GPT uses deep learning algorithms to generate text that is both natural-sounding and contextually relevant. It can be used for a wide range of applications, including content generation, customer service chatbots, and language translation.

What can it do?

With GPT, you can generate high-quality, natural-sounding text for any purpose. Its powerful algorithms can be trained on your specific data, allowing it to generate text that is highly relevant to your industry or field. Whether you need to generate product descriptions, customer reviews, or marketing copy, GPT can help you create high-quality content with ease. It can also perform translations between languages, summarize text, and even generate code.

FlutterFlow

Flutterflow is a modern web and mobile app development platform that allows you to build fully-functional apps without writing code.

Type

 

  • Public Front-end

What it does

Flutterflow uses a visual drag-and-drop interface to allow you to create powerful web and mobile apps quickly and easily. Its powerful backend infrastructure allows you to build scalable, robust apps that can handle large volumes of data and traffic.

 

What can it do?

With Flutterflow, you can create beautiful, fully-functional apps for web and mobile without any coding skills. Its intuitive interface allows you to design and build apps quickly, while its powerful backend infrastructure ensures that your app can scale to meet the needs of your users. You can also use Flutterflow to integrate with third-party APIs, perform complex data operations, and build powerful workflows that automate your business processes.