# About Name: Heltar Description: Automating WhatsApp for Businesses! Heltar is a growth engine for everyone, taking CRM space to the next level with WhatsApp Business API. URL: https://www.heltar.com/blogs # Navigation Menu - Home: https://www.heltar.com/blogs - Search: https://www.heltar.com/blogs/search - Try for free: https://www.heltar.com/get-started # Blog Posts ## Build a 30‑Line Python Chatbot for WhatsApp with GPT‑4.1 and Heltar in 15 Minutes Author: Anushka Published: 2025-05-09 Category: WhatsApp Chatbot Tags: WhatsApp Chatbot URL: https://www.heltar.com/blogs/build-a-30line-python-chatbot-for-whatsapp-with-gpt41-and-heltar-in-15-minutes-cmagnh5b50008ljyv1um94suf If you've been wanting to build a smart WhatsApp bot but didn’t want to get tangled in SDKs, cloud functions, or bloated frameworks—this is for you. You don’t need a massive codebase or a weekend to build a smart WhatsApp bot. **All you need is Python, GPT‑4.1, Heltar WhatsApp API (available for free), and about 15 minutes.** This guide will walk you through building a **fully functional chatbot** that: * **Gets messages from WhatsApp** via Heltar * Uses GPT-4.1 to **decide what button to show next** * **Sends a reply** straight to the user ​It’s all done with ~30 lines of Python. No filler, no fluff, and no spinning up a giant backend stack. If you’ve built Flask APIs before, this’ll feel familiar. If not, don’t worry—this walkthrough is straight to the point. Let’s get started. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/visual-selection-3-1746788722948-compressed.png) What You’ll Need? Here’s what we’re working with: Tool Why you need it Python ≥ 3.9 Scripting and async-friendly openai 1.x Access to GPT‑4.1 Flask Minimal web server Heltar API Fastest way to get WhatsApp working Ngrok (optional) Test webhooks from localhost ​If you don't have an account on Heltar you can set up an account for free by following this tutorial:  Install the required packages: pip install openai flask requests python-dotenv 1\. Define What Buttons Look Like --------------------------------- We want GPT to respond in a format that lets us generate real buttons in WhatsApp. Here’s a basic JSON schema that tells GPT exactly what kind of response we expect: quick\_reply = {     "name": "quick\_reply",     "description": "User must pick one of the provided buttons.",     "parameters": {         "type": "object",         "properties": {             "choice": {                 "type": "string",                 "enum": \["Approve", "Reject"\]             }         },         "required": \["choice"\]     } } This structure forces GPT to pick between “Approve” or “Reject” when it uses this function. Predictable output is the goal here. 2\. The ~30-Line Flask App -------------------------- Here’s the full working Flask app that connects Heltar, GPT‑4.1, and WhatsApp messages: from flask import Flask, request from openai import OpenAI import os, json, requests, dotenv dotenv.load\_dotenv() openai = OpenAI() HELTAR\_TOKEN = os.getenv("HELTAR\_TOKEN") HELTAR\_URL   = "https://api.heltar.io/v1/messages" app = Flask(\_\_name\_\_) HISTORY = \[\]  # Replace with DB or Redis in production @app.route("/whatsapp", methods=\["POST"\]) def whatsapp\_webhook():     inbound = request.json     user\_msg = inbound\["text"\]     chat\_id = inbound\["chat\_id"\]     HISTORY.append({"role": "user", "content": user\_msg})     chat = openai.chat.completions.create(         model="gpt-4.1-chat-bison",         messages=HISTORY,         functions=\[quick\_reply\],         temperature=0.3     )     reply = chat.choices\[0\].message     if reply.function\_call:         labels = quick\_reply\["parameters"\]\["properties"\]\["choice"\]\["enum"\]         text = "Pick one:"         buttons = \[{"type": "reply", "label": l, "payload": l} for l in labels\]         payload = {"chat\_id": chat\_id, "text": text, "buttons": buttons}     else:         text = reply.content         payload = {"chat\_id": chat\_id, "text": text}     HISTORY.append({"role": reply.role, \*\*reply.dict(exclude\_none=True)})     requests.post(HELTAR\_URL, json=payload, headers={"Authorization": f"Bearer {HELTAR\_TOKEN}"})     return "ok" 3\. Run and Connect ------------------- Start the Flask app: python app.py If you’re testing locally, use ngrok to expose your server: ngrok http 5000 Then go into your Heltar dashboard and set your webhook to: https://.ngrok.io/whatsapp Now send a WhatsApp message to your Heltar test number. You’ll get a response from GPT‑4.1—and buttons you can actually tap. Why This Works (and Doesn’t Break) ---------------------------------- The magic here is in structured output. Instead of parsing unpredictable text, you specify a clear format GPT must follow. This gives you: * Predictable behavior * Zero need for regex or brittle parsing * Easy chaining of steps (like collecting info, opening support tickets, etc.) It also means you can swap in new flows without changing your backend much. Just tweak the schema, and you’re good to go. What to Try Next? ----------------- Now that you have the basic bot up and running, here’s a few quick ways to build on it: * Add more button choices for menus * Collect structured user input like email, phone, etc. * Return media URLs—WhatsApp will render images automatically Need Help? Ping us anytime—**our engineers at Heltar love debugging and will get you unblocked quickly.** You're Done! ------------ You now have a working GPT‑4.1-driven WhatsApp chatbot, complete with tappable buttons, in around 30 lines of Python. Fork it. Extend it. Hook it into your CRM. For more smart WhatsApp Solutions, check out [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix INVALID_ON_CLICK_ACTION_PAYLOAD: Missing Form Field in Payload Binding Author: Anushka Published: 2025-05-07 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/how-to-fix-invalidonclickactionpayload-missing-form-field-in-payload-binding-cmadzw9z60006m6x3oub9gz71 If you're building screens in a low-code platform and see this error: **INVALID\_ON\_CLICK\_ACTION\_PAYLOAD**   **Missing Form component ${expression} for screen '${screenId}'.** It means you're trying to reference a form field in your action payload that doesn’t actually exist on the screen. This is a common mistake, especially when modifying forms or renaming input fields. You can fix this error by either adding the missing field or correcting the binding name to match an existing one. In this post, we’ll explain what causes this issue, how to identify it, and how to fix it. What This Error Means --------------------- The error occurs when you're binding a value from a form (e.g. ${form.not\_present}), but the form doesn't contain any input with that name. So the platform is looking for form.not\_present and can’t find it. As a result, it throws this error to let you know that your reference is invalid. Common Causes ------------- * Typo in the binding name (e.g. ${form.npt\_present} instead of ${form.not\_present}) * Form field renamed without updating the payload reference * Payload copied from another screen where the form field existed * Input field accidentally removed Example of the Problem ---------------------- Here’s a simplified JSON structure that causes the issue: "on-click-action": {   "name": "navigate",   "payload": {     "text": "${form.not\_present}"   } } But the form doesn’t have any input with the name not\_present. How to Fix It ------------- There are two simple ways to resolve this: ### 1\. Add the Missing Form Field If you intended to use a value from the form, make sure the input exists and matches the name you're referencing: {   "type": "TextInput",   "name": "not\_present" } Then, ${form.not\_present} will correctly bind to the value entered in that input. ### 2\. Update the Binding to Match an Existing Field If the field was renamed or removed, update the payload binding to use the correct existing field: "payload": {   "text": "${form.input}" } Make sure the name in the binding matches exactly (case-sensitive) with the name property of one of the form fields.​ Best Practices -------------- * Always double-check the name of every form input and keep it consistent. * If you're copying payload structures, verify that the same inputs exist on the current screen. * Use descriptive and unique names for form fields to avoid confusion. For more troubleshooting tips related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix INVALID_NAVIGATE_ACTION_PAYLOAD: Dynamic Binding Type Mismatch in Screen Navigation Author: Anushka Published: 2025-05-07 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/how-to-fix-invalidnavigateactionpayload-dynamic-binding-type-mismatch-in-screen-navigation-cmadzsdyt0005m6x3sqf8u9pz When working with dynamic data in low-code or screen-based app builders, you might come across this error: **INVALID\_NAVIGATE\_ACTION\_PAYLOAD**   **Schema of dynamic data '${payloadFieldValue}' is not matching schema of data model field '${payloadField}' on screen '${dataModelScreen}'. Property is expecting '${dataModelFieldType}' but got '${payloadFieldType}'.** This can look intimidating at first, but it usually comes down to one simple issue: **a mismatch in data types between the value you're passing and what the target screen expects.** You can fix it by either adjusting your screen’s data model or ensuring your dynamic input sends the correct type. Let’s walk through what this means, how to spot it, and how to fix it using a real example. What This Error Means --------------------- This error occurs when you’re using a dynamic binding (like ${form.input}) to pass data from one screen to another, but the type of the bound value doesn’t match the expected type in the next screen’s data model. So if the second screen expects a boolean (true or false) and you’re passing a string ("yes" or "no"), the navigation will break with this error. Example of the Problem ---------------------- Let’s look at this sample configuration: ### First screen: dynamic payload from form input "payload": {   "text": "${form.input}" } ### Second screen: data model expecting a boolean "data": {   "text": {     "type": "boolean",     "\_\_example\_\_": true   } } Here’s what’s happening: * form.input captures a text input, which is a string. * But the second screen expects text to be a boolean. This mismatch (string vs boolean) causes the INVALID\_NAVIGATE\_ACTION\_PAYLOAD error. How to Fix It ------------- You have two options, depending on what you're trying to achieve: ### 1\. Update the Data Model to Match the Input If you're expecting a string input (like a message or name), and don’t actually need a boolean, then update the second screen’s data model: "data": {   "text": {     "type": "string",     "\_\_example\_\_": "hello"   } } ### 2\. Convert the Input to Match the Expected Type If the second screen genuinely needs a boolean value (like a Yes/No response), convert the input accordingly. For example, you can validate and convert the string "true" or "false" to an actual boolean value before navigation, or use a toggle/switch component instead of a free-form text input. Common Causes ------------- * Binding a text input to a boolean field * Sending numbers as strings (e.g., "5" instead of 5) * Forgetting to update the screen data model when UI changes * Using unchecked or unvalidated dynamic inputs Best Practices * Always validate your dynamic bindings to ensure they match the data model. * Use form components that align with expected types (e.g., switch for booleans, number input for integers). * When using dynamic values like ${form.input}, know what type it resolves to. For more troubleshooting tips related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix INVALID_NAVIGATE_ACTION_NEXT_SCREEN_NAME: Unknown Screen ID in Navigation Author: Anushka Published: 2025-05-07 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/how-to-fix-invalidnavigateactionnextscreenname-unknown-screen-id-in-navigation-cmadznho20004m6x3ymomujg3 If you're working with a flow JSON file or building an app using a low-code/no-code platform, and you encounter this error: **INVALID\_NAVIGATE\_ACTION\_NEXT\_SCREEN\_NAME**   **Unknown screen ids found: \[screenNames\].** It means that the screen you're trying to navigate to doesn't exist in your current flow configuration. Fix it by either creating the missing screen or correcting the screen name in your navigation action. In this blog, we’ll walk through what causes this error, how to fix it, and how to avoid it in the future. What This Error Means --------------------- This error occurs when a navigation action references a screen name that isn't defined anywhere in the flow JSON. To put it simply: You’re telling the app to navigate to a screen that hasn't been created or included in your flow. Common Causes ------------- * Typos in the screen name * Renaming a screen but forgetting to update its references * Copy-pasting code and forgetting to replace placeholder screen names * Deleting a screen without cleaning up navigation actions Example of the Problem ---------------------- Here's an example where this issue happens: "on-click-action": {   "name": "navigate",   "next": {     "type": "screen",     "name": "not\_present"   },   "payload": {} } But in your screens array, there is no screen with the ID not\_present. So when the app tries to navigate, it fails because it can't find the destination screen. How to Fix It ------------- There are two main ways to fix this: ### 1\. Add the Missing Screen If you meant to navigate to a screen that hasn’t been added yet, simply define it in your flow JSON: {   "id": "not\_present",   "layout": { ... },   "data": { ... } } Make sure the id matches exactly—screen IDs are case-sensitive. ### 2\. Update the Navigation Target If you mistyped the screen name, correct it to point to an existing screen: "next": {   "type": "screen",   "name": "SECOND\_SCREEN" } Double-check spelling, capitalization, and that the screen ID you're using actually exists in your screens array. For more troubleshooting tips related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix INVALID_NAVIGATE_ACTION_NEXT_SCREEN_NAME: Loop Detected in Screen Navigation Author: Anushka Published: 2025-05-07 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/how-to-fix-invalidnavigateactionnextscreenname-loop-detected-in-screen-navigation-cmadz9tu20003m6x3bfmep6mv If you're using a low-code or no-code platform to build apps and you see this error: **INVALID\_NAVIGATE\_ACTION\_NEXT\_SCREEN\_NAME**   **Same screen navigation is not allowed. Loop detected at \[ScreenNames\].** It means you're trying to navigate from a screen back to itself, which most platforms block to prevent infinite loops or unintended behavior. Let’s break down what causes this issue and how you can fix it. What This Error Means --------------------- This error occurs when a screen has a navigation action that points right back to itself. In other words, the **source and destination screen names are the same**. Most platforms prevent this to avoid unintentional infinite navigation loops, performance issues, or screen flickering. Example of the Problem ---------------------- Here’s a simplified version of what triggers this error: {   "id": "FIRST\_SCREEN",   ...   "on-click-action": {     "name": "navigate",     "next": {       "type": "screen",       "name": "FIRST\_SCREEN"     },     "payload": {}   } } In this case, clicking a button or element on FIRST\_SCREEN will attempt to navigate back to FIRST\_SCREEN, causing a loop. Why Same-Screen Navigation Is Blocked ------------------------------------- Navigating to the same screen might sound harmless, but it can lead to issues like: * Infinite navigation loops * UI freezing or flickering * Redundant data loading or state resets To prevent such problems, most platforms treat it as an invalid configuration. How to Fix It ------------- There are two main ways to resolve this: ### 1\. Navigate to a Different Screen If the goal was to refresh or update the screen, consider redirecting to a different screen or modal designed for that purpose. "next": {   "type": "screen",   "name": "SECOND\_SCREEN" } ### 2\. Use a Local Action Instead of Navigation If you’re trying to reset a form, update UI elements, or clear state within the same screen, use a local action (like setting variables or updating fields) instead of navigating. When You Might _Think_ You Need Same-Screen Navigation ------------------------------------------------------ Here are a few cases where this mistake commonly happens: * You want to reload the same screen after submitting a form * You're trying to simulate a screen refresh * You reused a component and forgot to update the screen name In all these cases, the better approach is usually to use local updates or navigate to a dedicated "confirmation" or "thank you" screen instead. For more troubleshooting tips related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix INVALID_NAVIGATE_ACTION_PAYLOAD: Payload Type Mismatch in Screen Navigation Author: Anushka Published: 2025-05-07 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/how-to-fix-invalidnavigateactionpayload-payload-type-mismatch-in-screen-navigation-cmadz6u7t0002m6x37qw4wh3i If you're building a screen-based app using a low-code or no-code platform and see the error: **INVALID\_NAVIGATE\_ACTION\_PAYLOAD** **Type of field in navigate action payload do not match that in next screen’s data model** You're not alone. This is a common issue that usually comes down to a simple type mismatch. This error happens when the type of data passed during navigation doesn't match the expected type in the next screen's model. It’s an easy fix—just make sure your payload matches the schema exactly. Let’s walk through what this error means, why it happens, and how you can fix it. What the Error Means -------------------- This error is triggered when the **data you're passing from one screen to another doesn’t match the data type expected on the target screen.** Think of it like this: you're sending a number, but the next screen is expecting a string—or vice versa. A Simple Example ---------------- Here’s a scenario that causes this error: ### First screen (navigation payload): "on-click-action": {   "name": "navigate",   "next": {     "type": "screen",     "name": "SECOND\_SCREEN"   },   "payload": {     "name": 123   } } ### Second screen (data model): "data": {   "name": { "type": "string" } } In this case, you're passing the number 123 for the field name, but the second screen is expecting that field to be a string. How to Fix It ------------- The solution is to make sure the value you send matches the type defined in the target screen's data model. ### Corrected payload: "payload": {   "name": "123" } Now you're sending a string ("123"), which aligns with the expected data model. Tips for Avoiding This Error ---------------------------- Here are a few practical tips to prevent this issue from happening again: * **Ensure the types match exactly:** * Use quotes for strings. * Avoid quotes for numbers and booleans. * **Be cautious with booleans and nulls**—platforms often treat these types strictly. * Keep data types consistent across screens and actions. For more troubleshooting tips related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to build a flow-bot in Gupshup in 10 minutes Author: Nilesh Barui Published: 2025-05-07 Category: WhatsApp Chatbot Tags: Gupshup, WhatsApp Chatbot URL: https://www.heltar.com/blogs/how-to-build-a-flow-bot-in-gupshup-in-10-minutes-cmadoyps400d8g9xi18o7peti Looking to build and publish a chatbot on **WhatsApp** or **Facebook Messenger** using **Gupshup**—without coding? Follow these simple steps to create a bot effortlessly. Step-by Step process to Build a Chatbot in Gupshup -------------------------------------------------- ### Step 1: Create a New Bot Log in to **Gupshup** and navigate to the **My Bots** section.  Click **+** to add a new bot and enter a **bot name** and a **brief description** to define its purpose. ![Bot name and description](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746607709336-compressed.png) ### Step 2: Choose a Bot Builder Select **Flow Bot Builder** to create your bot visually. ![Types of method available to create a Bot](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746607829549-compressed.png) ### Step 3: Create Messages Click on the **\+** button in the message section to add a new message. Choose from multiple message types:  * **Welcome** - First message a user sees. * **Text** - A simple text message. * **Poll** - A text message with two options for users to choose from. * **Survey** - Similar to a poll, but with at most three options. You can also install URLs and phone numbers in the options. * **Carousel** - Display multiple items (title, image, body) in a scrollable format. * **Quick Reply** -Allows users to respond instantly with predefined choices. * **Image, Audio, Document & Video—**Enter the corresponding URL to be displayed to the user. ### **Step 4: Link Messages** Each message has a **label** serving as an identifier. Use these labels to connect messages and create seamless interactions. ### Step 5: Test and Publish Test your bot via [**Gupshup Proxy Bot**](https://www.messenger.com/t/gupshupproxybot) on Facebook Messenger. Type out ‘proxy ’ to activate the bot you have just created. You can read more about the Gupshup Proxy Bot [here](https://www.gupshup.io/developer/docs/bot-platform/guide/test-with-proxy-bot). ![Gupshup](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746608799048-compressed.png) Once you have finished designing your bot, hit the '**Save and Publish**' button. Provide your authentication for your Facebook profile. Once finished, click the '**Publish**' button. Congratulations! Your bot is now live and ready to engage users. However, **Gupshup** lacks certain essential features in its bots and restricts some messaging types. Additionally, its **pricing structure is complex**, often including hidden costs. Therefore, it's crucial to choose a **business solution provider that** offers **comprehensive functionalities** in the most **cost-effective** way. Why choose Heltar over Gupshup? ------------------------------- **Metric** Gupshup **Heltar** **Bot features** Limited features Advanced Features with OpenAI and other platform integrations **Pricing Structure** Tiered, complex Simplified, transparent **Customer Support** Limited (No setup support in Starter and Growth plan) Full support for all customers **User Interface** Complex & Difficult to navigate Intuitive & user-friendly > Whether you’re starting fresh or planning to switch BSPs, Heltar offers a smooth transition process. You can start with a **[free trial](https://app.heltar.com/register)** or **[book a demo](https://heltar.com/demo.html)** to explore the platform firsthand. Need help with the migration? Check out our guide: All **[You Need to Know About WhatsApp Business API BSP Migration](https://www.heltar.com/blogs/all-you-need-to-know-about-whatsapp-business-bsp-migration-cm43dovm20002pn0vlj30ssa9)**. For more tips, insights, and success strategies, explore the [Heltar Blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## 9 Shocking WhatsApp Statistics that Prove its Influence on Driving Sales Author: Manav Mahajan Published: 2025-05-04 Category: WhatsApp Business API Tags: WhatsApp Business Statistics, WhatsApp Stats 2025, Business Statistics 2025 URL: https://www.heltar.com/blogs/9-whatsapp-statistics-that-prove-its-influence-on-driving-sales-cmaa4si4f0072g9xif1983flm > **At a glance, this blog covers:** > > **66%** of users purchase after a chat; **69%** prefer brands that offer WhatsApp; **57.82%** of messages get replies within a minute; the app works in **180+** countries; **51.19M** downloads in Jan 2024. **73%** of UK internet users (16–64) use it monthly; medium-to-large firms will spend **$3.6 B** on WhatsApp Business in 2025; **56%** abandon purchases if replies lag; WhatsApp Business MAUs jumped from **50M** (2020) to **200M** (2025); the platform overall serves **2B** users worldwide. WhatsApp is no longer just a messaging app—it’s a commerce powerhouse. With over 2 billion users globally and its growing set of business tools, WhatsApp is helping brands connect, convert, and retain customers faster than ever. In this blog, we break down 26+ mind-blowing statistics about WhatsApp and why your business should seriously consider getting the WhatsApp Business API to stay ahead. ![What Is WhatsApp? How It Works, Tips, Tricks, and More](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746392540097-compressed.png) ​ WhatsApp’s Influence on Business and Commerce 1\. **66%** of users have made a purchase after chatting with a business on WhatsApp. **Why it matters:** Conversations lead to conversions. When brands are present where customers already spend time, the chances of closing a sale increase dramatically. 2\. **69%** of users are more likely to buy from a brand if they offer WhatsApp as a communication channel. **Why it matters:** Customers prefer convenience. A frictionless chat experience beats long email threads or web forms. 3\. **57.82%** of WhatsApp messages get a response within just one minute. **Why it matters:** Speed is key. Fast replies drive better customer satisfaction and retention. 4\. WhatsApp is accessible in over **180** countries. **Why it matters:** Your business can scale its communication globally, without worrying about app adoption or regional limitations. 5\. **51.19 million** downloads in January 2024 alone made WhatsApp the most downloaded messaging app worldwide. **Why it matters:** The momentum isn’t slowing down. If you’re not leveraging WhatsApp now, you’re already behind. 6\. **73%** of UK internet users (aged 16–64) use WhatsApp every month. **Why it matters:** Even in developed markets, WhatsApp dominates. 7\. Medium and large businesses are projected to spend **$3.6 billion** on WhatsApp Business in 2025. **Why it matters:** WhatsApp isn’t just for small sellers. Enterprises are investing serious money into the platform. 8\. **56%** of users have abandoned a purchase because a company took too long to respond. **Why it matters:** Delayed responses = lost revenue. You need a real-time, responsive communication channel. 9\. WhatsApp Business has grown from 50 million users in 2020 to over **200 million monthly active users** in 2025. **Why it matters:** The platform’s adoption is accelerating, especially among businesses looking to scale. ![How to integrate WhatsApp business api into the website - First CRM platform on WhatsApp | DashCX](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/howtointegratewhatsappbusinessapiintothewebsite-1746392595907-compressed.jpg) Why Should You Get WhatsApp Business API? ----------------------------------------- If you’re a growing brand or a customer-first business, here’s what WhatsApp Business API brings to the table: * **Automated messaging:** Set up chatbots, autoresponders, and flows to engage 24/7. * **Rich media support:** Send product catalogs, order confirmations, reminders, and more. * **Verified brand profile:** Boost trust with a green-tick verified account. * **CRM and workflow integration:** Manage customer conversations alongside your internal tools. * **Broadcasting and personalization:** Reach thousands with tailored, one-on-one-style campaigns. > Ready to start? Set up WhatsApp API today and enjoy hassle-free conversations. To leverage the full benefit of this automation ecosystem as a business, setup your [WhatsApp business API](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg) account with [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm5ckx8za004cyitv5qbw8xrw/heltar.com) today. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to build a chatbot on LandBot in 2025? Author: Manav Mahajan Published: 2025-05-04 Category: WhatsApp Chatbot Tags: WhatsApp Chatbot, Business Chatbot, Landbot URL: https://www.heltar.com/blogs/how-to-build-a-chatbot-on-landbot-in-2025-cmaa3w2m20071g9xi3c7x36dx Creating a WhatsApp chatbot is a fantastic way to automate customer interactions and enhance engagement. While Landbot offers an intuitive, no-code platform to build these bots, it’s essential to understand the process before diving in. This guide takes you through the steps to create a WhatsApp chatbot using Landbot’s no-code builder, highlighting its features while also offering a glimpse of how Heltar’s WhatsApp API service can streamline your messaging needs more effectively. ![landbot](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/landbot-6282021-2-1024x576-1746391530943-compressed.jpg) Step 1: Set Up WhatsApp Bot Canvas ---------------------------------- The first step in creating your chatbot is to set up the canvas, which is the visual space where you’ll design your bot’s flow. To start: 1. Navigate to the dashboard and click on the “Build a Chatbot” button. 2. Select WhatsApp as your desired channel, and you’ll be redirected to a template library where you can either start with a pre-existing template or build from scratch. 3. If you choose to start from scratch, you'll be prompted to set up your WhatsApp testing channel for testing the bot as you go. > **Tip**: Heltar offers a simpler setup process with seamless integrations and fewer limitations on testing channels, which may be more scalable as your bot expands. Step 2: Set Up WhatsApp Testing Channel --------------------------------------- Next, you’ll need to set up a testing channel on WhatsApp to connect with your bot. Here’s how: 1. Click on the WhatsApp icon in the navigation bar. 2. Add a new test number by choosing a name, entering a test number, and confirming. 3. Link the test number to your selected bot template for easy testing. Step 3: Create Your First Block ------------------------------- Now it’s time to start building the conversation flow. The first blocks are preconfigured: "User Input" and "Reply Buttons." These blocks let you capture user responses and guide them through different actions. You can customize these blocks, for instance, by adding: * **User Input**: Captures the first interaction. * **Keyword Jump**: Directs users based on their responses. * **Conditional Logic**: Personalizes the conversation flow based on input, such as redirecting users based on their responses. Step 4: Ask a Question (Text & Number) -------------------------------------- Landbot allows you to ask questions using various formats, such as: * **Text Question**: Collects open-ended responses. * **Number Question**: For gathering numerical data like user age or preferences. Step 5: Add Conditional Logic ----------------------------- With Landbot, you can easily split conversation paths based on conditions like age, location, or any other user input. By setting up conditions, such as: * "Greater than 17" for age validation. * Custom actions based on user responses. Step 6: Add Buttons (Reply Buttons & List) ------------------------------------------ Landbot supports WhatsApp’s new button functionality, which allows you to create interactive menus: * **Reply Buttons**: Users can choose from a few options. * **Buttons List**: Displays a pop-up menu with multiple options. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746391698867-compressed.png) Step 7: Add Media (Images, Videos, Links) ----------------------------------------- You can also add media such as images, videos, and links to enhance user experience. This is especially useful for promoting products or sending important content. Landbot allows you to upload files directly, but **Heltar** provides better media handling across multiple communication channels for a more cohesive customer journey. Step 8: Export Data to Google Sheets ------------------------------------ Landbot lets you integrate Google Sheets for collecting data from users’ responses. You can assign variables to columns and export responses with ease. This is ideal for tracking user inputs in a structured format. Step 9: Set Up Notifications (Email & Slack) -------------------------------------------- Notifications are essential for keeping track of important interactions. With Landbot, you can send: * **Email Notifications**: Alerts for new submissions or critical actions. * **Slack Notifications**: Notify your team instantly about incoming messages. Step 10: Human Handoff Option ----------------------------- For more complex cases, Landbot allows you to offer human intervention through its "Human Takeover" feature. This ensures that users who need extra help are transferred to a live agent. Step 11: Test Your Chatbot -------------------------- Once the bot flow is set up, it’s time to test the chatbot to ensure it works as expected. Landbot provides a built-in testing feature, allowing you to check how your bot performs in real-time. Why Choose Heltar over LandBot? ------------------------------- While Landbot offers a platform for building WhatsApp bots, **Heltar** stands out with its ease of use, intergration capabilities & customer support. Heltar’s platform provides businesses with more scalability, better analytics, and a smoother customer experience from start to finish. ### A Detailed Tabular Comparison **Feature** **Landbot** **Heltar** **Pricing** Starter: €40/month WhatsApp PRO: €200/month WhatsApp Business: €400/month Plans starting as low as INR 1999/month, including CRM Platform and Chatbot Builder **Chat Volume** Starter plan includes 500 chats/month; Additional chats at €0.05 each. Unlimited Chat Volume, with just 5% markup per conversation over the Meta's official WhatsApp API charges (lowest in the industry) **Integrations** Supports few integrations with Mailchimp, Segment, Stripe, and others Full Access to Multiple Important & Relevant Integrations including Google Sheets, Shopify, Zoho etc. **WhatsApp Channel** Not available in low tier plans Available in all plans, targeted expertise in WhatsApp API **Customization** Custom Bot Development option only available in higher plans Fully Customisation available with a No code drag and drop chatbot builder **User Limits** Have restrictive user limits (2-5 allowed for free) depending upon the plan Unlimited Users allowed (No Limit) **Additional User Charges** Upwards of €25/month per additional user No Charges **User Interface** Complex and Difficult to understand Easy to use and understand UI, Intuitive and Comprehensible by non coders as well **Support & Resources** Offers a knowledge center & community forum Personalised Customer Support and Services round the clock For companies looking for a **simple yet powerful solution** to scale their WhatsApp business communication, **Heltar** is the clear choice. The ease of integration, superior customer support, and ability to handle complex requirements make it a more robust alternative to Landbot for businesses of all sizes. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Forms & Google Forms - Which one is better? Author: Manav Mahajan Published: 2025-05-04 Category: WhatsApp Chatbot Tags: WhatsApp Forms, Native Forms, WhatsApp Native Flows URL: https://www.heltar.com/blogs/whatsapp-forms-and-google-forms-which-one-is-better-cmaa2nd8u006zg9xikzk24vnq Still sending customers to long, boring Google Forms or clunky landing pages? In 2025, that’s not just outdated — it could be costing you conversions. Enter **WhatsApp Forms and Flows** — the next evolution in business-customer interaction. These in-chat forms let you **collect inputs, qualify leads, book appointments, and personalize conversations** — all within WhatsApp, the world’s most-used messaging app. Whether you're in retail, healthcare, education, services, or finance — **WhatsApp Forms** are built for your business. What exactly are Native WhatsApp Forms? --------------------------------------- Simply put, WhatsApp Forms are forms integrated directly into WhatsApp conversations, allowing users to fill them out without leaving the app. These forms are interactive and straightforward, enabling businesses to collect information such as feedback, lead details, or survey responses, all in real-time. Here’s how it works: 1. **Step 1**: A customer interacts with your business via WhatsApp—whether through a chat, a broadcast message, or a link. 2. **Step 2**: A WhatsApp Form pops up directly in the chat window. 3. **Step 3**: The customer fills out the form seamlessly, while still engaging with your business through chat. This easy integration means no more bouncing between apps or losing momentum halfway through the form submission process. ![Heltar | LinkedIn](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1744887597448-compressed.jpeg) WhatsApp Forms vs Google Forms: A Real Business Comparison Feature WhatsApp Forms & Flows Google Forms Access Point Native in WhatsApp chat Link opens in browser User Experience Conversational, dynamic, tap-based Static, form-like Platform Switching Not needed Required Mobile Optimization Built for phones (90%+ usage on mobile) Mobile-friendly but not chat-first Brand Trust Users already trust WhatsApp; no login needed External links, login may deter users Form Engagement Rate 60–80% higher open & fill rates Lower response rate, especially in cold outreach CRM Integration Native CRM tagging, API sync, real-time updates Manual exports or complex integrations Follow-up Capability Instant reply post-submission via WhatsApp Needs separate outreach via email/SMS Conversion Journey Interactive, real-time, frictionless Linear, often ends post-submission Business Use Focus Built for sales, service, support Generic data collection tool **In summary:** WhatsApp Forms are built for **action**, not just data collection. Key Benefits of WhatsApp Forms & Flows -------------------------------------- ### 1\. Higher Completion & Response Rates Forms within WhatsApp feel like part of the conversation. Unlike Google Forms that sit behind a browser redirect, WhatsApp Flows pop up natively in the chat, driving up engagement and completion. Businesses report significantly higher form completion rates with WhatsApp compared to traditional forms. ### 2\. Real-Time CRM Sync & Lead Tagging Every form submission gets tied to a real WhatsApp number. You can: * Auto-tag leads (e.g., “High Intent – Laptop Buyer”) * Segment them by product or service interest * Trigger follow-up automation instantly This eliminates the need for manual response collection and filtering. ### 3\. Instant Follow-up = Higher Conversions Once a customer fills out a form, you can respond directly in the same WhatsApp thread: * “Thanks for your interest. Here's a discount coupon.” * “We’ve reserved your slot. Click here to confirm.” * “Want to speak to an expert? Tap below.” Google Forms typically end with a static message. WhatsApp Forms open a real-time conversation — helping you convert interest into action faster. ### 4\. No More Platform Fatigue Customers don’t need to leave WhatsApp, open browsers, or log into accounts. Everything happens within a single platform they already use daily. This simplicity dramatically reduces bounce rates. ### 5\. Visual & Interactive Experience WhatsApp Flows go beyond traditional forms with: * Dropdowns * Time slot pickers * Button-based selections * Product variant selectors * Conditional logic All of these can be created without writing any code. Should You Switch? ------------------ If you're using Google Forms for collecting leads, running surveys, taking bookings, or gathering product inputs — WhatsApp Forms offer a faster, more personalized, and more effective alternative. It’s not just about collecting information. It’s about **building trust and improving conversion** — all from the platform your customers already use. **How to Create WhatsApp Forms?** --------------------------------- **![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-12-203429-1736694290506-compressed.png)** Now that we have established how WhatsApp Native Flows can add value to your business, let's have a look at how to create them. **Step 1: Access Meta Business Manager** Start by logging into your [Facebook Business Manager](https://business.facebook.com/). **Step 2: Navigate to WhatsApp Accounts** From the left-hand menu, click on **"Accounts"** and select **"WhatsApp Accounts."** **Step 3: Choose Your WABA** Click on the WhatsApp Business Account (WABA) for which you want to create the form, then scroll down and click **“WhatsApp Manager.”** **Step 4: Go to Templates Section** In WhatsApp Manager, find and click **"Create Templates"** in the left panel. Then, click **“Create a New Template.”** **Step 5: Initiate a Flow Template** Choose the **"Flows"** option, click **“Next”**, and give your flow a name (this can be a temporary or sample name for now). **Step 6: Select Form Type** Under **"Type of Flow,"** choose **“Custom Form,”** then hit **“Create.”** **Step 7: Build Your Form** Add the desired questions to your form—these can be text inputs, multiple choice, dropdowns, etc.—and click **“Save.”** **Step 8: Publish the Flow** Navigate back to the **Flows** section, select your newly created flow, click the **three-dot menu**, and choose **“Publish.”** **Step 9: Use the Flow in Your Messaging** Once published, the form will automatically appear in your **DoubleTick account** under the **‘Buttons’** tab when creating a new template. Why Choose Heltar for WhatsApp Business API & Forms? ---------------------------------------------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-12-203516-1736694334475-compressed.png) At **Heltar**, we specialize in providing businesses with the tools and expertise to leverage WhatsApp Business API to its fullest. Here’s what sets us apart: * **Affordable Solutions**: Our pricing is transparent and competitive. * **Enhanced Delivery Rates**: We optimize message delivery for maximum impact. * **Streamlined Workflows**: Simplify customer communication with our intuitive tools. * **Tailored Integration**: Seamlessly integrate with platforms like CleverTap for advanced automation. Now create forms using Heltar. [Learn more](https://write.superblog.ai/sites/supername/heltar/posts/cm6i0tnq30010ldn30lj6trtj)! --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix: INVALID_NAVIGATE_ACTION_PAYLOAD – Fields in the Next Screen’s Data Model Are Missing from the Payload Author: Anushka Published: 2025-05-02 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/how-to-fix-invalidnavigateactionpayload-fields-in-the-next-screens-data-model-are-missing-from-the-payload-cma6xyfkp003wg9xi1c535m2f If you’re designing a screen-based UI flow using a declarative schema (like in conversational or visual app builders), you may encounter this error: **INVALID\_NAVIGATE\_ACTION\_PAYLOAD Following fields are expected in the next screen's data model but missing in payload: \[fieldNames\]** Let’s break down: * What this error means * Why it happens * How to fix it with an example ### **What Does the Error Mean?** This error shows up when: * You're navigating from one screen to another using an action * The next screen's data model expects some fields * But you didn’t send those fields in the payload of the navigation action In other words, the next screen is asking for data you didn’t give it. ### The Problem Here's the problematic schema: {   "version": "2.1",   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         ...         {           "on-click-action": {             "name": "navigate",             "next": {               "type": "screen",               "name": "SECOND\_SCREEN"             },             "payload": {}           }         }       }     },     {       "id": "SECOND\_SCREEN",       "data": {         "name": { "type": "string" }       },       "layout": {         ...       }     }   \] } The issue: * SECOND\_SCREEN expects a field called name in its data model. * But when navigating from FIRST\_SCREEN, the payload is empty. The system complains: “You're taking me to SECOND\_SCREEN, but you didn't give me the data I need!” The Fix ------- To resolve this, you need to include all required data fields from the next screen’s data model in the payload of the navigate action. ### Fixed Example {   "version": "2.1",   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         ...         {           "on-click-action": {             "name": "navigate",             "next": {               "type": "screen",               "name": "SECOND\_SCREEN"             },             "payload": {               "name": "John Doe"             }           }         }       }     },     {       "id": "SECOND\_SCREEN",       "data": {         "name": { "type": "string" }       },       "layout": {         ...       }     }   \] } Now, when the user navigates to SECOND\_SCREEN, the required name value is provided. For more troubleshooting tips related to WhatsApp Business API, check out [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix: INVALID_NAVIGATE_ACTION_PAYLOAD: Fields Are Missing in the Next Screen’s Data Model Author: Anushka Published: 2025-05-02 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/how-to-fix-invalidnavigateactionpayload-fields-are-missing-in-the-next-screens-data-model-cma6xh2ef003vg9xi9su0i5rd When building conversational apps or screen-based flows using a declarative schema, you might come across the following error: **INVALID\_NAVIGATE\_ACTION\_PAYLOAD Fields in the navigation action payload are missing in the next screen’s data model.** Fixing it is usually just a matter of syncing your payload with the data model of the next screen. Get this right, and your app's navigation will be error free. Read the complete blog to understand: * What this error means * Why it occurs * How to fix it with a working example What Does This Error Mean? In frameworks that use screen navigation (like Google App Actions or other UI schema-based platforms), when you navigate from one screen to another and pass data via payload, the destination screen (next screen) must declare those fields in its data model. If it doesn't, the system throws this error: Following fields are missing in the next screen's data model: \[fieldNames\] What’s Going Wrong? ------------------- Here’s the problematic snippet: {   "version": "2.1",   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         ...         {           "on-click-action": {             "name": "navigate",             "next": {               "type": "screen",               "name": "SECOND\_SCREEN"             },             "payload": {               "name": "some name"             }           }         }       }     },     {       "id": "SECOND\_SCREEN",       "data": {},       "layout": {         ...       }     }   \] } You’re trying to send the value "name": "some name" from FIRST\_SCREEN to SECOND\_SCREEN using the payload. But in SECOND\_SCREEN, the data block is empty. So the system says: “Hey, you're sending me a name, but I don't see it defined in the next screen's data model!” How to Fix It? -------------- You need to define the expected fields in the data model of the destination screen (SECOND\_SCREEN) so that it can receive and use them. ### Fixed Example: {   "version": "2.1",   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         ...         {           "on-click-action": {             "name": "navigate",             "next": {               "type": "screen",               "name": "SECOND\_SCREEN"             },             "payload": {               "name": "some name"             }           }         }       }     },     {       "id": "SECOND\_SCREEN",       "data": {         "name": ""       },       "layout": {         ...       }     }   \] } Now, the SECOND\_SCREEN is ready to accept the name field and use it however you want (e.g., displaying it in the UI or triggering logic). Quick Tips ---------- * Always declare fields you pass in the payload inside the data section of the next screen. * Match field names exactly — spelling and case matter. * Avoid passing unnecessary data if it’s not used on the next screen. For more troubleshooting insights related to WhatsApp API, check out [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix: INVALID_COMPLETE_ACTION – Complete Action Can Only Be in Terminal Screens Author: Anushka Published: 2025-05-02 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/how-to-fix-invalidcompleteaction-complete-action-can-only-be-in-terminal-screens-cma6x4c4y003ug9xiqj6vrtw2 If you're working with conversational interfaces or UI configuration using a schema like the one shown above, you might run into the error: **INVALID\_COMPLETE\_ACTION: On-click-action 'complete' can only be configured on a terminal screen.** _The fix is simple: make sure you're only using the_ **_"complete" action_** _on_ **_terminal screens_**_._ Read the complete blog to understand: * What the error means * Why it happens * How to fix it ******What Does the Error Mean?****** In most UI or bot frameworks (such as Google's App Actions or conversational screenflows), a "terminal screen" is the last screen in a conversation or flow. This is where the system considers the user interaction to be complete. The "complete" action is used to end the flow and optionally return data or trigger backend processing. So when the system says: "_'complete'_ can only be configured on a terminal screen", it means you can only use the complete action on screens that are designed to end the flow, not on intermediate screens. Why You're Seeing the Error? ---------------------------- Here's the schema causing the issue: {   "version": "2.1",   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "type": "SingleColumnLayout",         "children": \[           {             "type": "Footer",             "on-click-action": {               "name": "complete",               "payload": {}             }           }         \]       }     }   \] } Even though this is the only screen, the system doesn’t know it’s supposed to be the final screen. You're telling it to complete the action, but you haven't marked it as a terminal screen. How to Fix It? -------------- To fix the error, you need to declare the screen as a terminal screen by adding a "type": "TERMINAL" property at the screen level: ### Corrected Schema {   "version": "2.1",   "screens": \[     {       "id": "FIRST\_SCREEN",       "type": "TERMINAL",       "layout": {         "type": "SingleColumnLayout",         "children": \[           {             "type": "Footer",             "on-click-action": {               "name": "complete",               "payload": {}             }           }         \]       }     }   \] } By setting "type": "TERMINAL" on the screen, you're telling the engine: "This is the last step. When the user clicks this button, complete the flow." Quick Tips ---------- * Use "complete" only on screens with "type": "TERMINAL". * For all other screens, use actions like "next", "navigate", or custom ones. The INVALID\_COMPLETE\_ACTION error is a common mistake when designing flows that involve user interaction. The fix is simple: make sure you're only using the "complete" action on terminal screens. By keeping this rule in mind, you'll avoid frustrating schema errors and build more robust conversational experiences. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to make your own chatbot in Tidio from scratch Author: Nilesh Barui Published: 2025-05-01 Category: WhatsApp Chatbot Tags: WhatsApp Chatbot, Tidio URL: https://www.heltar.com/blogs/how-to-make-your-own-chatbot-in-tidio-from-scratch-cma50bffm000gg9xieb9leat7 Tidio’s chatbot feature offers an easy and efficient way to automate conversations on your website. With its intuitive drag-and-drop builder, AI Service and ready-made templates, creating a chatbot requires no coding knowledge—just a few simple steps to get started.  Steps to Design your first Chatbot ---------------------------------- ### Step 1: Define Your Chatbot’s Purpose Before creating your chatbot, decide: * What problem will it solve? * Who are your target users? * Where do you want it to appear (website, social media, etc.)? Having a clear purpose will make your chatbot more effective. ### Step 2: Start Building on the Tidio Dashboard Open your Tidio Dashboard to choose to create a bot using a template or build from scratch. Click "Add from Scratch" to design a custom chatbot. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746082306494-compressed.png) ** In Tidio, chatbot flows are built using three types of nodes: * **Triggers—**Define when the bot should start responding. * **Actions—**Decide what the bot should do (send messages, ask questions, etc.). * **Conditions—**Set rules to make interactions smarter and more personalized. ### **Step 3: Configure Your Chatbot’s Flow** Select a **Trigger** to determine when the chatbot should activate. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746082310630-compressed.png) ** Customize the trigger to match user behavior and preferences. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746082312904-compressed.png) ** Pick **Actions**, such as sending messages, asking questions, or making decisions. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746082315592-compressed.png) ** Use **Conditions** to tailor responses based on user input. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746082317929-compressed.png) ** Connect all elements properly, ensuring logical transitions from one step to another. ### **Step 5: Test & Launch Your Chatbot** Use the **Test** Option to experiment with the chatbot before deploying it. Try interacting with it to ensure a smooth user experience. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746082320525-compressed.png) ** Once satisfied, click **Save**—your chatbot is ready to assist users! Make sure to disclose that your chatbot is AI-powered in your website’s privacy policy. This builds trust with users and keeps everything compliant. Tidio’s Limitations—and a Smarter Alternative --------------------------------------------- While building a chatbot on Tidio may seem straightforward, it’s important to be aware of some underlying limitations. Tidio, despite its intuitive interface, comes with certain drawbacks such as: * **Limited Customization Options** * **Basic Analytics and Reporting** * **A Complex Interface for Advanced Features** * **Incompatibility with Certain CRM and CMS Systems** * **Higher Pricing Compared to Competitors** If you're looking for a more scalable and cost-effective solution, **[Heltar](http://www.heltar.com)** is worth exploring. Tailored for small and medium enterprises (SMEs), Heltar delivers greater flexibility, advanced features, and top-tier support—without the premium price tag. ### Tidio vs Heltar: A Comparison **Metric** Tidio **Heltar** **Base Subscription Fee** Expensive - Starts $24.17/month  Lower, budget-friendly - Starts $11.75/month  **Pricing Structure** Tiered, complex Simplified, transparent **Base plan Conversations limit** 100/month 1000-5000/month **Customer Support** Limited (No setup support in Starter and Growth plan) Full support for all customers **User Interface** Complex & Difficult to navigate Intuitive & user-friendly > Whether you’re starting fresh or planning to switch BSPs, Heltar offers a smooth transition process. You can start with a **[free trial](https://app.heltar.com/register)** or **[book a demo](https://heltar.com/demo.html)** to explore the platform firsthand. Need help with the migration? Check out our guide:  **[All You Need to Know About WhatsApp Business API BSP Migration](https://www.heltar.com/blogs/all-you-need-to-know-about-whatsapp-business-bsp-migration-cm43dovm20002pn0vlj30ssa9)**. For more tips, insights, and success strategies, explore the [Heltar Blogs](https://heltar.com/blogs). **​** --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix INVALID_ON_CLICK_ACTION_PAYLOAD for DocumentPicker with Navigate Action in WhatsApp Flows Author: Anushka Published: 2025-04-30 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/how-to-fix-invalidonclickactionpayload-for-documentpicker-with-navigate-action-in-whatsapp-flows-cma3ory6w000h144g84t7htjy When designing WhatsApp Flows, you might encounter this error: INVALID\_ON\_CLICK\_ACTION\_PAYLOAD The DocumentPicker component's value is not allowed in the payload of the navigate action. Or: The native component's value is not allowed in the payload of the navigate action. This happens when you try to include a document picked by the user in a navigate action’s payload—something that’s not supported. ### What's Going Wrong? Here’s an example of problematic flow JSON: {   "children": \[     {       "type": "DocumentPicker",       "name": "doc",       "label": "PASS\_CUSTOM\_VALUE"     },     {       "type": "Footer",       "label": "PASS\_CUSTOM\_VALUE",       "on-click-action": {         "name": "navigate",         "payload": {           "doc": "${screen.FIRST\_SCREEN.form.doc}"         }       }     }   \] } In this structure, the navigate action is trying to carry the value of doc, which comes from a DocumentPicker. Since that’s a file upload, it’s not allowed. ### Why It Fails The navigate action is only meant to: * Move a user from one screen to another. * Optionally carry lightweight data like text, strings, or selected options. But: * File inputs like those from DocumentPicker, PhotoPicker, or LocationPicker are native components. * Their values are not supported in navigate payloads because they contain binary or complex data. ### How to Fix It? #### Option 1: Use complete Instead If you're collecting a document and need to submit it, use the complete action instead of navigate. {   "type": "Footer",   "label": "Submit",   "on-click-action": {     "name": "complete",     "payload": {       "doc": "${form.doc}"     }   } } _complete_ supports file-type payloads and is the right choice when submitting a form with document data. #### Option 2: Exclude the File from the Navigate Payload If your goal is to simply navigate without using the uploaded document in the transition, remove it from the payload: {   "type": "Footer",   "label": "Next",   "on-click-action": {     "name": "navigate",     "payload": {       "doc\_status": "uploaded"     }   } } Let the document upload happen, but don’t try to pass it directly between screens. You can process it later or handle the transition separately. * Never include native component values (PhotoPicker, DocumentPicker, etc.) in a navigate action. * Use complete for form submissions involving files. * Keep navigate actions clean, simple, and file-free. ### Best Practices * Never include native component values (PhotoPicker, DocumentPicker, etc.) in a navigate action. * Use complete for form submissions involving files. * Keep navigate actions clean, simple, and file-free. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to make a Chatbot in Gallabox in 10 minutes Author: Nilesh Barui Published: 2025-04-29 Category: WhatsApp Chatbot Tags: WhatsApp Chatbot, Gallabox Pricing URL: https://www.heltar.com/blogs/how-to-make-a-chatbot-in-gallabox-in-10-minutes-cma243lhk005lw91un9fq743r Gallabox’s AI-powered chatbot simplifies customer interactions, enhances engagement, and streamlines operations. Whether you're looking to automate conversations or improve customer experience, Gallabox makes it easy with three flexible options for creating a blog—AI-assisted, template-based, or completely from scratch. If you're ready to build a WhatsApp chatbot from scratch using Gallabox, this guide will walk you through the process. All you need is a verified WhatsApp Business account, and Gallabox takes care of the rest! Step-by-step Guide to create a WhatsApp Chatbot in Gallabox ----------------------------------------------------------- ### Step 1: Start Building Your Bot Navigate to the **Bots** section on the left sidebar. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746032413877-compressed.png) Click **Create a Bot**—you’ll see three options: * Build with AI (AI-generated assistance) * Use a Template (Pre-made workflows) * Start from Scratch (Fully customizable bot) Select **Start from Scratch** and click **Start** Building to begin. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746032415829-compressed.png) ** Step 2: Define Your Bot Settings Enter a Bot Name that suits your chatbot’s purpose and set a **Session time** to define how long a user’s conversation remains active. Configure an **Automated message** for users who don’t receive a response immediately and then click on **Create**. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746032418009-compressed.png) ** **Step 3: Build Your Bot Flow** Use Gallabox’s **drag-and-drop** interface to design custom chatbot flows. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746032419848-compressed.png) ** Choose from a variety of messaging options: * Send text messages, images, videos, documents, or voice messages. * Collect user data using forms and lists. * Automate responses based on user interactions. **Connect** each bot card logically, ensuring a smooth conversational flow that starts from the **Start Node**. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746032421874-compressed.png) ** **​****Step 4: Publish & Deploy** Click **Publish** and fill in the necessary details, and then click **Save**. Complete the process by selecting Finish Publishing—your WhatsApp chatbot is now live and ready to engage users! ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1746032424027-compressed.png) ** However, Gallabox has certain drawbacks. **Gallabox Limitations:** * **No monthly plans are available;** users can only subscribe to quarterly and yearly plans.  * Gallabox provides **no onboarding assistance** for their _Growth_ plans.  * There's a cap on the number of user accounts per dashboard. * Additional $5/month for Shopify integrations. For businesses who want WhatsApp on their Shopify store, this will be **very costly!** Carefully choosing a right business service provider is very important and crucial for a business. Heltar: No-Code WhatsApp Chatbot Builder ---------------------------------------- **[Heltar](https://www.heltar.com/demo.html)** is a more **cost-effective**, **feature-rich**, and **scalable** solution provider for small and medium enterprises (SMEs). It offers: * **Advanced Integrations:** OpenAI and Javascript compatibility for enhanced functionality. * ​**Unlimited Scalability:** No cap on chatbot responses or users in any plan. * ​**Assisted Onboarding:** You do not need to pay extra for better support. The Heltar team will assist you all the way. * **Customer-Centric Features:** 24/7 support and a free green tick badge for credibility. * **High Volume Messaging:** Send over 1,000,000 messages with just one click, ensuring efficiency without risks. > You can [start a free trial](https://app.heltar.com/register) to explore the features by yourself or [book a free demo](https://heltar.com/demo.html)!  If you have any questions about migrating from one BSP to another, read this blog on [All You Need to Know About WhatsApp Business API BSP Migration](https://www.heltar.com/blogs/all-you-need-to-know-about-whatsapp-business-bsp-migration-cm43dovm20002pn0vlj30ssa9). For more insights, tips, and strategies to make the most of your WhatsApp Business API, explore [Heltar Blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix the “GraphQL server responded with error %s: %s %s” When Connecting WhatsApp to ManyChat [Simple Fix] Author: Anushka Published: 2025-04-24 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/how-to-fix-the-graphql-server-responded-with-error-percents-percents-percents-when-connecting-whatsapp-to-manychat-simple-fix-cm9vdoivf000q2alro35zlqxz Many users attempting to connect their WhatsApp accounts to ManyChat have reported encountering the following error during the setup process: **"GraphQL server responded with error %s: %s %s"** This issue commonly occurs at the stage where a Business Portfolio is selected within the Meta Business Suite. Despite having everything correctly configured, the process suddenly fails, showing a vague GraphQL error with no clear explanation or troubleshooting guidance. The simple workaround is to change your browser.  ### What Causes This Error? The exact cause of this issue is unclear, but it's likely tied to browser-related behavior. It may involve how cookies, scripts, or cached content are handled during the communication between ManyChat and Meta’s systems. Since the error message is generic, it doesn’t provide specific insight into what went wrong. ### The Simple Fix In multiple cases, the problem has been resolved by switching to a different web browser. For example: * Users encountering the error on Google Chrome were able to complete the setup successfully after switching to Safari. * Other browsers such as Firefox or Microsoft Edge may also resolve the issue. No changes to the Meta Business Suite or ManyChat settings were required—simply switching browsers allowed the integration to proceed without errors. ### Recommendations If this error appears while connecting WhatsApp to ManyChat: 1. Switch to a different browser and try the setup again. 2. Avoid using browser extensions or ad blockers during the integration, as they may interfere with scripts. 3. Clear cache and cookies, particularly if the same browser must be used. This is a straightforward workaround that has helped others facing the same issue. Until a more permanent fix or clearer messaging is provided by the platforms involved, using a different browser remains the most effective solution. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix INVALID_ON_CLICK_ACTION_PAYLOAD for PhotoPicker in WhatsApp Flows Author: Anushka Published: 2025-04-18 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/how-to-fix-invalidonclickactionpayload-for-photopicker-in-whatsapp-flows-cm9mvird800da14n5mpv8i39t If you're building a WhatsApp flow using a PhotoPicker component and see this error: **INVALID\_ON\_CLICK\_ACTION\_PAYLOAD** _In the complete action payload, PhotoPicker can only be used if the value of the 'max-uploaded-photos' property doesn't exceed 1._ Or: _PhotoPicker’s 'max-uploaded-photos' property value has to be 1 to be used in top level of on-click-action payload_ It means you're trying to use a PhotoPicker in the complete action’s payload, but the configuration doesn’t meet the platform’s strict requirements. ### What’s Causing This? The issue happens when: * You're using PhotoPicker in a screen. * You're referencing the selected photo(s) directly in the complete action payload. * But the max-uploaded-photos property is either not set, or set to more than 1. WhatsApp Flows only allow the PhotoPicker to be used in this way if it restricts users to uploading a single photo. ### Example of the Problem {   "children": \[     {       "type": "PhotoPicker",       "name": "photo",       "label": "PASS\_CUSTOM\_VALUE"     },     {       "type": "Footer",       "label": "PASS\_CUSTOM\_VALUE",       "on-click-action": {         "name": "complete",         "payload": {           "photo": "${screen.FIRST\_SCREEN.form.photo}"         }       }     }   \] } Now, the component is restricted to a single image, which satisfies the condition for using the photo value in the payload. This error is about platform limits on file uploads: if you're collecting more than one photo, you cannot send it in the complete action's payload directly and if you need to include a photo in the payload, set max-uploaded-photos to 1. This ensures that data passed to the backend or automation flow is clearly structured and limited to a single file, preventing any ambiguity or processing issues. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix INVALID_ON_CLICK_ACTION_PAYLOAD: Missing dynamic data in WhatsApp Flows Author: Anushka Published: 2025-04-18 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/fixing-invalidonclickactionpayload-missing-dynamic-data-in-whatsapp-flows-cm9mvanf600d814n5kxftklmq When building WhatsApp flows, you may encounter this error: **INVALID\_ON\_CLICK\_ACTION\_PAYLOAD** **Missing dynamic data '${expression}' in the data model for screen ${screenId}.** **Data binding does not exist** This error means you're trying to use a dynamic value like ${data.something} in your action payload, but that value is not available in the screen’s data model. ### Why This Happens The error occurs when: * You reference a data field in ${data.field\_name}, but that field was never defined or passed into the screen. * Your component is expecting to use data that isn’t available at runtime. In other words, the screen doesn’t know what ${data.not\_present} is because you haven’t provided it anywhere. ### Problem Example {   "type": "Form",   "name": "PASS\_CUSTOM\_VALUE",   "children": \[     {       "type": "Footer",       "on-click-action": {         "name": "complete",         "payload": {           "input": "${data.not\_present}"         }       }     }   \] } Here, the payload references ${data.not\_present}. But since not\_present was never defined in the screen’s data model, the system throws an error.​ ### How to Fix It? To resolve this, you have two options depending on your intent: #### Option 1: Pass the Required Data to the Screen If you intend to use data from a previous step, make sure it’s explicitly included in the screen’s input data. Example screen data model: {   "screen": {     "id": "PASS\_CUSTOM\_VALUE",     "data": {       "custom\_value": "user\_input"     }   } } Then reference it in your component: "input": "${data.custom\_value}" #### Option 2: Use Form Input Instead (If You Meant to Capture User Input) If the data is supposed to come from the user via form input, you should reference ${form.input\_name} instead. Example: {   "type": "Form",   "name": "PASS\_CUSTOM\_VALUE",   "children": \[     {       "type": "Input.Text",       "name": "custom\_value",       "label": "Enter a value"     },     {       "type": "Footer",       "on-click-action": {         "name": "complete",         "payload": {           "input": "${form.custom\_value}"         }       }     }   \] } This ensures the payload references a value the user actually provides. ### Key Differences Between ${form} and ${data} Expression Source Use Case ${form.input} User input from the current form Collecting input from a user ${data.field} Pre-populated data passed into the screen Using existing data or values The INVALID\_ON\_CLICK\_ACTION\_PAYLOAD error occurs when a payload references ${data.something} that doesn't exist in the screen’s data model. Make sure the value either exists in the screen’s input data or is collected via a form. Always double-check whether you're referencing data or form input and that the data is actually present and correctly named. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix INVALID_ON_CLICK_ACTION_PAYLOAD: Missing Form component Error in WhatsApp Flows Author: Anushka Published: 2025-04-18 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/how-to-fix-invalidonclickactionpayload-missing-form-component-error-in-whatsapp-flows-cm9mv5df000d714n5u9k3emmf When building WhatsApp flows, you might come across this error: **INVALID\_ON\_CLICK\_ACTION\_PAYLOAD** **Missing Form component ${expression} for screen '${screenId}'.** **Form binding does not exist** This error typically occurs when you're referencing form input using ${form.something} in your payload, but the input field doesn't actually exist in the form structure. ### What Causes This Error? The issue is usually triggered by one of the following: 1. You're referencing a form field that hasn't been defined. 2. The Form component exists, but there are no input fields within it. 3. The on-click-action tries to use a form value that doesn’t exist or is incorrectly named. ### Example of the Problem Here’s a simplified example that would cause this error: {   "type": "Form",   "name": "PASS\_CUSTOM\_VALUE",   "children": \[     {       "type": "Footer",       "on-click-action": {         "name": "complete",         "payload": {           "input": "${form.not\_present}"         }       }     }   \] } In the example above, the form references ${form.not\_present} in the payload, but there’s no input field named not\_present in the form. As a result, the system throws an error. ### How to Fix It To resolve this, you need to ensure that: * The Form component includes at least one valid input. * The input field has a name property that matches the variable you’re referencing in the payload. ### Corrected Example {   "type": "Form",   "name": "PASS\_CUSTOM\_VALUE",   "children": \[     {       "type": "Input.Text",       "name": "custom\_value",       "label": "Enter a value"     },     {       "type": "Footer",       "on-click-action": {         "name": "complete",         "payload": {           "input": "${form.custom\_value}"         }       }     }   \] } In this corrected version: * A Text input named custom\_value is added to the form. * The on-click-action payload now references an actual input that exists in the form. ### Checklist for Debugging * Ensure all form inputs are declared inside a Form component. * Match the variable names exactly, including casing. * Only use ${form.input\_name} when the corresponding input exists in the form hierarchy. The fix is straightforward: confirm the form contains the correct inputs and that all references in the payload align with the input names. For businesses using WhatsApp automation tools, ensuring that each flow component is properly structured helps prevent these types of issues and keeps user interactions smooth. If you’re building flows for onboarding, payments, or support, platforms like Heltar can help you design, test, and launch automations without running into these common errors. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## A Comprehensive Guide to Native WhatsApp Flows in 2025 Author: Manav Mahajan Published: 2025-04-17 Category: WhatsApp Business API Tags: Whatsapp Inbox, WhatsApp Forms, Native Forms URL: https://www.heltar.com/blogs/a-comprehensive-guide-to-native-whatsapp-flows-in-2025-cm9l8vdth009z14n5l1qluj37 In today’s fast-paced world, customers expect **convenience and speed** in everything they do, including filling out forms. Gone are the days of clunky, hard-to-navigate web forms. WhatsApp Forms are here to change the game by bringing form submissions directly into a platform people already use daily. WhatsApp, the most popular messaging app globally, is now more than just a communication tool—it’s a business solution. By **integrating forms** directly into WhatsApp, businesses can enhance customer engagement, streamline processes, and collect data effortlessly. In this blog, we’ll explore WhatsApp Forms, their benefits, use cases, and how integrating them with WhatsApp Business API Service Providers like [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm9l8vdth009z14n5l1qluj37/heltar.com) can help your customer experience significantly. What Are WhatsApp Forms? ------------------------ Simply put, WhatsApp Forms are forms integrated directly into WhatsApp conversations, allowing users to fill them out without leaving the app. These forms are interactive and straightforward, enabling businesses to collect information such as feedback, lead details, or survey responses, all in real-time. Here’s how it works: 1. **Step 1**: A customer interacts with your business via WhatsApp—whether through a chat, a broadcast message, or a link. 2. **Step 2**: A WhatsApp Form pops up directly in the chat window. 3. **Step 3**: The customer fills out the form seamlessly, while still engaging with your business through chat. This easy integration means no more bouncing between apps or losing momentum halfway through the form submission process. ![Heltar | LinkedIn](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1744887597448-compressed.jpeg) Why WhatsApp Forms Are a Must-Have ---------------------------------- ### 1\. **Frictionless User Experience** We’ve all been there—clicking through endless pages only to encounter slow-loading forms. WhatsApp Forms eliminate that frustration by keeping everything within the app. This seamless experience leads to faster form submissions and reduces the chances of customers abandoning the process. ### 2\. **Higher Engagement Rates** When was the last time you ignored a WhatsApp message? Rarely, if ever. People are more likely to interact with WhatsApp messages than emails or social media posts. This high level of engagement translates directly into better response rates for your forms, whether you're gathering feedback or running a poll. ### 3\. **Boosted Lead Generation** With WhatsApp Forms, you make it easy for potential leads to submit their information without navigating away from the app. Whether you're collecting contact details or customer preferences, the process is simple, quick, and effective. ### 4\. **Personalized Interactions** WhatsApp is a highly personal platform. By using WhatsApp Forms, businesses can provide customers with a more personalized experience—whether it’s tailoring the form questions or following up with specific offers based on their responses. Use Cases for WhatsApp Forms ---------------------------- Now that we’ve covered the benefits, let’s dive into some common use cases for WhatsApp Forms. ### 1\. **Lead Generation** WhatsApp Forms streamline the process, enabling businesses to collect leads quickly and efficiently. Whether you’re a real estate agent, an e-commerce platform, or an educational institution, WhatsApp Forms make lead generation smoother. ### 2\. **Feedback Collection** Customer feedback is vital for business growth, but getting it can sometimes be a challenge. WhatsApp Forms make it easy to collect feedback, especially right after a purchase or interaction. A simple, convenient form sent via WhatsApp increases the likelihood of customers responding and sharing their thoughts. ### 3\. **Surveys & Polls** Running a survey on WhatsApp is now easier than ever. By integrating forms into the app, businesses can engage their audience with interactive surveys and polls that are quick to fill out and highly effective in gathering valuable data. ### 4\. **Event Registrations** If you’re hosting a webinar, workshop, or in-person event, WhatsApp Forms offer a streamlined way for attendees to register. You can collect all the necessary details, such as names, preferences, and payment (if needed), directly within the chat. ### 5\. **Support Ticket Creation** Customer support can be a cumbersome process, but WhatsApp Forms simplify it by enabling users to create support tickets directly through WhatsApp. The process is faster and helps your support team respond more efficiently. ### 6\. **Placing Orders** WhatsApp Forms can also facilitate order placement. Businesses can use forms to collect customer orders, preferences, and payment information in a straightforward, no-fuss format. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-12-203429-1736694290506-compressed.png) **How to Create Forms?** ------------------------ **Step 1: Access Meta Business Manager** Start by logging into your [Facebook Business Manager](https://business.facebook.com/). **Step 2: Navigate to WhatsApp Accounts** From the left-hand menu, click on **"Accounts"** and select **"WhatsApp Accounts."** **Step 3: Choose Your WABA** Click on the WhatsApp Business Account (WABA) for which you want to create the form, then scroll down and click **“WhatsApp Manager.”** **Step 4: Go to Templates Section** In WhatsApp Manager, find and click **"Create Templates"** in the left panel. Then, click **“Create a New Template.”** **Step 5: Initiate a Flow Template** Choose the **"Flows"** option, click **“Next”**, and give your flow a name (this can be a temporary or sample name for now). **Step 6: Select Form Type** Under **"Type of Flow,"** choose **“Custom Form,”** then hit **“Create.”** **Step 7: Build Your Form** Add the desired questions to your form—these can be text inputs, multiple choice, dropdowns, etc.—and click **“Save.”** **Step 8: Publish the Flow** Navigate back to the **Flows** section, select your newly created flow, click the **three-dot menu**, and choose **“Publish.”** **Step 9: Use the Flow in Your Messaging** Once published, the form will automatically appear in your **DoubleTick account** under the **‘Buttons’** tab when creating a new template. Why Choose Heltar for WhatsApp Business API? -------------------------------------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-12-203516-1736694334475-compressed.png) At **Heltar**, we specialize in providing businesses with the tools and expertise to leverage WhatsApp Business API to its fullest. Here’s what sets us apart: * **Affordable Solutions**: Our pricing is transparent and competitive. * **Enhanced Delivery Rates**: We optimize message delivery for maximum impact. * **Streamlined Workflows**: Simplify customer communication with our intuitive tools. * **Tailored Integration**: Seamlessly integrate with platforms like CleverTap for advanced automation. Now create forms using Heltar. [Learn more](https://write.superblog.ai/sites/supername/heltar/posts/cm6i0tnq30010ldn30lj6trtj)! --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Message Templates: A Comprehensive Guide to Approvals and Best Practices Author: Manav Mahajan Published: 2025-04-17 Category: WhatsApp Business API Tags: Meta Support, Templates, Guidelines URL: https://www.heltar.com/blogs/whatsapp-message-templates-a-comprehensive-guide-to-approvals-and-best-practices-cm9l757xu009p14n5avpcsinb ​When leveraging WhatsApp for business communication, it's essential to understand the two primary types of messages you can send: **message templates** and **free-form messages**. Each serves a different purpose and is governed by specific rules defined by Meta (formerly Facebook). ### 1\. **Free-Form Messages** Free-form messages are unrestricted, conversational messages that can be sent when: The customer has **initiated the conversation**, and the message is sent **within the 24-hour messaging window**. These messages are: * Flexible and real-time * Allow support for all media types (text, image, video, documents, etc.) * Ideal for customer service, support queries, or active conversations However, once the 24-hour window expires, businesses **cannot use free-form messages** to reach out. ### 2\. **Message Templates** Templates are **pre-approved message formats** that businesses must use to **initiate conversations** or **follow up outside the 24-hour window**. These are regulated by WhatsApp and must be submitted and approved via Meta before use. Templates can include variables, media, buttons, and even be localized into multiple languages—making them powerful tools for personalized, scalable outreach. ![How to Send Bulk Messages on WhatsApp without Getting Banned (2025 Update) | Heltar](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/15-1730799331336-compressed.jpg) What are Message Templates & their types? Message templates ensure that business-initiated communication follows WhatsApp guidelines. They contain predefined text and are preformatted. These templates can be reused when the same message needs to be sent multiple times. When you send a message template, you can send the **template identifier** (template name) instead of the message content. Templates can contain **placeholders**. When you send the template message, you can replace the placeholders with values or personalized information. > For example: “Hi {{1}}, your order #{{2}} has been shipped and will arrive by {{3}}.” To better organize business communication and maintain relevance, WhatsApp classifies message templates into three broad categories: ### 1\. **Marketing Templates** Used to send promotional offers, product launches, event invites, and re-engagement messages. ### 2\. **Utility Templates** Designed for transactional updates like payment confirmations, order status updates, and appointment reminders. ### 3\. **Authentication Templates** Used for secure, time-sensitive actions such as OTP (One-Time Password) delivery, login codes, and verification steps. Marketing Templates ------------------- Marketing templates are designed for **business-initiated interactions** aimed at promoting products or services to users who have opted in. These templates support sending **relevant offers, updates, or promotional messages** that do not fall under utility or authentication use cases. ### Common Use Cases * Product launches and announcements * Limited-time promotions * Discount offers and coupon codes * Re-engagement campaigns ### Subcategories * **Text and Rich Media Template**: Includes plain text messages as well as those enhanced with images, videos, or other multimedia elements to increase user engagement. * **Carousel Template**: Allows businesses to showcase multiple products or services in a single message, enabling users to swipe through options. * **Limited-Time Offer Template**: Used for promotions with a fixed validity, creating urgency and encouraging timely action. * **Coupon Code Template**: Designed to share special offers or discount codes to drive purchases or engagement. * **Flow Template**: Guides users through a defined process, such as signing up for a service or completing a feedback form. * **Multi-Product Message Template**: Enables the display of multiple products with titles, product IDs, optional thumbnail images, and clickable buttons. URL shortening and click tracking are supported.  * **Catalog Template**: Allows businesses to send a catalog message with clickable product listings, optional thumbnails, and URL tracking.  Utility Templates ----------------- Utility templates support **transactional messages** that are typically **event-triggered**. These messages provide users with information related to an ongoing transaction, account status, subscription, or service activity. ### Common Use Cases * Invoice delivery and payment reminders * Payment confirmation and updates * Account or subscription status changes * Shipping and order updates * System alerts and notifications ### Subcategories * **Text and Rich Media Template**: Used to deliver transactional information with added media elements when necessary. * **Carousel Template**: Ideal for displaying multiple related updates in a swipeable format. * **Flow Template**: Guides users through steps relevant to their transaction, such as tracking an order or managing account details. Authentication Templates ------------------------ Authentication templates are used for **security-related interactions**, enabling user verification through **one-time passcodes (OTPs)** or similar mechanisms. These templates are essential for account protection, secure logins, and verification workflows. ### Common Use Cases * Account registration * Account recovery * Security verifications during login or sensitive actions Structure of a Message Template Each message template includes the following sections: * **Header**: Optional; can contain text, image, video, or document. * **Body**: Required; the main content of the message. * **Footer**: Optional; supports additional text, such as disclaimers. * **Buttons**: Optional; includes quick replies or call-to-action options. * **Cards**: Applicable to carousel templates, where each card can display different content. ![Heltar](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/f2-1744885941921-compressed.webp) Template Submission Guidelines ------------------------------ Before sending messages, businesses must **create, register, and submit** their templates for Meta approval. It is important to adhere to WhatsApp’s naming and formatting rules: * Template names must include only lowercase **alphanumeric characters** and **underscores (\_)**. * No special characters, capital letters, or whitespace are allowed in template names. Familiarity with these guidelines and limitations ensures a smooth approval process and compliant message delivery. Common Reasons for WhatsApp Message Template Rejections ------------------------------------------------------- Despite the structured process, WhatsApp message templates may be rejected during the approval stage. Understanding the common reasons for rejection can help businesses avoid delays and ensure compliance. ### 1\. Violation of WhatsApp Policies Templates must align with WhatsApp's guidelines: * **Unsolicited Promotions**: Overtly promotional language is not allowed. * **Spammy Language**: Excessive capitalization, special characters, or exaggerated urgency can result in rejection. * **Inappropriate Content**: Templates containing hate speech, harassment, or explicit content are strictly prohibited. ### 2\. Incorrect Formatting Improper formatting is a frequent cause of rejection: * **Placeholders**: Must follow the correct format (eg: {{1}}, {{2}}) for personalization. * **Structure**: Avoid excessive line breaks, special characters, or unclear formatting that impacts readability. ### 3\. Missing or Incomplete Information Templates should provide all necessary context: * **Lack of Context**: Messages should clearly indicate what they refer to (e.g., “Your order {{1}} is ready for pickup”). * **Unclear CTAs**: Calls to action must be specific and explain what the user should expect (e.g., “Track your order” instead of just “Click here”). ### 4\. Misleading or Unauthorized Content WhatsApp prioritizes trust and transparency: * **False Claims**: Unverified offers (e.g., “100% money-back guarantee”) may lead to rejection. * **Impersonation**: Using branding, names, or assets of another entity without authorization is not permitted. ### 5\. Language and Grammar Issues Poor language use can cause rejection: * **Spelling/Grammar Errors**: Mistakes reduce clarity and professionalism. * **Unsupported Languages**: Use only languages supported by WhatsApp, implemented correctly.​ ### 6\. Non-Compliance with Regional Laws Templates must adhere to **local laws and regulations**, such as data privacy, advertising standards, and consumer protection rules. Failure to do so can result in rejection even if the template complies with WhatsApp’s general policies. > Want to efficiently send message templates via WhatsApp Business API? [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm7dsv9940003ip0lk9d8mxh5/heltar.com) offers the best solutions to help you get started with [WhatsApp Business API-powered automation](https://write.superblog.ai/sites/supername/heltar/posts/cm53qefrk000erl59qp6mrk0p). Contact us today! --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## INVALID_ROUTING_MODEL – Missing Direct Route from Source to Destination in WhatsApp Flows Author: Anushka Published: 2025-04-16 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/invalidroutingmodel-missing-direct-route-from-source-to-destination-in-whatsapp-flows-cm9jtmqyx008914n579t0rbiw While building WhatsApp flows with data channel JSON (version 2.1), you might come across this error: **INVALID\_ROUTING\_MODEL: Missing direct route from screen '${source}' to screen '${destination}' in the routing model, while it exists in the navigate screen action of screen '${source}'.** This is a routing mismatch error—and it’s easier to fix than it sounds. Let’s walk through what causes it and how to resolve it. What This Error Means? ---------------------- When your screen layout includes a navigate action (like a button that takes the user to another screen), that navigation must also be declared in the routing\_model. If the action exists in your layout but the route is missing from the routing\_model, WhatsApp throws this error. ### Example That Triggers the Error {   "version": "2.1",   "routing\_model": {     "FIRST\_SCREEN": \[\]   },   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "children": \[           {             "type": "Footer",             "on-click-action": {               "name": "navigate",               "next": {                 "type": "screen",                 "name": "SECOND\_SCREEN"               }             }           }         \]       }     },     {       "id": "SECOND\_SCREEN"     }   \] } In this JSON: * FIRST\_SCREEN has a button that navigates to SECOND\_SCREEN * But the routing\_model doesn't declare that route * Result: INVALID\_ROUTING\_MODEL error **How to Fix It?** ------------------ To fix the error, you need to add the missing route to the routing\_model. #### Corrected Example {   "version": "2.1",   "routing\_model": {     "FIRST\_SCREEN": \["SECOND\_SCREEN"\]   },   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "children": \[           {             "type": "Footer",             "on-click-action": {               "name": "navigate",               "next": {                 "type": "screen",                 "name": "SECOND\_SCREEN"               }             }           }         \]       }     },     {       "id": "SECOND\_SCREEN"     }   \] } Now the routing model matches the actual navigation, and the flow is valid. Why This Happens? ----------------- The routing model acts like a map of possible paths. Even if the navigate action exists visually in the layout, WhatsApp still checks the routing\_model for an explicit connection between screens. This double-checking: * Keeps flows predictable * Helps validate logic ahead of time * Prevents broken screen transitions at runtime For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## INVALID_ROUTING_MODEL – Backward Route Not Allowed in Routing Model in WhatsApp Flows Author: Anushka Published: 2025-04-16 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/invalidroutingmodel-backward-route-not-allowed-in-routing-model-in-whatsapp-flows-cm9jtjja3008814n53fpz1lak If you're working with WhatsApp data channel flow JSON and see this error: **INVALID\_ROUTING\_MODEL: Backward route \[(destination)-)(source)\] corresponding to forward route \[(source)-)(destination)\] is not allowed in the routing model. Only forward routes can be specified.** You're likely defining bidirectional routing, which the system doesn't support. Here’s why it happens and how to fix it. ### What This Error Means The routing model in WhatsApp flows must only move forward. You cannot define a path from Screen A to Screen B and then also from B back to A. That creates a backward route, which is not allowed. ### Example That Triggers the Error {   "routing\_model": {     "FIRST\_SCREEN": \["SECOND\_SCREEN"\],     "SECOND\_SCREEN": \["FIRST\_SCREEN"\]   } } This setup tells the system: * FIRST\_SCREEN leads to SECOND\_SCREEN * But SECOND\_SCREEN also leads back to FIRST\_SCREEN This two-way routing creates a loop that prevents a clear forward flow, resulting in the INVALID\_ROUTING\_MODEL error. ### How to Fix It To resolve the error: * Remove any reverse or backward links in your routing\_model * Ensure that your flow only moves one-way from screen to screen #### Fixed Example {   "routing\_model": {     "FIRST\_SCREEN": \["SECOND\_SCREEN"\]   } } In this version: * The flow moves from FIRST\_SCREEN to SECOND\_SCREEN * There is no route going back * This structure is valid and won’t trigger an error If your experience requires users to “go back,” it should be implemented using a different mechanism—like restarting the flow, using a separate path, or offering a new interaction from a terminal screen. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## INVALID_ROUTING_MODEL – Number of Navigate Actions Exceeds the Max Limit of 10 for Screen in WhatsApp Flows JSON Author: Anushka Published: 2025-04-16 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/invalidroutingmodel-number-of-navigate-actions-exceeds-the-max-limit-of-10-for-screen-in-whatsapp-flows-json-cm9jth4te008714n527xin1ev While building WhatsApp flows using a data channel-less JSON format, you might see this error: **INVALID\_ROUTING\_MODEL: Number of branches exceeds the max limit of 10 for screen: (screenId). Reduce navigate actions for the screen.** This usually pops up when your screen layout contains too many navigation buttons. Here’s what’s going wrong—and how to fix it. ### What This Error Means? Each screen is allowed to have a maximum of 10 navigate actions—these are actions like buttons or clickable elements that take the user to another screen. Once you exceed 10 navigation paths, WhatsApp considers the screen too complex and throws an INVALID\_ROUTING\_MODEL error. ### Example That Triggers the Error {   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "children": \[           {             "type": "Footer1",             "on-click-action": {               "name": "navigate",               "next": {                 "type": "screen",                 "name": "1"               }             }           },           {             "type": "Footer2",             "on-click-action": {               "name": "navigate",               "next": {                 "type": "screen",                 "name": "2"               }             }           },           ...           {             "type": "Footer11",             "on-click-action": {               "name": "navigate",               "next": {                 "type": "screen",                 "name": "11"               }             }           }         \]       }     }   \] } This screen has 11 navigate actions, which is one over the allowed limit →  error triggered. ### How to Fix It? You need to reduce the number of navigate actions per screen to 10 or fewer. #### Option 1: Split Into Multiple Screens Group your actions and move some to a secondary screen. {   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "children": \[           { "type": "Footer1", "on-click-action": { "name": "navigate", "next": { "name": "1" } } },           ...           { "type": "Footer9", "on-click-action": { "name": "navigate", "next": { "name": "9" } } },           { "type": "More Options", "on-click-action": { "name": "navigate", "next": { "name": "SECOND\_SCREEN" } } }         \]       }     },     {       "id": "SECOND\_SCREEN",       "layout": {         "children": \[           { "type": "Footer10", "on-click-action": { "name": "navigate", "next": { "name": "10" } } },           { "type": "Footer11", "on-click-action": { "name": "navigate", "next": { "name": "11" } } }         \]       }     }   \] } #### Option 2: Use Menus, Pagination, or Scrollable Lists If supported in your UI, consider: * Grouping items into a carousel or menu * Showing fewer options per screen * Using "Next" buttons to reveal more For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## INVALID_ROUTING_MODEL – Number of Branches Exceeds the Max Limit of 10 for Screen in WhatsApp Flow JSON Author: Anushka Published: 2025-04-16 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/invalidroutingmodel-number-of-branches-exceeds-the-max-limit-of-10-for-screen-in-whatsapp-flow-json-cm9jteel8008614n57wvfge7n If you’re building a WhatsApp data channel flow and see this error: INVALID\_ROUTING\_MODEL: Number of branches exceeds the max limit of 10 for screen: (screenId). You’ve likely hit a platform limitation—and here's how to fix it. ### What This Error Means Each screen in your flow can only branch out to a maximum of 10 other screens. If a screen has more than 10 outgoing connections in the routing\_model, the system throws this error to prevent performance and UX issues. ### Example That Causes the Error {   "routing\_model": {     "FIRST\_SCREEN": \["1", "2", "3", "4", "5", "6", "7", "8", "9", "10", "11", "12"\]   } } Here: * FIRST\_SCREEN links to 12 different screens. * This exceeds the limit of 10 → error triggered. ### How to Fix It? You need to reduce the number of outgoing branches from that screen to 10 or fewer. #### Option 1: Split Choices Across Multiple Screens Break down your options into smaller chunks and route users through additional steps. **Example:** {   "routing\_model": {     "FIRST\_SCREEN": \["CHOICE\_SCREEN\_1"\],     "CHOICE\_SCREEN\_1": \["1", "2", "3", "4", "5", "CHOICE\_SCREEN\_2"\],     "CHOICE\_SCREEN\_2": \["6", "7", "8", "9", "10", "11"\]   } } This keeps each screen under the 10-branch limit but still covers all options. #### Option 2: Use Menus, Carousels, or Pagination If your UI supports it, show fewer options per screen and let users navigate to more. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## INVALID_ROUTING_MODEL – Invalid Screen Found in the Routing Model in WhatsApp Flow JSON Author: Anushka Published: 2025-04-16 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/invalidroutingmodel-invalid-screen-found-in-the-routing-model-in-whatsapp-flow-json-cm9jsg4nc008314n5sza0ilae When designing a WhatsApp data channel flow, you might come across this error: **INVALID\_ROUTING\_MODEL: Invalid screen found in the routing model: (screenId).** This error is common, especially when your flow includes screens that aren't properly linked or referenced. Let’s break down what it means and how to fix it. ### What This Error Means? This error shows up when: * A screen exists in your screens array, * But it is not referenced anywhere in the routing\_model. In simpler terms: You created a screen, but didn’t connect it to the flow—so the system doesn’t know when (or if) to show it. ### Example of the Error {   "routing\_model": {     "FIRST\_SCREEN": \[\]   },   "screens": \[     {       "id": "FIRST\_SCREEN",       "terminal": true     },     {       "id": "SECOND\_SCREEN"     }   \] } Here: * SECOND\_SCREEN exists in the screens array, * But it's not referenced in routing\_model as a destination from any screen. This causes the INVALID\_ROUTING\_MODEL error. ### How to Fix It? To fix this: 1. Make sure every screen in your screens list is referenced at least once in the routing\_model. 2. If a screen is unused, remove it—or connect it properly in the routing logic. #### Fixed Example {   "routing\_model": {     "FIRST\_SCREEN": \["SECOND\_SCREEN"\]   },   "screens": \[     {       "id": "FIRST\_SCREEN"     },     {       "id": "SECOND\_SCREEN",       "terminal": true     }   \] } Now: * Both screens are connected in the flow. * No screen is left unreferenced. * Error gone. ### Pro Tip Even if a screen is terminal (i.e. it ends the flow), it must be referenced in the routing model—otherwise, the system doesn’t know how it fits into the conversation path. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## INVALID_ROUTING_MODEL – Loop Detected in Screens (Even When There’s No Loop) in WhatsApp Flow JSON Author: Anushka Published: 2025-04-08 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/invalidroutingmodel-loop-detected-in-screens-even-when-theres-no-loop-in-whatsapp-flow-json-cm98kujv1001z9eyz32b9adqp When working with WhatsApp data channel flows, you might run into this error: **INVALID\_ROUTING\_MODEL: Loop detected in the routing model for screens: (screenIds).** This error can be confusing—especially if you’re sure there’s no visible loop in your flow. Let’s break down why it happens and how to fix it. ### What This Error Means This error occurs when your flow's routing\_model defines a loop—either directly or indirectly—between screens. A loop happens when a screen leads back to itself through a chain of transitions. This prevents the system from deciding a final end-point for the flow. ### Example of a Loop (Even if It Seems Fine) Let’s say you have the following routing\_model in your flow JSON: {   "routing\_model": {     "FIRST\_SCREEN": \["SECOND\_SCREEN"\],     "SECOND\_SCREEN": \["FIRST\_SCREEN"\]   } } At first glance, this seems harmless: two screens linked back and forth. But this creates an infinite loop: * FIRST\_SCREEN → SECOND\_SCREEN → FIRST\_SCREEN → SECOND\_SCREEN → ... and so on. There’s no exit point—which is why the error shows up. ### How to Fix It? To avoid this error: 1. Break the loop. Make sure there’s a clear end to your flow. 2. Avoid circular references in routing\_model. A screen shouldn't lead back to one that already led to it. Fixed Example {   "routing\_model": {     "FIRST\_SCREEN": \["SECOND\_SCREEN"\],     "SECOND\_SCREEN": \["THIRD\_SCREEN"\]   } } In this version: * The flow moves forward without going back to previous screens. * No loop = No error. ### Other Things to Check * If you’re using condition-based routing, ensure your conditions don’t cause a loop based on user input. * Validate your flow with test data before pushing live. ### Bonus Tip If your use case requires going back (e.g., for a “Back” button), build it outside the main routing\_model using custom actions or separate screen paths that reset the flow cleanly. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Fixing INVALID_ROUTING_MODEL: No entry screen found in WhatsApp Flow JSON Author: Anushka Published: 2025-04-08 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/fixing-invalidroutingmodel-no-entry-screen-found-in-whatsapp-flow-json-cm98klgbl001y9eyz75bf5wax When building WhatsApp Flows using a routing\_model, you may encounter this error: **INVALID\_ROUTING\_MODEL** **No entry screen found in the routing model. Expected a screen with no inbound edges as the entry screen.** This error appears when no screen qualifies as a valid starting point for the user journey — i.e., there’s no screen with zero inbound routes. What’s an Entry Screen? ----------------------- In any flow with a routing\_model, the entry screen is the screen where the conversation starts. ### Technically: It’s the screen that: * Is listed in the routing\_model. * Does not appear as a target of any other screen. The routing model forms a directed graph. The entry screen is the root node — it has no inbound edges. Problem Example --------------- {   "routing\_model": {     "FIRST\_SCREEN": \[       { "target": "SECOND\_SCREEN" }     \],     "SECOND\_SCREEN": \[       { "target": "FIRST\_SCREEN" }     \]   },   "screens": \[     { "id": "FIRST\_SCREEN", ... },     { "id": "SECOND\_SCREEN", ... }   \] } ** ### Issue: ** * FIRST\_SCREEN → SECOND\_SCREEN * SECOND\_SCREEN → FIRST\_SCREEN * There is no screen with zero incoming connections * WhatsApp has no idea where the flow starts Fixed Example ------------- Break the loop and define a proper starting point: {   "routing\_model": {     "FIRST\_SCREEN": \[       { "target": "SECOND\_SCREEN" }     \],     "SECOND\_SCREEN": \[\]   },   "screens": \[     { "id": "FIRST\_SCREEN", ... },     { "id": "SECOND\_SCREEN", ... }   \] } Now: * FIRST\_SCREEN has no inbound link → entry screen. * SECOND\_SCREEN is routed to from FIRST\_SCREEN → all good. * Flow can start at FIRST\_SCREEN as expected. How to Fix This Error --------------------- Step What to Do Identify all screen IDs in routing\_model List both sources and targets Find screen(s) with no inbound edges These are potential entry screens If none found, you likely have a circular flow or broken graph Fix by removing cycles or adding a starting node One screen must not be referenced as a target by any other screen Example: Valid vs Invalid ------------------------- ### Invalid (Loop): "routing\_model": {   "A": \[{ "target": "B" }\],   "B": \[{ "target": "C" }\],   "C": \[{ "target": "A" }\] } No entry point. Every screen is a target. ### Valid (Tree): "routing\_model": {   "A": \[{ "target": "B" }, { "target": "C" }\],   "B": \[\],   "C": \[\] } A has no inbound edges → becomes the entry screen. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Fixing INVALID_ROUTING_MODEL: Following screens are not connected with the rest of the screens via navigate screen action in WhatsApp Flow JSON Author: Anushka Published: 2025-04-08 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/fixing-invalidroutingmodel-following-screens-are-not-connected-with-the-rest-of-the-screens-via-navigate-screen-action-in-whatsapp-flow-json-cm98kgn22001q9eyzkgiim6w6 When designing data-channel-less WhatsApp Flows (where navigation between screens is handled directly via on-click-action in the UI), you may encounter this error: **INVALID\_ROUTING\_MODEL** **Following screens are not connected with the rest of the screens via navigate screen action: (screenIDs). All screens should be connected.** This error points to a broken navigation graph, meaning one or more screens are logically unreachable from the main flow through navigate actions. Root Cause ---------- In a data-less flow (no routing\_model block), WhatsApp internally builds a screen routing graph by analyzing: "on-click-action": {   "name": "navigate",   "next": {     "name": "SCREEN\_ID",     "type": "screen"   } } If a screen exists in the screens array, but there’s no valid navigate path leading to it, it’s considered disconnected — and WhatsApp throws this error. Problem Example --------------- {   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "children": \[           {             "type": "Footer",             "on-click-action": {               "name": "navigate",               "next": {                 "name": "SECOND\_SCREEN",                 "type": "screen"               }             }           }         \]       }     },     {       "id": "SECOND\_SCREEN",       ...     },     {       "id": "THIRD\_SCREEN",       ...     }   \] } ### Issue: * FIRST\_SCREEN navigates to SECOND\_SCREEN. * THIRD\_SCREEN exists, but no screen navigates to it. * No navigate action leads to THIRD\_SCREEN. So WhatsApp throws: INVALID\_ROUTING\_MODEL   Following screens are not connected with the rest of the screens via navigate screen action: THIRD\_SCREEN Fixed Example ------------- Add a navigation path to the missing screen: {   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "children": \[           {             "type": "Footer",             "on-click-action": {               "name": "navigate",               "next": {                 "name": "SECOND\_SCREEN",                 "type": "screen"               }             }           }         \]       }     },     {       "id": "SECOND\_SCREEN",       "layout": {         "children": \[           {             "type": "Button",             "on-click-action": {               "name": "navigate",               "next": {                 "name": "THIRD\_SCREEN",                 "type": "screen"               }             }           }         \]       }     },     {       "id": "THIRD\_SCREEN",       ...     }   \] } Now: * FIRST\_SCREEN → SECOND\_SCREEN → THIRD\_SCREEN forms a fully connected path. * No disconnected screens. * Flow deploys without error. In flows without a routing\_model, WhatsApp builds the screen graph by parsing all on-click-action: navigate blocks. Every screen must be reachable via this graph — otherwise it is marked as disconnected. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Fixing INVALID_ROUTING_MODEL: Following screens are not connected with the rest of the screens in WhatsApp Flow JSON Author: Anushka Published: 2025-04-08 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/fixing-invalidroutingmodel-following-screens-are-not-connected-with-the-rest-of-the-screens-in-whatsapp-flow-json-cm98k91t8001p9eyzz8d867dz When building WhatsApp Flows using a routing\_model, you might run into this error: **INVALID\_ROUTING\_MODEL** **Following screens are not connected with the rest of the screens: (screenIDs). All screens should be connected.** This happens when a valid screen exists in both screens and routing\_model, but is isolated — meaning it can’t be reached from the main flow. What This Error Actually Means ------------------------------ WhatsApp validates the entire routing model as a connected graph. If a screen: * Exists in screens. * Is listed in routing\_model. * But is not reachable from any other screen. Then it is treated as disconnected — causing this error. This is different from missing or invalid screen references. The screen itself is valid — it's just logically unreachable. What a Connected Flow Looks Like -------------------------------- A connected flow has a single unified path where: * Every screen can be reached from an entry point (typically the first screen). * All routing paths connect directly or indirectly. For example: "routing\_model": {   "FIRST\_SCREEN": \[     { "target": "SECOND\_SCREEN" }   \],   "SECOND\_SCREEN": \[     { "target": "THIRD\_SCREEN" }   \],   "THIRD\_SCREEN": \[\] } All screens are linked → No error. Invalid Example (Disconnected Routing) -------------------------------------- {   "routing\_model": {     "FIRST\_SCREEN": \[       { "target": "SECOND\_SCREEN" }     \],     "THIRD\_SCREEN": \[\]   },   "screens": \[     { "id": "FIRST\_SCREEN", ... },     { "id": "SECOND\_SCREEN", ... },     { "id": "THIRD\_SCREEN", ... }   \] } Problem: * THIRD\_SCREEN is never linked from any screen. * It's in routing\_model and screens, but is orphaned. WhatsApp throws: **INVALID\_ROUTING\_MODEL**   **Following screens are not connected with the rest of the screens: THIRD\_SCREEN.** Fixed Example ------------- {   "routing\_model": {     "FIRST\_SCREEN": \[       { "target": "SECOND\_SCREEN" }     \],     "SECOND\_SCREEN": \[       { "target": "THIRD\_SCREEN" }     \],     "THIRD\_SCREEN": \[\]   },   "screens": \[     { "id": "FIRST\_SCREEN", ... },     { "id": "SECOND\_SCREEN", ... },     { "id": "THIRD\_SCREEN", ... }   \] } Now all screens are connected in a single flow → Error resolved How to Fix It (Step-by-Step) ---------------------------- **1\. Read the Error Message:** Following screens are not connected with the rest of the screens: SCREEN\_X **2\. Check the routing\_model Graph:** * Is SCREEN\_X linked from any other screen? * If not, it's disconnected. **3\. Fix It by:** * Linking to the screen from a previous step. * Or removing the screen if it’s not supposed to be in the flow. Graph Validation Tips * Start from entry screen (e.g. FIRST\_SCREEN). * Trace all reachable screens using target. * Any screen not part of this trace is considered disconnected. * A flow is valid only if it forms a single connected graph. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Fixing INVALID_ROUTING_MODEL: Following screens are not connected in WhatsApp Flow JSON Author: Anushka Published: 2025-04-08 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/fixing-invalidroutingmodel-following-screens-are-not-connected-in-whatsapp-flow-json-cm98jv8t7001o9eyzbklex2ui When building data-channel-less WhatsApp Flows (where navigation is driven by UI actions, not a routing\_model), you may run into this error: **INVALID\_ROUTING\_MODEL** **Following screens are not connected to any of the screens: (screenIDs). A connection is formed by the navigate screen action.** Let’s look at what this means and how to fix it. What This Error Actually Means ------------------------------ This error is triggered when a screen exists in the screens array, but: * It is not connected to any other screen via a navigate action. * And you haven’t specified a routing\_model manually (as is standard in data-less flows). In this flow type, WhatsApp builds the routing graph implicitly, based on on-click-action → navigate references. If a screen is never navigated to (or from), WhatsApp considers it an orphan, and throws the error. Structure Overview (Data-Channel-Less Flow) ------------------------------------------- {   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "children": \[           {             "type": "Footer",             "on-click-action": {               "name": "navigate",               "parameters": {                 "target\_screen\_id": "SECOND\_SCREEN"               }             }           }         \]       }     },     {       "id": "SECOND\_SCREEN",       ...     }   \] } In this structure: * No routing\_model is defined. * WhatsApp analyzes each navigate action to understand how screens connect. * If a screen is not the target of any navigate, it’s flagged as unconnected. Invalid Example {   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "children": \[           {             "type": "Footer",             "on-click-action": {               "name": "data\_exchange",               "parameters": { ... }             }           }         \]       }     },     {       "id": "SECOND\_SCREEN",       ...     }   \] } Issue: * SECOND\_SCREEN is defined. * But no screen navigates to it. * data\_exchange is not a navigation action. ​So WhatsApp throws: **INVALID\_ROUTING\_MODEL** **Following screens are not connected to any of the screens: SECOND\_SCREEN** Fixed Example ------------- Update your button or footer to include a navigate action that links to SECOND\_SCREEN: {   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "children": \[           {             "type": "Footer",             "on-click-action": {               "name": "navigate",               "parameters": {                 "target\_screen\_id": "SECOND\_SCREEN"               }             }           }         \]       }     },     {       "id": "SECOND\_SCREEN",       ...     }   \] } Now: * FIRST\_SCREEN links to SECOND\_SCREEN via navigation. * Both screens are connected in the inferred routing graph. * Error resolved. How WhatsApp Infers Routing Without routing\_model In data-less flows, WhatsApp constructs the flow graph like this: 1. Parses all on-click-action: { name: "navigate", ... } 2. Connects source → target screen via target\_screen\_id 3. If a screen is never targeted, it’s considered unconnected → Error No navigate = no link in routing. Testing Tips ------------ * Every screen must be reachable via at least one navigate action. * You can still use other actions (e.g., data\_exchange, submit\_form) — but they won’t create navigation links. * Validate by following the full screen flow from the entry point. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Fixing INVALID_ROUTING_MODEL: Invalid screens found in the routing model in WhatsApp Flow JSON Author: Anushka Published: 2025-04-08 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/fixing-invalidroutingmodel-invalid-screens-found-in-the-routing-model-in-whatsapp-flow-json-cm98iquum001k9eyzrf83b11o When working with WhatsApp’s Flow Builder or sending custom Flow JSON, you might come across this error: **INVALID\_ROUTING\_MODEL**   **Invalid screens found in the routing model: (screenIDs)** This error happens when your routing\_model includes screen IDs that are not defined in the screens array. Root Cause ---------- In WhatsApp Flow JSON, the routing\_model defines how users move between screens. Each key in the routing\_model must reference a valid screen ID declared in the screens array. If any key (i.e., source screen) in routing\_model doesn’t match a defined screen, WhatsApp throws this error. JSON Structure Breakdown ------------------------ ### screens This is the list of all UI screens in your flow. "screens": \[   {     "id": "FIRST\_SCREEN",     "type": "FORM",     ...   } \] ### routing\_model Defines the flow logic between screens — each key must match a screen.id. "routing\_model": {   "FIRST\_SCREEN": \[\] } Invalid Example --------------- Here’s a broken flow: {   "routing\_model": {     "ABC": \[\]   },   "screens": \[     {       "id": "FIRST\_SCREEN",       "type": "FORM"     }   \] } Issue: * ABC is defined as a routing key (source screen). * But there's no screen with id: "ABC" in the screens array. So WhatsApp throws: **INVALID\_ROUTING\_MODEL**   **Invalid screens found in the routing model: ABC** Fixed Example ------------- {   "routing\_model": {     "FIRST\_SCREEN": \[\]   },   "screens": \[     {       "id": "FIRST\_SCREEN",       "type": "FORM"     }   \] } Now: * routing\_model uses FIRST\_SCREEN, which exists in screens. * All keys in the routing model are valid. * Flow is deployable. How to Fix This Error --------------------- 1. **Check the Error Message:** Invalid screens found in the routing model: SCREEN\_X 2. **Compare Routing Keys vs Screen IDs:** Each key in routing\_model must exist in screens. 3. **Fix One of the Following:** Rename the routing key to match an existing screen ID. Add the missing screen to the screens array WhatsApp Flow JSON is strict. Every screen ID in routing\_model — whether it's a source or a target — must exist in screens. If it doesn’t, the API throws INVALID\_ROUTING\_MODEL. Before deploying: * Validate your flow * Cross-check all screen references * Keep routing logic and screen definitions in sync For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Understanding and Fixing INVALID_ROUTING_MODEL in WhatsApp Flow JSON Author: Anushka Published: 2025-04-07 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/understanding-and-fixing-invalidroutingmodel-in-whatsapp-flow-json-cm9766k0j000h10voz2dm50la When working with WhatsApp Flows, you might run into the following error: **INVALID\_ROUTING\_MODEL** **Following screens are missing in the routing model: (screenIDs).** This is a structural issue with your flow JSON. Let's break it down. What Triggers INVALID\_ROUTING\_MODEL ------------------------------------- This error occurs when one or more screen.ids defined in the screens array are not referenced anywhere in the routing\_model. The WhatsApp API expects that every screen must be part of the routing logic — if a screen is unreachable, it’s considered invalid. WhatsApp Flow JSON Structure Overview ------------------------------------- A flow JSON has two key sections: ### 1\. screens An array of all screens used in the flow — each must have a unique id. "screens": \[   {     "id": "FIRST\_SCREEN",     "type": "FORM",     ...   } \] ### 2\. routing\_model A mapping of screen transitions. It defines: * The start screen * Where each screen routes next, based on conditions or button selections "routing\_model": {   "FIRST\_SCREEN": \[     {       "conditions": \[...\],       "target": "NEXT\_SCREEN"     }   \],   "NEXT\_SCREEN": \[\] } Invalid Example --------------- {   "routing\_model": {     "ABC": \[\]   },   "screens": \[     {       "id": "FIRST\_SCREEN",       "type": "FORM"     }   \] }​ * FIRST\_SCREEN is defined in screens. * But routing\_model only includes ABC. * Result: FIRST\_SCREEN is considered unreachable → error thrown.  {     "routing\_model": {     "FIRST\_SCREEN": \[\]   },   "screens": \[     {       "id": "FIRST\_SCREEN",       "type": "FORM"     }   \] } * Now FIRST\_SCREEN is part of the routing model. * WhatsApp knows the flow starts or passes through this screen → error resolved. Fixing the Error: Step-by-Step ------------------------------ ### 1\. Identify Missing Screens Read the error: INVALID\_ROUTING\_MODEL: Following screens are missing in the routing model: FIRST\_SCREEN, END\_SCREEN ### 2\. Check for Typos Ensure the screen ids in routing\_model match exactly with the ones in screens. ### 3\. Add Missing Screens to Routing Include them in the routing\_model like so: "routing\_model": {   "FIRST\_SCREEN": \[     {       "target": "END\_SCREEN"     }   \],   "END\_SCREEN": \[\] } ### 4\. Optional: Remove Unused Screens If any screen isn't meant to be used, remove it from the screens array to avoid unnecessary validation errors. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Flows Error INVALID_FLOW_JSON Author: Anushka Published: 2025-04-04 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-api-flows-error-invalidflowjson-cm92up0n200079vnvrkb5l0ff When working with WhatsApp API, encountering an **INVALID\_FLOW\_JSON** error can be frustrating. This error occurs when the provided Flow JSON is not properly structured, making it unreadable by the system. Since JSON errors prevent parsing, pinpointing the exact issue can be difficult. This guide will help you troubleshoot and fix common mistakes. Common Causes of INVALID\_FLOW\_JSON Errors ------------------------------------------- ### 1\. Incorrect JSON Version The specified version in your JSON might not be supported by WhatsApp. Always check the latest API documentation to ensure you are using a compatible version. ### 2\. Invalid JSON Format There might be missing or misplaced brackets, commas, or incorrect key-value pairs. #### Example of Invalid JSON: {     "routing\_model": {},     "screens": \[         ...     \],, } #### Fixed JSON: {     "routing\_model": {},     "screens": \[         ...     \] } **Solution:** Remove extra commas, misplaced brackets, and ensure proper key-value formatting. ### 3\. Schema Changes WhatsApp updates its API regularly, and older schemas may become obsolete. If your JSON was working before but now returns an error, verify that all fields comply with the latest schema. ### 4\. Malformed Flow Structure The flow JSON must follow a structured format. If any required fields are missing, the API rejects it. #### Example of Invalid JSON: {     "routing\_model": {     "screens": \[         ... } #### Fixed JSON: {     "routing\_model": {},     "screens": \[         ...     \] } **Solution:** Ensure that every { has a } and every \[ has a \], and all required fields are present. ### 5\. Internal API Issues Sometimes, the issue is on WhatsApp’s end due to temporary bugs or server-side updates. If you have confirmed that your JSON is correct, try again later or check WhatsApp’s status page for any ongoing issues. ### 6\. Incorrect Data Types JSON values must follow correct data types: * Strings must be enclosed in double quotes (") * Booleans should be true or false (without quotes) * Numbers should not be enclosed in quotes #### Example of Invalid JSON: {     "is\_active": "true" } #### Fixed JSON: {     "is\_active": true } **Solution:** Use correct data types and proper syntax. ### 7\. Using Single Quotes Instead of Double Quotes JSON requires double quotes for keys and string values. #### Example of Invalid JSON: {     'key': 'value' } #### Fixed JSON: {     "key": "value" } **Solution:** Replace single quotes (') with double quotes ("). ### 8\. Invalid Characters or Formatting Issues Copying and pasting JSON from different sources can introduce hidden characters or incorrect indentation. **Solution:** Use a JSON validator like: * [JSONLint](https://jsonlint.com/) * \[VS Code's built-in JSON formatter\] ### 9\. Malformed Objects or Arrays Ensure objects ({}) and arrays (\[\]) follow the expected structure defined by the API. Tips to Debug and Prevent Schema Errors --------------------------------------- * Review the official documentation to understand property constraints. * Use a JSON schema validator to catch errors early. * Ensure properties are placed in the correct hierarchy. * If using a coding environment, enable JSON linting. * Ensure the structure follows API requirements. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Error NOT_KEYWORD_SCHEMA_VALIDATION_FAILED in Flow JSON Author: Anushka Published: 2025-04-04 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-api-error-notkeywordschemavalidationfailed-in-flow-json-cm92ulv5900069vnvo0l0zdlv When working with Flow JSON, encountering the **NOT\_KEYWORD\_SCHEMA\_VALIDATION\_FAILED** error can be frustrating. This error typically arises due to conflicting properties that cannot exist together within a JSON component. Understanding why it occurs and how to fix it can save you time and prevent issues in your workflow. Understanding the Error ----------------------- The **NOT\_KEYWORD\_SCHEMA\_VALIDATION\_FAILED** error is triggered when a JSON structure violates the schema’s validation rules. Specifically, it occurs when: * Certain properties must be mutually exclusive, meaning they cannot be used together in the same component. * A specific property is incorrectly placed within a component where it is not allowed. ### Example Error Messages * Properties '(propertyName)' and \[(not\_required\_properties)\] must be present exclusively at (componentName). * Properties \[(not\_required\_properties)\] must be present exclusively at (componentName). * Property 'success' can only be specified on a terminal screen. Common Causes and Fixes ----------------------- ### 1\. Mutually Exclusive Properties Some properties cannot coexist in the same component. For example, in a Footer component, you cannot specify both center-caption and either left-caption or right-caption simultaneously. #### Incorrect JSON {   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "children": \[           {             "type": "Footer",             "left-caption": "left",             "center-caption": "center",             "on-click-action": {               "name": "complete",               "payloadx": {}             }           }         \]       }     }   \] } #### Fix Remove one of the conflicting properties (left-caption or center-caption). {   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "children": \[           {             "type": "Footer",             "center-caption": "center",             "on-click-action": {               "name": "complete",               "payloadx": {}             }           }         \]       }     }   \] } ### 2\. Misplaced Terminal Properties The success property should only be used in a terminal screen. If it appears on a non-terminal screen, the validation will fail. #### Incorrect JSON {   "version": "2.1",   "screens": \[     {       "terminal": "false",       "success": "true"     }   \] } #### Fix Ensure success is only present when terminal is set to true. {   "version": "2.1",   "screens": \[     {       "terminal": "true",       "success": "true"     }   \] } Tips to Debug and Prevent Schema Errors --------------------------------------- * Review the official documentation to understand property constraints. * Use a JSON schema validator to catch errors early. * Ensure properties are placed in the correct hierarchy. * If using a coding environment, enable JSON linting. * Ensure the structure follows API requirements. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Error Invalid Property Value in Flow JSON Author: Anushka Published: 2025-04-04 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-api-error-invalid-property-value-in-flow-json-cm92tqub800059vnvxgr23eeq If you're working with WhatsApp API flows and encounter the **INVALID\_PROPERTY\_VALUE** error stating: "At least one terminal screen must have property 'success' set as true." it means your flow's terminal screens are missing a required configuration. Here’s how to fix it. Understanding the Error ----------------------- In WhatsApp interactive flows, a terminal screen is a final step where the conversation ends. These screens need a 'success' property that indicates whether the interaction ended with a positive business outcome. If none of your terminal screens have "success": true, the flow will fail with an **INVALID\_PROPERTY\_VALUE** error. How to Fix It ------------- 1. **Locate Terminal Screens:** * Identify all screens in your flow where the conversation terminates. * These are marked with "terminal": true in the JSON configuration. 3. **Ensure One Terminal Screen Has 'success' Set to True:** * Modify at least one terminal screen to include "success": true. ### Example Fix: #### Incorrect Configuration (Causing Error) {   "version": "2.1",   "screens": \[     {       "terminal": true,       "success": false     }   \] } #### Corrected Configuration {   "version": "2.1",   "screens": \[     {       "terminal": true,       "success": true     }   \] } Tips to Debug and Prevent Schema Errors​ ---------------------------------------- * Review the official documentation to understand property constraints. * Use a JSON schema validator to catch errors early. * Ensure properties are placed in the correct hierarchy. * If using a coding environment, enable JSON linting. * Ensure the structure follows API requirements.​ For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Error INVALID_DEPENDENCIES in WhatsApp Flows Author: Anushka Published: 2025-03-31 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-api-error-invaliddependencies-in-whatsapp-flows-cm8wwgajy0005yis2k89au1u0 If you're working with WhatsApp Flow JSON and see an error like this: **INVALID\_DEPENDENCIES** **Footer should have property left-caption when property right-caption is present.** —or the reverse: **Footer should have property right-caption when property left-caption is present.** It means your component is missing a required companion property. Let’s walk through what’s happening and how to fix it. What This Error Means --------------------- This error shows up when a property depends on another one being present, but it’s not. In this case, the Footer component expects that if you define either left-caption or right-caption, you must define both. They’re a pair. The Problem ----------- Here’s a Flow JSON example that will trigger the error: {   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "children": \[           {             "type": "Footer",             "left-caption": "left",             "on-click-action": {               "name": "complete",               "payload": {}             }           }         \]       }     }   \] } ### What’s wrong here? * left-caption is defined. * right-caption is missing. * WhatsApp expects both if either one is used. The Fix ------- To fix this, add the missing right-caption field, like so: {   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "children": \[           {             "type": "Footer",             "left-caption": "left",             "right-caption": "right",             "on-click-action": {               "name": "complete",               "payload": {}             }           }         \]       }     }   \] } Now, the dependency is satisfied. No more error. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Error INVALID_ENUM_VALUE in WhatsApp Flows Author: Anushka Published: 2025-03-31 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-api-error-invalidenumvalue-in-whatsapp-flows-cm8wwciiy0003yis233ccyo69 While building a WhatsApp Flow, you might run into this error: **INVALID\_ENUM\_VALUE** **Value should be one of: \[data\_exchange, navigate\].** This is a static validation error, and it usually means that you've used a valid property—but with a value that’s not allowed. In simple terms: You used the right key, but gave it the wrong value. Let’s break it down and fix it with a real example. Example of the Problem Here’s a snippet that causes the INVALID\_ENUM\_VALUE error: {   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "children": \[           {             "type": "EmbeddedLink",             "text": "link",             "on-click-action": {               "name": "complete",               "payload": {}             }           }         \]       }     }   \] } So what’s wrong? The on-click-action.name is set to "complete"—but for an EmbeddedLink, that’s not one of the allowed values. The Fix ------- According to the WhatsApp Flow schema, EmbeddedLink supports only specific values for on-click-action.name, like: \[data\_exchange, navigate\] So, to fix the error, update the name value to one of the allowed options: {   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "children": \[           {             "type": "EmbeddedLink",             "text": "link",             "on-click-action": {               "name": "navigate",               "payload": {                 "screen\_id": "SECOND\_SCREEN"               }             }           }         \]       }     }   \] } Now it’s valid! We’re using an allowed value (navigate) for this component type. Why This Happens ---------------- Different components in WhatsApp Flows have different rules for what actions they can trigger. For example: * Button might support actions like data\_exchange or complete. * Footer can trigger complete. * EmbeddedLink supports only navigate or data\_exchange. If you assign an unsupported action to a component, you’ll get this INVALID\_ENUM\_VALUE error. Quick Reference: Allowed Values (Examples) ------------------------------------------ Component Allowed on-click-action.name values Button data\_exchange, navigate, complete Footer complete only EmbeddedLink navigate, data\_exchange Always check the documentation or component-specific schema when in doubt. _**Tip:**_ Try using the official Flow Builder UI for a few screens before editing JSON directly. It helps you understand which components accept which values—without having to memorize the entire schema. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Error INVALID_PROPERTY_TYPE in WhatsApp Flows Author: Anushka Published: 2025-03-31 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-api-error-invalidpropertytype-in-whatsapp-flows-cm8ww0gka0002yis2f0bv5jug When building or editing a WhatsApp Flow, you might run into an error like this: **INVALID\_PROPERTY\_TYPE** **Expected property (errorPath) to be of type (expectedType), but found (actualType).** This is a static validation error, meaning WhatsApp checks the structure of your JSON before even running the flow. Let's break it down and fix it. What This Error Means --------------------- The error shows up when a valid property is present—but its value is in the wrong format or type. You’re not missing the property itself, but the value isn’t what the system expects. Example of the Problem ---------------------- Here’s a common example that causes this error: {   "type": "TextArea",   "label": "Your input",   "enabled": "yes" } Let’s look at what’s wrong: * "enabled" is a valid property, but its value should be a boolean (true or false), not a string. * "enabled": "yes"  → invalid type (string instead of boolean) The Fix ------- To fix it, just use the correct data type: {   "type": "TextArea",   "label": "Your input",   "enabled": true } Now, "enabled" is set to a boolean value, which is exactly what the Flow engine expects. Common Property Type Expectations in WhatsApp Flows --------------------------------------------------- Here's a quick reference of properties and their expected types: Property Expected Type Example Values enabled boolean true, false label string "Enter name" max-chars number / string 100 or "${data.max\_chars}" options array \[{"label": "Yes", "value": "yes"}\] type string "TextInput", "Button", "TextArea" For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Resolving WhatsApp API Error INVALID_PROPERTY_KEY in WhatsApp Flow JSON Author: Anushka Published: 2025-03-31 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/resolving-whatsapp-api-error-invalidpropertykey-in-whatsapp-flow-json-cm8wvw70c0000yis2ie5v16kt Flow JSON enforces strict validation rules to ensure that configurations are correctly structured. One common validation issue developers encounter is the **INVALID\_PROPERTY\_KEY** error. This error occurs when an unrecognized or extra property is included in the JSON structure. In this guide, we'll break down why this error happens, how to fix it, and best practices to avoid it. What is the INVALID\_PROPERTY\_KEY Error? ----------------------------------------- ### Error Code: INVALID\_PROPERTY\_KEY **Error Message:** _Property (propertyName) cannot be specified at (errorPath)._ **When inside a component:** _Property (propertyName) cannot be specified at (componentName) on (errorPath)._ **Cause:** * The specified property is not recognized within the Flow JSON schema. * Additional properties that are not explicitly allowed trigger this error. * Flow JSON only accepts predefined keys for each component and section. ### Example of an Invalid Flow JSON File {    "version": "2.1",    "myNewProp": "hello" } #### Explanation * "myNewProp" is not a valid key according to Flow JSON specifications. * Only predefined properties are allowed. * Any extra or misspelled properties will lead to an INVALID\_PROPERTY\_KEY error. How to Fix the INVALID\_PROPERTY\_KEY Error ------------------------------------------- To resolve this error, follow these steps: 1. **Check the Allowed Properties:** Refer to the official Flow JSON documentation to ensure you're using valid properties. 2. **Remove or Correct Invalid Properties:** If a property is incorrect, either remove it or replace it with a valid key. 3. **Validate JSON Before Deployment:** Use JSON schema validation tools to detect issues before implementing changes. ### Corrected Flow JSON Example {    "version": "2.1" } Here, the invalid property "myNewProp" has been removed, ensuring schema compliance. _**Tip: Use JSON validation tools to catch errors early and always refer to official documentation before adding new properties.**_ For more insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Error PATTERN_MISMATCH in WhatsApp Flows Author: Anushka Published: 2025-03-31 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-api-error-patternmismatch-in-whatsapp-flows-cm8wvm2p7009k4w8ioas5o4w5 If you're building a flow on WhatsApp and hit a **PATTERN\_MISMATCH** error, you're not alone. This is one of those errors that can be confusing at first, but it usually comes down to formatting issues in your JSON. Here’s what the error typically looks like: _PATTERN\_MISMATCH_ _Property (propertyName) should only consist of alphabets and underscores._ _Property (propertyName) should be of type '(type)' or have dynamic data format..._ Let’s unpack what this means and how you can fix it quickly. The Problem ----------- Here’s a broken example that causes a PATTERN\_MISMATCH: {   "screens": \[     {       "id": "FIRST\_1",       "layout": {         "children": \[           {             "type": "TextInput",             "name": "Description",             "label": "Enter decsription",             "max-chars": "Hundred"           }         \]       }     }   \] } There are two main issues here: ###  1. id Format Issue id: "FIRST\_1": WhatsApp Flow screen IDs must contain only alphabets and underscores. Change it to "FIRST" or "FIRST\_SCREEN". ### 2\. max-chars Must Be a Number or Dynamic Expression "max-chars": "Hundred": This should be a number like 100 or a dynamic variable like "${data.limit}". The Fix ------- Here’s the corrected version: {   "screens": \[     {       "id": "FIRST\_SCREEN",       "layout": {         "children": \[           {             "type": "TextInput",             "name": "Description",             "label": "Enter description",             "max-chars": 100           }         \]       }     }   \] } Now everything is in the proper format: * The screen ID uses only alphabets and underscores. * max-chars is a valid number. Common Format Rules in WhatsApp Flows ------------------------------------- Here’s a quick reference to avoid PATTERN\_MISMATCH errors in the future: Property Rule id Only alphabets and underscores (FIRST\_SCREEN, not FIRST\_1) name No spaces, special characters; stick to alphabets + underscores max-chars Must be a number (e.g. 100) or dynamic ("${data.maxLength}") Dynamic Values Must follow format like ${data.value} or ${screen.data.value} Empty Strings Not allowed in required fields For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Error MISSING_REQUIRED_TYPE_PROPERTY in WhatsApp Flows JSON Author: Anushka Published: 2025-03-31 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-api-error-missingrequiredtypeproperty-in-whatsapp-flows-json-cm8wv4w0r009i4w8iz6atrs0o If you're working with WhatsApp Flows you might come across the error: **MISSING\_REQUIRED\_TYPE\_PROPERTY** **Required property '${propertyName}' is missing.** This means the system expects a specific property—usually "type"—to be present, but it's missing in your JSON. Let’s break it down. What Does This Error Mean? When a component or element is defined in a JSON schema, certain properties are required to identify how the system should render or process it. One of the most common required fields is "type", which tells the system what kind of component you're working with—like a button, image, or text block. Example of the Problem ---------------------- Here’s a broken JSON snippet that throws the error: {   "screens": \[     {       "id": "FIRST",       "layout": {         "children": \[           {             "text": "Description"           }         \]       }     }   \] } **What’s wrong?** The child element has "text" but no "type".  **The Fix: Add the Missing type Property** To resolve the error, simply define the type of the element: {   "screens": \[     {       "id": "FIRST",       "layout": {         "children": \[           {             "type": "text",             "text": "Description"           }         \]       }     }   \] } Now the system knows that this child is a text element, and it can render it correctly. Common Required Properties -------------------------- Depending on your schema or platform, these are some frequently required fields: Property Purpose type Defines the component type (e.g., text, button, image) id Identifies the element uniquely text Content of a text-based component action Describes what happens on interaction Make sure to refer to the schema documentation for required fields. For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Error MIN_ITEMS_REQUIRED and MIN_CHARS_REQUIRED in Flow JSON Author: Anushka Published: 2025-03-31 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-api-error-minitemsrequired-and-mincharsrequired-in-flow-json-cm8wuyyhe009h4w8i01a8b3gj The **MIN\_ITEMS\_REQUIRED** and **MIN\_CHARS\_REQUIRED** errors occur when a property in your Flow JSON does not meet the required minimum length or item count. These errors indicate that a field is either empty or does not contain enough elements to be valid. ### Error Message Examples * _MIN\_ITEMS\_REQUIRED:_ _Property '${propertyName}' should have at least '${minQuantityCount}' ${quantityUnit}._ * _MIN\_CHARS\_REQUIRED:_ _Property '${propertyName}' should have at least '${minQuantityCount}' ${quantityUnit}._ ### Understanding the Issue #### Example 1: MIN\_CHARS\_REQUIRED {   "screens": \[     {       "id": ""     }   \] } Here, the id property is required to have at least one character, but it is empty (""). #### Example 2: MIN\_ITEMS\_REQUIRED {   "version": "2.1",   "screens": \[\] } In this case, the screens array is empty, but it must contain at least one item. ### Common Causes of These Errors 1. Empty Strings in Required Fields * Incorrect: "id": "" * Correct: "id": "screen\_123" 3. Missing Items in Arrays * Incorrect: "screens": \[\] * Correct: "screens": \[{ "id": "screen\_1" }\] 5. Forgetting to Populate Required Fields * Ensure that all required fields contain valid values before submitting the JSON. ### How to Fix These Errors * Check the Error Message: Identify whether the issue is a missing character count or a missing array item. * Review the Required Minimums: Refer to the Flow JSON documentation to understand the required values. * Update the JSON: Ensure all fields contain valid data with the required minimum characters or items. ### Fixed JSON Examples #### Fix for MIN\_CHARS\_REQUIRED {   "screens": \[     {       "id": "screen\_1"     }   \] } #### Fix for MIN\_ITEMS\_REQUIRED {   "version": "2.1",   "screens": \[     {       "id": "screen\_1"     }   \] } By following these steps, you can prevent **MIN\_ITEMS\_REQUIRED** and **MIN\_CHARS\_REQUIRED** errors and ensure your Flow JSON is properly formatted. For more insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Error INVALID_PROPERTY_VALUE_FORMAT in Flow JSON Author: Anushka Published: 2025-03-31 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-api-error-invalidpropertyvalueformat-in-flow-json-cm8wuuntl009g4w8i9blopyc7 The **INVALID\_PROPERTY\_VALUE\_FORMAT** error occurs when a property’s value does not follow the required format. This means that while the property itself is valid, the value assigned to it does not match the expected format. ### Error Message Example _INVALID\_PROPERTY\_VALUE\_FORMAT_ _Property '${propertyName}' should be in '${format}' format._ For example: _Property 'data\_channel\_uri' must be in 'uri' format._ ### Understanding the Issue Let’s look at an example where this error occurs: {   "version": "2.1",   "data\_channel\_uri": "placeholder\_uri",   "screens": \[     ...   \] } Here, the data\_channel\_uri property expects a valid URI format, but the value "placeholder\_uri" does not follow the correct structure (e.g., https://example.com). ### Common Causes of This Error 1. **Invalid URI Format** * Incorrect: "data\_channel\_uri": "placeholder\_uri" * Correct: "data\_channel\_uri": "https://api.example.com/channel" 3. **Date Format Issues:** Some properties may require a specific date format (YYYY-MM-DD or ISO 8601). 4. **Unexpected Number or String Formats:** Ensure numerical values do not contain unwanted characters (e.g., 1,000 instead of 1000). ### How to Fix It? * **Identify the Property:** Check the error message for the property name. * **Verify the Required Format:** Refer to the Flow JSON documentation to find the correct format. * **Update the Value:** Modify the property value to match the required format. ### Fixed JSON Example {   "version": "2.1",   "data\_channel\_uri": "https://api.example.com/channel",   "screens": \[     ...   \] } Now, the data\_channel\_uri property has a valid URI format, resolving the error. _**Tip: Use JSON validation tools to catch errors early and always refer to official documentation before adding new properties.**_ By ensuring that all property values adhere to the correct format, you can prevent INVALID\_PROPERTY\_VALUE\_FORMAT errors in your Flow JSON. For more insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Error INVALID_PROPERTY_VALUE in Flow JSON Author: Anushka Published: 2025-03-31 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-api-error-invalidpropertyvalue-in-flow-json-cm8wupp02009f4w8itslxluve Flow JSON enforces strict validation rules to ensure that configurations are correctly structured. One common validation issue developers encounter is the **INVALID\_PROPERTY\_VALUE** error. This error occurs when an unrecognized or extra property is included in the JSON structure. In this guide, we'll break down why this error happens, how to fix it, and best practices to avoid it. What is the INVALID\_PROPERTY\_VALUE Error? ------------------------------------------- ### Error Code: INVALID\_PROPERTY\_VALUE **Error Message:** Invalid value found for property (propertyName) at (errorPath). **Cause:** * A property has been assigned a value that is not permitted in Flow JSON. * The value does not match the expected data type or format. * Only predefined values are allowed for specific properties. ### Example of an Invalid Flow JSON File {    "layout": "myNewLayout" } #### Explanation * "layout" expects a predefined layout type, but "myNewLayout" is not recognized. * Using an invalid layout type triggers an INVALID\_PROPERTY\_VALUE error. Another invalid example: {   "layout": {     "type": "SingleColumnLayout",     "children": \[       {         "type": "newComponent"       }     \]   } } #### Explanation * The component type "newComponent" is not defined in Flow JSON. * Only predefined component types are allowed. How to Fix the INVALID\_PROPERTY\_VALUE Error --------------------------------------------- To resolve this error, follow these steps: 1. **Check the Allowed Property Values:** Refer to the official Flow JSON documentation for valid values. 2. **Use Only Supported Values:** Ensure all property values conform to the expected format and data type. 3. **Validate JSON Before Deployment:** Run your JSON through schema validation tools to catch errors early. ### Corrected Flow JSON Example {    "layout": {       "type": "SingleColumnLayout",       "children": \[\]    } } Here, an invalid component type has been removed, ensuring compliance. _**Tip: Use JSON validation tools to catch errors early and always refer to official documentation before adding new properties.**_ For more insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Error INVALID_PROPERTY_TYPE in Flow JSON Author: Anushka Published: 2025-03-31 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-api-error-invalidpropertytype-in-flow-json-cm8wullh7009e4w8iy5c8ns2d The **INVALID\_PROPERTY\_TYPE** error occurs when a property in your Flow JSON has a value of an unexpected type. This means that the data type you’ve used doesn’t match the expected type for that property. ### Error Message Example INVALID\_PROPERTY\_TYPE _Expected property (errorPath) to be of type (expectedType), but found (actualType)._ Invalid type of value found for a valid property type. ### Understanding the Issue Let’s consider an example where this error occurs: {   "type": "TextArea",   "label": "Your input",   "enabled": "yes" } Here, the enabled property is expected to be a boolean (true or false), but the provided value is a string ("yes"). This mismatch causes the INVALID\_PROPERTY\_TYPE error. ### Common Causes of This Error 1. **Using Strings Instead of Booleans or Numbers:** * Incorrect: "enabled": "yes" * Correct: "enabled": true 3. **Providing Arrays Instead of Objects:** Ensure that if a property expects an object ({}), you do not provide an array (\[\]). 4. **Mismatching Data Types in Properties:** Check the documentation for expected types and ensure values match. ### How to Fix It? * **Identify the Property:** Look at the error message to find which property has an invalid type. * **Check the Expected Type:** Refer to the Flow JSON documentation to see what data type is required. * **Correct the Value:** Update the property with the correct type. ### Fixed JSON Example {   "type": "TextArea",   "label": "Your input",   "enabled": true } Now, the enabled property is a boolean (true), fixing the issue. _**Tip:**_ _Use JSON validation tools to catch errors early and always refer to official documentation before adding new properties._ By following these steps, you can easily troubleshoot and fix the INVALID\_PROPERTY\_TYPE error in Flow JSON. For more insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to build a chatbot in AiSensy in under 10 minutes Author: Nilesh Barui Published: 2025-03-30 Category: WhatsApp Chatbot Tags: WhatsApp Chatbot, AiSensy User Reviews , top aisensy alternative, AiSensy alternatives URL: https://www.heltar.com/blogs/how-to-build-a-chatbot-in-aisensy-in-under-10-minutes-cm8v9ra9m007j4w8idbjqd6i4 AiSensy’s flow builder allows you to create WhatsApp chatbots that are easy to make and update without any coding, totally interactive, and personalized specially for users. You can follow the following steps to create your first ever chatbot in almost no time! Step-by-step guide to create a WhatsApp chatbot on AiSensy ---------------------------------------------------------- ### Step 1: Create your Flow  Purchase or try your 14-day free trial for the Aisensy flowbuilder. Then click on “Create Flow”. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/catalogueimagespercent285percent29-1743316958033-compressed.png) ### Step 2: Add keywords to trigger the chatbot Add proper keywords to the “Flow start” to trigger the chatbot. You can add multiple options, like Hi, Hello, Hey etc. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/2-1743317044639-compressed.png) ### Step 3: Start updating your flow with blocks Drag appropriate message blocks and elements from the sidebar and drop them into your flow and connect them by stretching a thread from the flow start or the previous block. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/4-1743317285450-compressed.png) ### Step 4: Save the chatbot You can use all types of relevant message types and combine them to create your bot. Once completed, you can press "Save Changes" to save your progress. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/8-1743317473028-compressed.png) ### Step 5: Enable the bot Finally, return to your flow builder and toggle the enable option to make your flow live. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/11-1743317577069-compressed.png) However, AiSensy has its own drawbacks. AiSensy Limitations ------------------- * Its Basic & Pro plans have **restricted certain key tools**. * Features like tags and attributes are limited. * AiSensy's basic plans offer **limited analytics**, which are free on other platforms. * **No campaign scheduler** in its Basic plan. Choosing the right WhatsApp Business API provider is very important to reap the most benefits in the best economically possible way.  Heltar: No-Code WhatsApp Chatbot Builder ---------------------------------------- **[Heltar](https://www.heltar.com/demo.html)** is a more **cost-effective**, **feature-rich**, and **scalable** solution provider for small and medium enterprises (SMEs). It offers: * **Unlimited Tags:** There are no limits on how many user accounts you can have on your dashboard with Heltar. * **Advanced Integrations:** OpenAI and Javascript compatibility for enhanced functionality. * ​**Unlimited Scalability:** No cap on chatbot responses or users in any plan. * **Customer-Centric Features:** 24/7 support and a free green tick badge for credibility. * **High Volume Messaging:** Send over 1,000,000 messages with just one click, ensuring efficiency without risks. > You can [start a free trial](https://app.heltar.com/register) to explore the features by yourself or [book a free demo](https://heltar.com/demo.html)!  If you have any questions about migrating from one BSP to another, read this blog on [All You Need to Know About WhatsApp Business API BSP Migration](https://www.heltar.com/blogs/all-you-need-to-know-about-whatsapp-business-bsp-migration-cm43dovm20002pn0vlj30ssa9). For more insights, tips, and strategies to make the most of your WhatsApp Business API, explore [Heltar Blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## What is the difference between WhatsApp Cloud API & WhatsApp Business API? Author: Manav Mahajan Published: 2025-03-29 Category: WhatsApp Business API Tags: Cloud API, Meta Business, Whatsapp Business API URL: https://www.heltar.com/blogs/what-is-the-difference-between-whatsapp-cloud-api-and-whatsapp-business-api-cm8uqjcom00734w8ijgv8jqld Introduction ------------ WhatsApp has become a crucial communication tool for businesses, offering seamless customer engagement through its APIs. While the WhatsApp Business API has been available for a while, Meta introduced the WhatsApp Cloud API to simplify access and reduce costs, while increasing complexity. This blog explores the differences between WhatsApp Cloud API and WhatsApp Business API to help businesses choose the best solution for their needs. ![Heltar](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/metaicon-1743285180475-compressed.png) What Is WhatsApp Cloud API? --------------------------- WhatsApp Cloud API is a cloud-hosted version of the WhatsApp Business API, managed directly by Meta. It allows developers & businesses to develop and code over WhatsApp API directly, facilitating them to integrate WhatsApp messaging capabilities without the need for a third-party Business Service Provider (BSP) to host and maintain the API. ### Key Features of WhatsApp Cloud API * **Free API Software Upgrades** – Meta ensures businesses always have access to the latest version. * **No Hosting Costs** – Unlike on-premise solutions, businesses do not need to pay for hosting. * **End-to-End Encryption** – Ensures security and privacy for messages. * **Complex to execute** – Businesses are expected to code and develop bulk messaging solutions on their own. * **No UI/UX** \- There is no graphic interface to the said cloud API. ### How WhatsApp Cloud API Works Meta hosts the API infrastructure, handling maintenance, security updates, and scaling. Businesses can register multiple phone numbers and send bulk messages without worrying about infrastructure costs. Getting access to the Cloud API is quick, with approval directly from Meta in just a few minutes. What Is WhatsApp Business API? ------------------------------ WhatsApp Business API was initially designed for medium and large enterprises, requiring businesses to apply for API access through an official BSP. Unlike the Cloud API, businesses using this API must rely on a BSP to provide hosting and infrastructure support. But It is easier and hassle free for the businesses, as they can access the features of WhatsApp API without having to code. They get access to the Business Service Provider (BSP)'s graphic UI/UX that has been built over WhatsApp's existing API. ### Key Features of WhatsApp Business API * **Bulk Messaging** – Allows businesses to send marketing messages and notifications to opted-in users. * **Multi-Agent Support** – Enables customer service teams to manage WhatsApp interactions collaboratively. * **Chatbot Integration** – Supports AI-powered bots to automate customer interactions. * **Business Verification** – Offers a verified badge to build customer trust. * **Custom Integrations** – Businesses can integrate the API with CRMs, eCommerce platforms, and third-party tools. ### How to Get Started with WhatsApp Business API 1. **Choose a BSP** – Businesses must partner with an official WhatsApp Business Service Provider, say [Heltar - Best WhatsApp API Provider](https://www.heltar.com/blogs/what-is-a-whatsapp-business-api-complete-guide-2025-cm5gwuofn00jgb972drxarf3g). 2. **Verify the Business** – Provide legal documents such as a Certificate of Incorporation or GST certificate. 3. **Integrate the API** – Connect the API with existing business systems. 4. **Start Messaging** – Send bulk campaigns, automate customer interactions, and manage support requests. WhatsApp Cloud API vs. WhatsApp Business API: A Quick Comparison ---------------------------------------------------------------- Feature WhatsApp Cloud API WhatsApp Business API **Hosting** Hosted by Meta Hosted by BSP **Complexity** Developers/Businesses have to code themselves  Easy to use & access via BSP **Cost** No hosting fees BSPs charge hosting fees **UI/UX** No UI/UX exists for the businesses Direct interaction with BSP's UI/UX (platform) **Software Updates** Automatic Manual updates via BSP **Chatbots** Yes Yes **Message Throughput** Up to 250 messages per second Depends on BSP **Green Tick Verification** Available Available, facilitated via the BSP Agents **Use Case** Ideal for extremely big businesses, especially in Tech, IT & Business Communication Sector Suitable for any & every kind of business, especially SMBs  Why Choose Heltar for WhatsApp Business API? -------------------------------------------- ![How to Send Bulk Messages on WhatsApp without Getting Banned (2025 Update) | Heltar](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/15-1730799331336-compressed.jpg) While WhatsApp Cloud API provides direct access, many businesses prefer a managed solution to handle integrations, automations, and compliance. [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm8uqjcom00734w8ijgv8jqld/heltar.com), an official WhatsApp Business API provider, simplifies the process with: * **Quick & Easy Onboarding** – Businesses can apply and get approved for WhatsApp Business API effortlessly. * **Bulk Messaging & Automation** – Use Heltar’s platform to automate campaigns and manage large-scale customer interactions. * **CRM & eCommerce Integrations** – Seamlessly connect WhatsApp API with business tools. * **Expert Support** – Get assistance with API setup, compliance, and troubleshooting. If you’re looking for an easy way to leverage WhatsApp Business API, visit [Heltar](https://app.heltar.com) to get started today. Conclusion ---------- > WhatsApp Cloud API and WhatsApp Business API both offer powerful communication capabilities, but their suitability depends on business needs. While Cloud API provides direct access with no hosting fees, Business API (via a BSP like Heltar) offers managed services, integrations, and additional support. Understanding these differences helps businesses choose the right solution for seamless customer engagement. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Top 8 Best ChatFuel AI Alternatives - 2025 Latest Update Author: Manav Mahajan Published: 2025-03-26 Category: WhatsApp Chatbot Tags: BotPress, WhatsApp Chatbot, Business Chatbot URL: https://www.heltar.com/blogs/copy-of-copy-of-top-10-best-botpress-alternatives-2025-latest-update-cm8hqkpgh000fnrewezq5swqm ChatFuel has been a leader in conversational AI for long now, but it’s not always the best option. These alternatives offer the features, flexibility, and control enterprises need to excel. ![Chatfuel Tutorial: How to use Chatfuel in 2023](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1742970274562-compressed.png) ChatFuel is used to build bots, that can be easily deployed on **Facebook, Instagram,** & **WhatsApp**. It includes features like Live chat, Shared inbox, Assigning agents, Mobile inbox app, Triggering flows from Live chat, Official WhatsApp API, & Click-to-WhatsApp Ads.  **Pricing for Businesses**  1) Instagram & Facebook - **₹1,020**/month + ₹1.02/extra conversation per month 2) WhatsApp - **₹1,630**/month + ₹0.83/extra conversation per month **Pricing for Enterprises **Starting **$300** that includes bot building services (10 free hours) & a personal account manager + bulk conversational pricing ChatFuel Alternatives --------------------- 1\. Dialogflow -------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/dialogflowlogo-1742498566870-compressed.png) Both Botpress and Dialogflow are widely used chatbot platforms, but they cater to different audiences. #### Key Features & Differences Feature Botpress Dialogflow **Free Version** Yes (Open Source) Yes (Limited Trial) **Enterprise Solution** Yes Yes (Dialogflow CX) **3rd Party NLU Support** Yes No **Supported Languages** 12+ via FastText 30+ languages supported **Conversational Flow Editor** Yes No (Dialogflow ES), Yes (CX) **Messaging Platforms** Facebook Messenger, Telegram, Slack, Microsoft Teams, WhatsApp (via Smooch.io) Facebook Messenger, Telegram, Slack, Twilio, Web, LINE, etc. #### Implementation Aspect Botpress Dialogflow **Setup Speed** Quick setup, low-code interface Requires customization for full use **Customization** Drag-and-drop design with JS Templates and starter packs available #### Cost Aspect Botpress Dialogflow **Pricing Model** Free Open Source + Enterprise Charges per request and audio minute **Additional Costs** None for core features Extra Google Cloud costs may apply #### Knowledge/Resources Aspect Botpress Dialogflow **Ease of Use** Visual interface for easy iteration Simple for basic bots, steep curve for CX **Learning Curve** Designed for developers with clear guidance Requires integration with Google Cloud services **Best for:** Botpress for open-source flexibility; Dialogflow for businesses already invested in Google Cloud services. ### Pricing Dialogflow has two plans - Customer Experience (CX) & Essentials (ES), the pricing of which can be explored in detail [here](https://www.heltar.com/blogs/google-dialogflow-pricing-explained-cx-and-es-in-2025-cm7m7m7cp00j9ip0li1hg9v83). 2\. Microsoft Copilot Studio ---------------------------- ![Evaluating Microsoft Copilot Studio-based RAG Agents with the Copilot Studio Evaluator](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891299440-compressed.webp) Microsoft Copilot Studio is designed for businesses using Microsoft tools like Dynamics 365 and Teams. Its automation capabilities enhance efficiency across departments. **Key features:** * Seamless integration with Microsoft products * Workflow automation to boost productivity * Scalable to suit enterprises of all sizes **Best for:** Businesses operating within the Microsoft ecosystem. ### Pricing 1) **Microsoft Copilot Studio** - $200 for 25,000 messages/month (Build your own agents, available across multiple channels, to assist employees and customers) 2) **Microsoft Copilot Studio Pay as you go** - Start using without any commitment up front. Pay for only what you use. Build and deploy agents across multiple channels, to assist employees and customers. 3) **Microsoft 365 Pilot** - $30/user/month paid yearly. Use Copilot Studio to create agents that work with Microsoft 365 Copilot. Bring Microsoft 365 Copilot to your organization with a qualifying Microsoft 365 subscription for business or enterprise. 3\. Rasa -------- ![Rasa Developer Certification Exam](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891057144-compressed.webp) Rasa gives businesses unmatched control over their conversational AI. Unlike closed platforms, it lets you create assistants that reflect your unique business goals. With tools like Rasa Studio, businesses can simplify development without compromising power. Rasa supports on-premises deployment for greater data control and handles unexpected user inputs effectively. ### **Key features** * Customizable AI development * Full data ownership * Flexible language model options * No-code interface for easy workflow design **Best for:** Enterprises prioritizing flexibility, security, and scalability. ### **Pricing** 1) **Free Developer Edition** - One bot per company, with up to 1000 external conversations/month or 100 internal converations/month. 2) **Growth Plan** - Simple deployment and fast time-to-market with our no-code UI. For teams and growth stage organizations (<500,000 Conversations Annually) 3) **Enterprise Plan** - Large scale deployment and increased automation rates with pre-built enterprise security features. 4\. Kore.ai ----------- ![業界初※】AIを利用した次世代型コールセンターソリューションサービス「 Kore.ai SmartAssist」導入により、コールセンター業務7割以上自動化へ! | ビッグホリデー株式会社のプレスリリース](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891074604-compressed.jpeg) Kore.ai excels at delivering AI-driven virtual assistants that manage complex interactions across multiple channels. Prebuilt templates speed up implementation, ensuring businesses can launch quickly. ### **Key features** * Omnichannel deployment * Prebuilt templates for fast setup * Advanced NLP for improved accuracy **Best for:** Businesses seeking consistent customer experiences across platforms. ### Pricing Not Available on their website (Enterprise Plans only)  5\. IBM watsonx Assistant ------------------------- ![IBM Watsonx Assistant|イグアス ソリューションポータル](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891170758-compressed.png) IBM watsonx Assistant offers powerful NLP capabilities and integrates well with IBM Watson Discovery for deeper data insights. It’s ideal for businesses requiring intelligent automation in complex industries. ### **Key features** * Advanced AI models for complex queries * Industry-specific solutions for faster deployment * Seamless integration with IBM's ecosystem **Best for:** Enterprises leveraging IBM tools for data analysis and customer engagement. ### Pricing WatsonX AI has a complicated pricing structure that can be referenced to from [here](https://www.ibm.com/products/watsonx-ai/pricing). 6\. Amazon Lex -------------- ![Creating a Simple Chat Bot Serverless Applicatin With Amazon LEX](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891242507-compressed.png) Amazon Lex is ideal for businesses operating within AWS, integrating easily with Lambda and DynamoDB to streamline chatbot deployment. ### **Key features** * AWS ecosystem integration * Voice and text support for multimodal interactions * Scalable to handle large user volumes **Best for:** AWS users seeking a scalable conversational AI platform. ### Pricing With Amazon Lex, you pay only for what you use. There is no upfront commitment or minimum fee. Amazon Lex's Pricing is variable based on the company's region of operation , number of text requests, number of speech requests, and other factors that can be referred to from [here](https://aws.amazon.com/lex/pricing/?gclid=EAIaIQobChMI7v_M2buPjAMVGaNmAh36QzZWEAAYASABEgLJOvD_BwE&trk=436e9c39-382a-42a6-a49f-4cdbdfe8cadc&sc_channel=ps&ef_id=EAIaIQobChMI7v_M2buPjAMVGaNmAh36QzZWEAAYASABEgLJOvD_BwE:G:s&s_kwcid=AL!4422!3!652868433334!e!!g!!amazon%20lex%20pricing!19910624536!147207932349). You can also calculate your personalized pricing using their [AWS Pricing Calculator](https://calculator.aws/#/?refid=436e9c39-382a-42a6-a49f-4cdbdfe8cadc). 7\. Amelia ---------- ![File:Amelia-logo.jpg - Wikipedia](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891270902-compressed.jpeg) Amelia mimics human-like conversations with advanced sentiment analysis and contextual understanding, making it ideal for customer service and IT support roles. ### **Key features** * Human-like conversations via sentiment analysis * Omnichannel engagement support * Continuous learning for improved performance **Best for:** Enterprises seeking highly intelligent, natural-feeling interactions. ### Pricing Pricing is customized and variable based on an enterprise's need and services. 8\. Heltar - Best WhatsApp Chatbot Builder ------------------------------------------ While creating a chatbot with **BotPress** or its other competitors is a straightforward process that involves defining intents, training responses, and integrating with external platforms, [Heltar](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg) provides a fully no code drag-and-drop chatbot builder that can be used by literally anyone and everyone because of its intuitive UI. By leveraging Heltar's AI & Chatbot capabilities, businesses can build chatbots that provide **seamless, intelligent, and automated conversations** for customer interactions. ![Heltar](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/metaicon-1742970910307-compressed.png) > Want to integrate a WhatsApp chatbot for your business? [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm7dsv9940003ip0lk9d8mxh5/heltar.com) offers the best solutions to help you get started with WhatsApp Business API-powered automation. Contact us today! --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## 7 ManyChat Alternatives You Should Check Out for in 2025 Author: Manav Mahajan Published: 2025-03-20 Category: WhatsApp Chatbot Tags: ManyChat, WhatsApp Chatbot, Business Chatbot URL: https://www.heltar.com/blogs/7-manychat-alternatives-you-should-check-out-for-in-2025-cm8hqsqo4000gnrew6c8z12pr ManyChat has been a leader in conversational AI for long now, but it’s not always the best option. These alternatives offer the features, flexibility, and control enterprises need to excel. ManyChat Alternative -------------------- 1\. Kore.ai ----------- ![業界初※】AIを利用した次世代型コールセンターソリューションサービス「 Kore.ai SmartAssist」導入により、コールセンター業務7割以上自動化へ! | ビッグホリデー株式会社のプレスリリース](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891074604-compressed.jpeg) Kore.ai excels at delivering AI-driven virtual assistants that manage complex interactions across multiple channels. Prebuilt templates speed up implementation, ensuring businesses can launch quickly. ### **Key features** * Omnichannel deployment * Prebuilt templates for fast setup * Advanced NLP for improved accuracy **Best for:** Businesses seeking consistent customer experiences across platforms. ### Pricing Not Available on their website (Enterprise Plans only)  2\. Cognigy.ai -------------- ![Cognigy - Intershop Communications AG](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/cognigy-1741891108433-compressed.png) Cognigy.ai simplifies conversational AI creation with its intuitive drag-and-drop builder, making it accessible even to non-technical teams. It offers strong multilingual support for businesses operating globally. ### **Key features** * Drag-and-drop workflow builder * Multilingual capabilities * Easy integration with CRMs and enterprise tools **Best for:** Companies looking for ease of use and robust multilingual support. ### Pricing Specific to every particular company - You can take a reference of the ballpark pricing from [here](https://aws.amazon.com/marketplace/pp/prodview-6c25zypcl2fro). 3\. IBM watsonx Assistant ------------------------- ![IBM Watsonx Assistant|イグアス ソリューションポータル](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891170758-compressed.png) IBM watsonx Assistant offers powerful NLP capabilities and integrates well with IBM Watson Discovery for deeper data insights. It’s ideal for businesses requiring intelligent automation in complex industries. ### **Key features** * Advanced AI models for complex queries * Industry-specific solutions for faster deployment * Seamless integration with IBM's ecosystem **Best for:** Enterprises leveraging IBM tools for data analysis and customer engagement. ### Pricing WatsonX AI has a complicated pricing structure that can be referenced to from [here](https://www.ibm.com/products/watsonx-ai/pricing). 4\. Amazon Lex -------------- ![Creating a Simple Chat Bot Serverless Applicatin With Amazon LEX](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891242507-compressed.png) Amazon Lex is ideal for businesses operating within AWS, integrating easily with Lambda and DynamoDB to streamline chatbot deployment. ### **Key features** * AWS ecosystem integration * Voice and text support for multimodal interactions * Scalable to handle large user volumes **Best for:** AWS users seeking a scalable conversational AI platform. ### Pricing With Amazon Lex, you pay only for what you use. There is no upfront commitment or minimum fee. Amazon Lex's Pricing is variable based on the company's region of operation , number of text requests, number of speech requests, and other factors that can be referred to from [here](https://aws.amazon.com/lex/pricing/?gclid=EAIaIQobChMI7v_M2buPjAMVGaNmAh36QzZWEAAYASABEgLJOvD_BwE&trk=436e9c39-382a-42a6-a49f-4cdbdfe8cadc&sc_channel=ps&ef_id=EAIaIQobChMI7v_M2buPjAMVGaNmAh36QzZWEAAYASABEgLJOvD_BwE:G:s&s_kwcid=AL!4422!3!652868433334!e!!g!!amazon%20lex%20pricing!19910624536!147207932349). You can also calculate your personalized pricing using their [AWS Pricing Calculator](https://calculator.aws/#/?refid=436e9c39-382a-42a6-a49f-4cdbdfe8cadc). 5\. Microsoft Copilot Studio ---------------------------- ![Evaluating Microsoft Copilot Studio-based RAG Agents with the Copilot Studio Evaluator](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891299440-compressed.webp) Microsoft Copilot Studio is designed for businesses using Microsoft tools like Dynamics 365 and Teams. Its automation capabilities enhance efficiency across departments. **Key features:** * Seamless integration with Microsoft products * Workflow automation to boost productivity * Scalable to suit enterprises of all sizes **Best for:** Businesses operating within the Microsoft ecosystem. ### Pricing 1) **Microsoft Copilot Studio** - $200 for 25,000 messages/month (Build your own agents, available across multiple channels, to assist employees and customers) 2) **Microsoft Copilot Studio Pay as you go** - Start using without any commitment up front. Pay for only what you use. Build and deploy agents across multiple channels, to assist employees and customers. 3) **Microsoft 365 Pilot** - $30/user/month paid yearly. Use Copilot Studio to create agents that work with Microsoft 365 Copilot. Bring Microsoft 365 Copilot to your organization with a qualifying Microsoft 365 subscription for business or enterprise. 6\. Conversica -------------- ![Conversica - American Staffing Association](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/conversica-1741891338717-compressed.png) Conversica is designed to automate sales, marketing, and customer success tasks, with preconfigured workflows for faster deployment. ### **Key features** * Automated lead engagement to improve conversions * Revenue-focused interactions for measurable ROI * Preconfigured workflows for faster setup **Best for:** Sales and marketing teams seeking improved engagement and revenue growth. ### Pricing No mention on their website. Pricing is predominantly customized as per needs of the enterprise.  7\. Heltar - Best WhatsApp Chatbot Builder ------------------------------------------ ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1733149711112-compressed.png) ** While creating a chatbot with **Dialogflow** or its other competitors is a straightforward process that involves defining intents, training responses, and integrating with external platforms, [Heltar](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg) provides a fully no code drag-and-drop chatbot builder that can be used by literally anyone and everyone because of its intuitive UI. By leveraging Heltar's AI & Chatbot capabilities, businesses can build chatbots that provide **seamless, intelligent, and automated conversations** for customer interactions. > Want to integrate a WhatsApp chatbot for your business? [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm7dsv9940003ip0lk9d8mxh5/heltar.com) offers the best solutions to help you get started with WhatsApp Business API-powered automation. Contact us today! --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Top 6 Best LandBot Alternatives- 2025 Latest Update Author: Manav Mahajan Published: 2025-03-20 Category: WhatsApp Chatbot Tags: BotPress, WhatsApp Chatbot, Business Chatbot URL: https://www.heltar.com/blogs/top-10-best-botpress-alternatives-2025-latest-update-cm8hqkpgh000fnrewezq5swqm LandBot has been a leader in conversational AI for long now, but it’s not always the best option. These alternatives offer the features, flexibility, and control enterprises need to excel. LandBot Alternatives -------------------- 1\. Dialogflow -------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/dialogflowlogo-1742498566870-compressed.png) Both Botpress and Dialogflow are widely used chatbot platforms, but they cater to different audiences. #### Key Features & Differences Feature Botpress Dialogflow **Free Version** Yes (Open Source) Yes (Limited Trial) **Enterprise Solution** Yes Yes (Dialogflow CX) **3rd Party NLU Support** Yes No **Supported Languages** 12+ via FastText 30+ languages supported **Conversational Flow Editor** Yes No (Dialogflow ES), Yes (CX) **Messaging Platforms** Facebook Messenger, Telegram, Slack, Microsoft Teams, WhatsApp (via Smooch.io) Facebook Messenger, Telegram, Slack, Twilio, Web, LINE, etc. #### Implementation Aspect Botpress Dialogflow **Setup Speed** Quick setup, low-code interface Requires customization for full use **Customization** Drag-and-drop design with JS Templates and starter packs available #### Cost Aspect Botpress Dialogflow **Pricing Model** Free Open Source + Enterprise Charges per request and audio minute **Additional Costs** None for core features Extra Google Cloud costs may apply #### Knowledge/Resources Aspect Botpress Dialogflow **Ease of Use** Visual interface for easy iteration Simple for basic bots, steep curve for CX **Learning Curve** Designed for developers with clear guidance Requires integration with Google Cloud services **Best for:** Botpress for open-source flexibility; Dialogflow for businesses already invested in Google Cloud services. ### Pricing Dialogflow has two plans - Customer Experience (CX) & Essentials (ES), the pricing of which can be explored in detail [here](https://www.heltar.com/blogs/google-dialogflow-pricing-explained-cx-and-es-in-2025-cm7m7m7cp00j9ip0li1hg9v83). 2\. Kore.ai ----------- ![業界初※】AIを利用した次世代型コールセンターソリューションサービス「 Kore.ai SmartAssist」導入により、コールセンター業務7割以上自動化へ! | ビッグホリデー株式会社のプレスリリース](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891074604-compressed.jpeg) Kore.ai excels at delivering AI-driven virtual assistants that manage complex interactions across multiple channels. Prebuilt templates speed up implementation, ensuring businesses can launch quickly. ### **Key features** * Omnichannel deployment * Prebuilt templates for fast setup * Advanced NLP for improved accuracy **Best for:** Businesses seeking consistent customer experiences across platforms. ### Pricing Not Available on their website (Enterprise Plans only)  3\. Cognigy.ai -------------- ![Cognigy - Intershop Communications AG](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/cognigy-1741891108433-compressed.png) Cognigy.ai simplifies conversational AI creation with its intuitive drag-and-drop builder, making it accessible even to non-technical teams. It offers strong multilingual support for businesses operating globally. ### **Key features** * Drag-and-drop workflow builder * Multilingual capabilities * Easy integration with CRMs and enterprise tools **Best for:** Companies looking for ease of use and robust multilingual support. ### Pricing Specific to every particular company - You can take a reference of the ballpark pricing from [here](https://aws.amazon.com/marketplace/pp/prodview-6c25zypcl2fro). 4\. IBM watsonx Assistant ------------------------- ![IBM Watsonx Assistant|イグアス ソリューションポータル](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891170758-compressed.png) IBM watsonx Assistant offers powerful NLP capabilities and integrates well with IBM Watson Discovery for deeper data insights. It’s ideal for businesses requiring intelligent automation in complex industries. ### **Key features** * Advanced AI models for complex queries * Industry-specific solutions for faster deployment * Seamless integration with IBM's ecosystem **Best for:** Enterprises leveraging IBM tools for data analysis and customer engagement. ### Pricing WatsonX AI has a complicated pricing structure that can be referenced to from [here](https://www.ibm.com/products/watsonx-ai/pricing). 5\. Microsoft Copilot Studio ---------------------------- ![Evaluating Microsoft Copilot Studio-based RAG Agents with the Copilot Studio Evaluator](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891299440-compressed.webp) Microsoft Copilot Studio is designed for businesses using Microsoft tools like Dynamics 365 and Teams. Its automation capabilities enhance efficiency across departments. **Key features:** * Seamless integration with Microsoft products * Workflow automation to boost productivity * Scalable to suit enterprises of all sizes **Best for:** Businesses operating within the Microsoft ecosystem. ### Pricing 1) **Microsoft Copilot Studio** - $200 for 25,000 messages/month (Build your own agents, available across multiple channels, to assist employees and customers) 2) **Microsoft Copilot Studio Pay as you go** - Start using without any commitment up front. Pay for only what you use. Build and deploy agents across multiple channels, to assist employees and customers. 3) **Microsoft 365 Pilot** - $30/user/month paid yearly. Use Copilot Studio to create agents that work with Microsoft 365 Copilot. Bring Microsoft 365 Copilot to your organization with a qualifying Microsoft 365 subscription for business or enterprise. 6\. Heltar - Best WhatsApp Chatbot Builder ------------------------------------------ ![Heltar](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/metaicon-1742971612192-compressed.png) While creating a chatbot with **BotPress** or its other competitors is a straightforward process that involves defining intents, training responses, and integrating with external platforms, [Heltar](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg) provides a fully no code drag-and-drop chatbot builder that can be used by literally anyone and everyone because of its intuitive UI. By leveraging Heltar's AI & Chatbot capabilities, businesses can build chatbots that provide **seamless, intelligent, and automated conversations** for customer interactions. > Want to integrate a WhatsApp chatbot for your business? [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm7dsv9940003ip0lk9d8mxh5/heltar.com) offers the best solutions to help you get started with WhatsApp Business API-powered automation. Contact us today! --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Chatbot - Complete Guide in 2025 Author: Manav Mahajan Published: 2025-03-20 Category: WhatsApp Chatbot Tags: WhatsApp API, WhatsApp Chatbot, Business Chatbot URL: https://www.heltar.com/blogs/how-to-create-a-whatsapp-chatbot-using-heltar-in-2025-cm8hq7skf000enrew1rusoep7 Creating a WhatsApp chatbot requires understanding a critical technical constraint: automation is **strictly not possible** through **standard WhatsApp application**, or **WhatsApp web**. Developers and businesses must use something called **WhatsApp's official Application Programming Interface (API)** as the sole method for programmatic messaging. This requirement fundamentally shapes the two primary approaches to chatbot development. The first method involves **custom code development**, typically using programming languages like Python, JavaScript, or Java. This approach demands **significant technical expertise**, offering maximum customization and control but requiring dedicated infrastructure and a skilled technical team.  Alternatively, **no-code platforms** like [_Heltar_](https://write.superblog.ai/sites/supername/heltar/posts/cm474jsbf000it1uygdtk1eu2/heltar.com) _(Meta Approved Business Partner)_ provide **drag-and-drop interfaces** that make chatbot creation super easy, enabling non-technical users to quickly deploy messaging solutions with reduced complexity. **WhatsApp's API** is the **only sanctioned channel** for automated messaging, mandating strict compliance with their communication guidelines. This means businesses cannot rely on manual app-based messaging techniques and must fully integrate with the official API infrastructure.  ​The **choice** between [](https://write.superblog.ai/sites/supername/heltar/posts/cm474jsbf000it1uygdtk1eu2)[custom coding](https://www.heltar.com/blogs/the-real-guide-on-how-to-make-a-whatsapp-chatbot-explained-2024-cm474jsbf000it1uygdtk1eu2) and no-code solutions ultimately depends on an organization's technical capabilities, specific requirements, and the desired level of system complexity.  Heltar: A No Code Solution  --------------------------- Why put in so much effort when you could essentially **outsource the coding** and backend to a WhatsApp API Business Service Provider, and work with **an interactive UI** to create a **chatbot in minutes**, which allows you to focus on the key aspects of your business operations. Creating your own WhatsApp bot is a straightforward process if done using a **BSP (Business Service Provider)**. It can be broken down into 4 basic steps: ### Step 1: Sign up for a chatbot builder There are many chatbot builders out there, but it’s essential to choose a no-code chatbot builder, which makes it easy for a non-technical person to [](https://wotnot.io/blog/how-to-create-ai-chatbot)build a chatbot for your business. For now, let’s choose HeltarBot as the chatbot builder to create chatbots and [sign up](http://app.heltar.com/). ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1733149710056-compressed.png) ** ### **Step 2: Design the flow for your WhatsApp bot** In this step, you’ll start designing the chatbot flow based on the specific business use-case you’re building your WhatsApp Business Bot for. Whether it’s **answering customer inquiries**, **booking appointments**, or **generating leads**, the chatbot flow outlines how conversations will unfold, ensuring smooth interactions between the bot and your users. Incorporate a main menu within the WhatsApp chatbot to help users easily navigate the services offered. Utilize reply buttons and a buttons list to enhance user interactions by offering selectable options. With HeltarBot’s [no-code chatbot builder](https://www.heltar.com/automation.html), you can create these flows in just a few minutes. There’s **no need for coding knowledge**—simply **drag and drop** elements to design a **personalized flow** that suits your business needs. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1733149711112-compressed.png) ** ### **Step 3: Connect your WhatsApp Business API** The WhatsApp Business API is a product of WhatsApp that allows businesses to automate communication with their customers using chatbot platforms. Unlike the regular WhatsApp business app, the Business API is designed specifically for **medium to large businesses** to send and receive messages at scale. Getting a WhatsApp API is now easier than ever, just use HeltarBot’s in-built signup process for your WhatsApp integration. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1733149712736-compressed.png) ** ### **Step 4: Go live with your WhatsApp bot** Now that you’ve secured access to the WhatsApp Business API and designed your chatbot flow, it’s time to make your WhatsApp bot go live. In this step, you’ll connect the API to the chatbot you built in Step 2. Hit '**Deploy**' and your WhatsApp bot is . Once everything is linked, simply hit ‘Deploy’ to launch your bot. Conclusion ---------- As WhatsApp bots continue to evolve, the possibilities for businesses to deliver seamless, connected experiences are endless. Today, WhatsApp chatbots are handling complex tasks like product purchases, user onboarding, ticket bookings, and other personalized services—all without users ever having to leave the app. With Heltar, businesses are being enabled to create richer, more interactive experiences that cater to customer needs in real-time, making WhatsApp an essential platform for driving engagement and building lasting relationships with customers. The future of customer interaction is truly just a message away. > So, why wait? Start building your WhatsApp chatbot today with [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm474jsbf000it1uygdtk1eu2/heltar.com) and witness the transformation in customer interactions and business growth. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Add a WhatsApp Business Account to Your Facebook Page Author: Manav Mahajan Published: 2025-03-20 Category: Meta Business Support Tags: CTWA, Whatsapp Business API, Facebook Marketing URL: https://www.heltar.com/blogs/how-to-add-a-whatsapp-business-account-to-your-facebook-page-cm8hppej8000dnrewi4dsdutx Integrating your WhatsApp Business account with your Facebook Page is crucial for streamlining communication, improving customer engagement, and driving conversions. By linking these platforms, businesses can leverage features like Click-to-WhatsApp ads and direct customer interactions. This step-by-step guide will help you connect your WhatsApp Business account to your Facebook Page seamlessly. Why Link WhatsApp Business to a Facebook Page? ---------------------------------------------- Connecting WhatsApp Business to your Facebook Page unlocks several benefits: * **Direct Communication:** Customers can message you directly from your Facebook Page. * **Click-to-WhatsApp Ads:** Drive conversations directly from Facebook ads to WhatsApp. * **Enhanced Visibility:** Add your WhatsApp number as a contact method on your Page. Steps to Link WhatsApp Business Account with Facebook Page ---------------------------------------------------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/6299a3267b7940f0bb2e7129mltrg0p3kyifmlqxwioqtsse5obhutdlgaxo00cmakcpzfs5htfinggf0dtpjwsnks4-kpipt8earkjkn2oyezknxva4fbeckwryozyqueucivtznidbuupqvdguqabdx7pvyk6ybug-1742497479303-compressed.png) ### Step 1: Ensure Prerequisites are Met Before starting, ensure you have the following: * A verified **WhatsApp Business account**. * An active **Facebook Page** for your business. * **Admin access** to both your Facebook Page and the WhatsApp Business account. ### Step 2: Open Your Facebook Page Settings 1. Go to your Facebook Page. 2. Click on **Settings** in the left-side menu. ### Step 3: Navigate to Linked Accounts 1. Within Settings, find and click on **Linked Accounts** or **WhatsApp** in the left panel. 2. Select **WhatsApp** as the platform you wish to connect. ### Step 4: Enter Your WhatsApp Business Number 1. In the provided field, enter your **WhatsApp Business number**. 2. Click on **Send Code** to verify your number. ### Step 5: Verify Your WhatsApp Business Account 1. A **6-digit verification code** will be sent to your WhatsApp Business account. 2. Enter the code in the corresponding field on Facebook to confirm the link. ### Step 6: Configure WhatsApp Button on Your Page 1. Once linked, Facebook will prompt you to add a **WhatsApp button** to your Page. 2. Click **Add Button** and select **Send WhatsApp Message** to enable customers to message you directly. ### Step 7: Leverage WhatsApp-Facebook Integration Features With your WhatsApp Business account successfully linked, you can: * Create **Click-to-WhatsApp ads** to drive conversations. * Display your WhatsApp contact on your Facebook Page for easy customer inquiries. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/651688fb6408d359d53efc4764be5487eed74ee2466db07cselect20type20business-1742497693370-compressed.png) Now if you wish to streamline this process with an automated response mechanism on WhatsApp, you need to integrate it with WhatsApp Business API, via a business service provider like [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm8hppej8000dnrewi4dsdutx/heltar.com). Conclusion ---------- > Ready to start? Set up WhatsApp API today and enjoy hassle-free conversations. To leverage the full benefit of this automation ecosystem as a business, setup your [WhatsApp business API](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg) account with [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm5ckx8za004cyitv5qbw8xrw/heltar.com) today. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows business-decryption-error - How to Fix Author: Prashant Jangid Published: 2025-03-17 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-business-decryption-error-how-to-fix-cm8d8z2mv008ttbw91yfqee3k The **business-decryption-error** occurs when the client receives a 421 error code from the business even after refreshing the public key. This issue prevents successful decryption of messages and disrupts WhatsApp Flows. What Causes business-decryption-error? -------------------------------------- This error typically happens due to: 1. **Outdated or Incorrect Public Key –** The business’s public key may not be correctly refreshed or uploaded. 2. **Key Mismatch Issues –** The encryption key used does not match the expected key for the WhatsApp API. 3. **WhatsApp Server or Business API Issues –** A temporary problem on WhatsApp’s side may affect decryption. How to Fix the business-decryption-error ---------------------------------------- Follow these steps to resolve the issue: ### 1\. Re-upload the Flow's Public Key * Go to [Meta Business Manager](https://www.heltar.com/blogs/how-to-access-whatsapp-manager-on-meta-business-manager-cm58dt4sr001sx9tqqhi8rmgo) and check if the correct Flow public key is uploaded. * If not, re-upload the key and ensure it is correctly linked to the associated phone number. ### 2\. Refresh the Public Key and Retry Refresh the public key by generating a new one if necessary. Retry sending the Flow after updating the key. ### 3\. Verify Key Consistency Ensure that the encryption and decryption processes use the same key. Confirm that all API requests are correctly formatted. ### 4\. Contact WhatsApp Support If the issue persists, reach out to [WhatsApp Business Support](https://www.heltar.com/blogs/how-to-raise-a-support-ticket-on-meta-business-in-2025-cm5ezmb8l00em51ztj2uu34mc). Provide details such as error logs, phone number, and API request payloads to expedite troubleshooting. By following these steps, you can fix the business-decryption-error and restore proper message decryption in WhatsApp Flows. For more troubleshooting tips related to WhatsApp API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows payload-schema-error - How to Fix Author: Prashant Jangid Published: 2025-03-17 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-payload-schema-error-how-to-fix-cm8d8ulgj008stbw9glc1a9j1 The **payload-schema-error** occurs when the client receives screen data that does not conform to the schema defined in the Flow JSON layout. This issue prevents proper rendering of screens within the Flow. What Causes payload-schema-error? --------------------------------- This error typically happens due to: 1. **Mismatched Screen Data Format –** The data sent for a screen does not align with the schema defined in the Flow JSON. 2. **Incorrect Data Types or Missing Fields –** Some required fields are missing, or values are of an incorrect type. 3. **Flow JSON Schema Updates –** If the schema is updated, the sent payload must be adjusted accordingly. How to Fix the payload-schema-error ----------------------------------- Follow these steps to resolve the issue: ### 1\. Verify the Flow JSON Schema Check the Flow JSON file to understand the required schema for each screen. Ensure the structure, data types, and required fields are correctly defined. ### 2\. Ensure Compliance with Schema Make sure the data sent for each screen matches the expected format. Example of a correctly formatted JSON structure: {   "screen\_id": "user\_input\_screen",   "data": {     "name": "John Doe",     "email": "johndoe@example.com"   } } ### 3\. Fix Any Data Format Issues Validate the payload before sending it. Ensure all required fields are included and properly formatted. ### 4\. Test and Debug Use logging to capture errors related to payload structure. Test different scenarios to confirm the issue is resolved. By following these steps, you can fix the payload-schema-error and ensure smooth execution of WhatsApp Flows. For more troubleshooting tips related to WhatsApp API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows invalid-screen-transition Error - How to Fix Author: Prashant Jangid Published: 2025-03-17 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-invalid-screen-transition-error-how-to-fix-cm8d8oze3008rtbw93pr6vw5w The **invalid-screen-transition error** occurs when the client receives a screen that does not match the routing model defined in the Flow JSON layout. This issue can prevent users from progressing through a Flow properly. What Causes invalid-screen-transition? -------------------------------------- This error typically happens due to: 1. **Mismatched Navigation Flow –** The next screen does not follow the expected routing structure in the Flow JSON. 2. **Incorrect Flow JSON Configuration –** The navigation rules in the JSON are not properly defined. 3. **Published Flow Updates –** Changes to a published Flow require cloning, editing, and republishing before they take effect. How to Fix the invalid-screen-transition Error ---------------------------------------------- Follow these steps to resolve the issue: ### 1\. Verify the Flow JSON Layout Check the Flow JSON file for correct screen transitions and ensure that each screen transition follows the routing model. ### 2\. Fix Routing Model Issues Ensure that navigation rules are properly set for each user action. Example of a correct JSON structure: {   "screens": \[     {       "id": "start\_screen",       "next": "confirmation\_screen"     },     {       "id": "confirmation\_screen",       "next": "end\_screen"     }   \] } ### 3\. Clone and Republish the Flow (If Already Published) If the Flow is published, it cannot be directly updated. Clone the Flow, apply the necessary routing updates, and publish the new version. ### 4\. Test the Updated Flow Run test interactions to ensure the navigation works as expected. Use logging to detect any unexpected transitions. By following these steps, you can resolve the invalid-screen-transition error and ensure a smooth user experience in WhatsApp Flows. For more troubleshooting tips related to WhatsApp API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows response-decryption-error - How to Fix Author: Prashant Jangid Published: 2025-03-17 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-response-decryption-error-how-to-fix-cm8d4jqaa008jtbw98ds5k5pp The **response-decryption-error** occurs when the client fails to decrypt the payload sent by the business. This issue prevents proper processing of API responses and can disrupt message flows. What Causes response-decryption-error? -------------------------------------- This error typically happens due to: 1. **Mismatched Encryption Key –** The encryption key used for payloads does not match the key uploaded for the phone number. 2. **Incorrect Key Configuration –** The correct key is not set up or linked properly. 3. **WhatsApp Server Issues –** Temporary problems on WhatsApp’s side may affect decryption. How to Fix the response-decryption-error ---------------------------------------- Follow these steps to resolve the issue: ### 1\. Verify the Encryption Key Ensure that the same encryption key is used to encrypt endpoint payloads and is also uploaded for the phone number. Check the [Meta Business Manager](https://www.heltar.com/blogs/how-to-access-whatsapp-manager-on-meta-business-manager-cm58dt4sr001sx9tqqhi8rmgo) to confirm the correct key is in use. ### 2\. Re-upload the Encryption Key * If the key appears incorrect or outdated, re-upload the correct key in the WhatsApp Business settings. * Ensure the key is properly linked to the phone number associated with your business account. ### 3\. Debug and Retry * Check API logs for additional error details. * Wait a few minutes and retry the request. ### 4\. Contact WhatsApp Support * If the issue persists, reach out to WhatsApp Business Support. * Provide details such as error logs, phone number, and API request payloads to expedite troubleshooting. By following these steps, you can fix the response-decryption-error and ensure smooth communication between your business and WhatsApp API. For more troubleshooting tips related to WhatsApp API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows public-key-signature-verification Error - How to Fix Author: Prashant Jangid Published: 2025-03-17 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-public-key-signature-verification-error-how-to-fix-cm8d40k29008gtbw9cddrxgyj The **public-key-signature-verification error** occurs when the client fails to verify the signature of the business’s public key. This prevents secure communication and disrupts WhatsApp Flows. What Causes public-key-signature-verification? ---------------------------------------------- This error happens due to: 1. **Incorrect or Missing Public Key –** The uploaded public key does not match the required signature. 2. **Reinstalled On-Premise Client –** If you recently reinstalled the on-premise client, the public key signature may no longer be valid. 3. **WhatsApp Server Issues –** Temporary server problems may interfere with key verification. How to Fix the public-key-signature-verification Error ------------------------------------------------------ Follow these steps to resolve the issue: ### 1\. Verify the Public Key and Signature Go to [WhatsApp Business Manager](https://www.heltar.com/blogs/how-to-access-whatsapp-manager-on-meta-business-manager-cm58dt4sr001sx9tqqhi8rmgo) and ensure the correct Flow public key is uploaded. Confirm that the public key includes a valid signature. ### 2\. Re-upload the Public Key (If On-Premise Client Was Reinstalled) If you recently reinstalled the on-premise client, re-upload the public key with an updated signature. Ensure the key is correctly linked to the phone number used for sending Flows. ### 3\. Retry and Debug Wait a few minutes and retry sending the Flow. Check API logs for additional error messages. ### 4\. Contact WhatsApp Support If the issue persists, reach out to [WhatsApp Business Support](https://www.heltar.com/blogs/how-to-raise-a-support-ticket-on-meta-business-in-2025-cm5ezmb8l00em51ztj2uu34mc). By following these steps, you can fix the public-key-signature-verification error and restore WhatsApp Flow functionality. For more troubleshooting tips related to WhatsApp API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows public-key-missing Error - How to Fix Author: Prashant Jangid Published: 2025-03-17 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-public-key-missing-error-how-to-fix-cm8d3v99i008ftbw9lf7ooix6 The **public-key-missing error** occurs when the client cannot retrieve the business’s public key from WhatsApp servers. This issue prevents secure communication and can disrupt WhatsApp Flows. What Causes public-key-missing? ------------------------------- The error typically happens due to: 1. **Missing or Incorrect Flow Public Key –** The required public key is not uploaded or linked correctly. 2. **Configuration Issues –** The phone number used for sending Flows is not associated with the correct public key. 3. **WhatsApp Server Issues –** Temporary server problems may prevent key retrieval. How to Fix the public-key-missing Error --------------------------------------- Follow these steps to resolve the issue: ### 1\. Verify Public Key Upload Go to [Meta Business Manager](https://www.heltar.com/blogs/how-to-access-whatsapp-manager-on-meta-business-manager-cm58dt4sr001sx9tqqhi8rmgo) and ensure the correct Flow public key is uploaded. Confirm that the key is linked to the phone number used for sending Flows. ### 2\. Check Phone Number Configuration Ensure the phone number registered with the WhatsApp Business Account is correctly configured. If using multiple numbers, verify that each has the correct public key assigned. ### 3\. Retry and Debug If the issue persists, retry sending the Flow after some time. Check API logs for any additional error messages that may provide more details. ### 4\. Contact WhatsApp Support If none of the above steps resolve the issue, reach out to [WhatsApp Business Support](https://www.heltar.com/blogs/how-to-raise-a-support-ticket-on-meta-business-in-2025-cm5ezmb8l00em51ztj2uu34mc). By following these steps, you can fix the public-key-missing error and ensure smooth WhatsApp Flow execution. For more troubleshooting tips related to WhatsApp API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows unexpected_http_status_code Error - How to Fix Author: Prashant Jangid Published: 2025-03-17 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-unexpectedhttpstatuscode-error-how-to-fix-cm8d3ftqy008etbw9jmtz3hc4 The **unexpected\_http\_status\_code** error occurs when the WhatsApp API receives an unexpected status code from the endpoint, such as 500 Internal Server Error. This can lead to failed API calls and interruptions in messaging workflows. What Causes unexpected\_http\_status\_code? ------------------------------------------- This error typically occurs due to: 1. **Server Errors (5xx) –** Issues like 500 Internal Server Error indicate backend failures. 2. **Client Errors (4xx) –** Incorrect API requests, such as 404 Not Found or 403 Forbidden. 3. **Invalid Endpoint Response –** The API expects a specific status code but receives an unexpected one. How to Fix the unexpected\_http\_status\_code Error --------------------------------------------------- Follow these steps to troubleshoot and resolve the issue: ### 1\. Identify the Returned Status Code * Check the API response logs to determine the exact status code. * Use debugging tools like Postman or curl to manually test the endpoint. ### 2\. Fix Server-Side Errors (5xx) * Review server logs to identify and resolve internal errors. * Ensure database connections, API dependencies, and backend logic are functioning properly. * Restart the server if necessary and monitor performance. ### 3\. Correct Client-Side Issues (4xx) * Verify that the API request uses the correct URL, method, and headers. * Ensure that authentication tokens and parameters are valid. ### 4\. Ensure Proper Status Codes Configure the API to return appropriate HTTP status codes. Example of a valid success response: {   "status": "success",   "message": "Request processed successfully." } ### 5\. Monitor and Test API Responses * Implement logging and monitoring to detect unexpected status codes in real time. * Use automated testing to validate API responses before deployment. By following these steps, you can resolve the unexpected\_http\_status\_code error and ensure reliable communication with the WhatsApp API. For more troubleshooting tips related to WhatsApp API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows no_http_response_error - How to Fix Author: Prashant Jangid Published: 2025-03-17 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-nohttpresponseerror-how-to-fix-cm8d3d2yz008dtbw9sc4kx1yf The **no\_http\_response\_error** occurs when an endpoint request connection closes without receiving a valid HTTP response. This can lead to failed requests and disrupted messaging workflows. What Causes no\_http\_response\_error? -------------------------------------- This error happens due to: 1. **Server Issues –** The server might be down, misconfigured, or not responding properly. 2. **Incorrect Response Format –** The endpoint does not return a valid HTTP response in the expected format. 3. **Timeout or Network Issues –** A poor network connection or timeout can interrupt the request before a response is received. How to Fix the no\_http\_response\_error ---------------------------------------- Follow these steps to troubleshoot and resolve the issue: ### 1\. Check Server Availability * Ensure the server hosting the endpoint is running and accessible. * Test the server with a simple request using tools like curl or Postman. ### 2\. Validate Response Format * The API must return a properly formatted HTTP response (status code and body). Ensure the response follows the required JSON format: {   "status": "success",   "message": "Request processed successfully." } ### 3\. Debug Network and Timeout Issues * Check for firewall or proxy settings that might block responses. * Increase the timeout settings if needed to allow more processing time. * Ensure a stable internet connection between the client and server. ### 4\. Monitor Logs for Errors * Enable logging on the server to track errors and failed responses. * Use debugging tools to inspect API request and response patterns. By implementing these fixes, you can resolve the no\_http\_response\_error and ensure smooth communication with the WhatsApp API. For more troubleshooting tips related to WhatsApp API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows cannot_be_served Error - How to Fix Author: Prashant Jangid Published: 2025-03-17 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-cannotbeserved-error-how-to-fix-cm8d3ah0n008ctbw9zfb21ooh The **cannot\_be\_served** error occurs when a WhatsApp Flow message cannot be sent or opened by recipients. This issue often stems from incorrect Flow settings, business account restrictions, or missing properties in the Flow JSON. What Causes cannot\_be\_served? ------------------------------- The error usually happens due to one of the following reasons: 1. Flow is in an Invalid State – The Flow must be in either DRAFT or PUBLISHED state. 2. Business Account Issues – If the WhatsApp Business Account (WABA) is blocked due to integrity violations, messages cannot be sent. 3. Incorrect Flow JSON Configuration – Missing version or data\_api\_version properties in the Flow JSON file can trigger the error. How to Fix the cannot\_be\_served Error --------------------------------------- Follow these steps to resolve the issue: ### 1\. Verify Flow State * Go to Meta Business Manager and check the status of the Flow. * Ensure it is set to DRAFT or PUBLISHED. ### 2\. Check Business Account Status * Visit the Business Account Quality page. * Look for any integrity violations or restrictions. * Resolve any flagged issues to restore messaging capabilities. ### 3\. Fix Flow JSON Properties * Open the Flow JSON file. * Ensure the version and data\_api\_version properties are correctly defined. Example of a properly formatted JSON snippet: {   "version": "1.0",   "data\_api\_version": "v16.0" } Save and re-upload the corrected JSON file. By following these steps, you can troubleshoot and fix the cannot\_be\_served error, ensuring your Flow messages are successfully delivered to recipients. For more troubleshooting tips related to WhatsApp API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to integrate CleverTap with WhatsApp Business API Author: Nilesh Barui Published: 2025-03-16 Category: Digital Marketing Tags: Whatsapp Marketing, WhatsApp API Integration, CleverTap, CleverTap Integration URL: https://www.heltar.com/blogs/how-to-integrate-clevertap-with-whatsapp-business-api-cm8bz5xjl0060tbw9lkbpq8b5 If you are looking to maximize the potential of WhatsApp as a powerful communication channel, integrating CleverTap with WhatsApp API provider platforms like [Heltar](https://www.heltar.com/) is the way forward. CleverTap, a premier customer engagement platform, empowers businesses to analyze user behavior, deliver personalized interactions, and optimize campaigns effectively. By connecting it with WhatsApp API providers, you can seamlessly enhance your communication capabilities and drive impactful engagement. Step-by-step approach to integrating CleverTap with WhatsApp Business API ------------------------------------------------------------------------- ### Step 1. Log in to your CleverTap account and click on the Explore Demo option in the top right corner. ![Step 1 image](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/step1-1742150498791-compressed.webp) ### Step 2. Click on the E-commerce option. ![Step 2 image](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/step2-1742151383768-compressed.webp) ### Step 3. From the left sidebar, select the Settings option. ![Step 3 image](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/step3-1742151397841-compressed.webp) ### Step 4. From the left sidebar, select Channels and then choose WhatsApp. ![Step 4 image](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/step4-1742151413759-compressed.webp) ### Step 5. On the top bar, choose the 'WhatsApp Connect' option. ![Step 5 image](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/step5-1742151427994-compressed.webp) ### Step 6. Click on the '+ Provider Configuration' button. ![Step 6 image](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/step6-1742151439563-compressed.webp) ### Step 7. Choose Generic from the provider options. ![Step 7 image](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/step7-1742151454495-compressed.webp) ### Step 8. Open Clevertap from the Integrations section in Heltar and go to Step 8 there to enter the respective URLs in the provided section. Now copy the URL from Step 9 and paste it at the HTTP endpoint. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-03-28-185923-1743168642894-compressed.png) ### Step 9. Click on 'Headers' and enter the key and value pair as shown below. ![Step 10 image](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/step10-1742151612666-compressed.webp) To make sure that your integration is working perfectly, consider sending a message to your WhatsApp Business account. CleverTap should be able to identify this, and you can verify this action in the 'Events' section of your CleverTap dashboard. Find more such insightful blogs [here](https://www.heltar.com/blogs).​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows missing_capability Error - How to Fix Author: Prashant Jangid Published: 2025-03-14 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-missingcapability-error-how-to-fix-cm88xupk5001gtbw997fg7qzr The **missing\_capability** error occurs when an app linked to a WhatsApp Flow does not have the required endpoint capability. This prevents the Flow from executing properly and may disrupt automated interactions with users. What Causes missing\_capability? -------------------------------- This error typically happens due to: 1. Incorrect App Permissions – The app does not have the necessary permissions to access certain WhatsApp API endpoints. 2. Misconfigured API Access – The app is missing required API capabilities for the requested operation. 3. Outdated App Settings – The linked app may not be updated with the latest capabilities needed for the Flow. How to Fix the missing\_capability Error ---------------------------------------- Follow these steps to resolve the issue: ### 1\. Check and Enable Required Permissions * Go to Meta Business Manager and review the app’s permissions. * Ensure that the app has access to all necessary WhatsApp API capabilities. ### 2\. Verify API Access Settings * Check the API documentation to confirm required capabilities for your Flow. * Enable missing capabilities in your app settings. ### 3\. Update App Configuration * Ensure the app is correctly linked to the WhatsApp Business Account. * If using third-party integrations, verify they support the required API capabilities. ### 4\. Reauthorize API Access * Disconnect and reconnect the app to refresh permissions. * Generate a new access token and test API requests again. By following these steps, you can resolve the missing\_capability error and ensure seamless operation of WhatsApp Flows for your business. For more troubleshooting tips related to WhatsApp API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows timeout_error - How to Fix Author: Prashant Jangid Published: 2025-03-14 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/null The **timeout\_error** in the WhatsApp API occurs when an endpoint request takes longer than 10 seconds to process. This can happen when a business endpoint is too slow or overloaded. If not fixed, it can lead to failed messages, disrupted workflows, and poor customer experience. What Causes timeout\_error? --------------------------- The error occurs for two main reasons: 1. **Slow Server Response –** If the server hosting your endpoint takes too long to process a request, WhatsApp API times out. 2. **Heavy Workload –** High traffic or inefficient backend logic can cause delays. How to Fix the timeout\_error ----------------------------- Follow these steps to resolve the issue: ### 1\. Optimize Server Performance * Use caching to reduce processing time. * Upgrade your server if it struggles with high loads. * Implement load balancing to distribute traffic. ### 2\. Improve Backend Efficiency * Optimize database queries to reduce response times. * Use asynchronous processing for time-consuming tasks. * Minimize unnecessary API calls. ### 3\. Monitor and Debug * Use logging to track request processing times. * Set up alerts for slow responses. * Test API response times with monitoring tools. ### 4\. Use Retry Logic * Implement a retry mechanism for failed requests. * Use exponential backoff to avoid overwhelming the server. By implementing these optimizations, you can reduce API timeouts, ensuring smooth WhatsApp communication for your business. For more troubleshooting tips related to WhatsApp API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## 10 Google Cloud Dialogflow Alternatives You Should Check Out Author: Manav Mahajan Published: 2025-03-13 Category: WhatsApp Chatbot Tags: Dialogflow, WhatsApp Chatbot, Business Chatbot URL: https://www.heltar.com/blogs/10-google-cloud-dialogflow-alternatives-you-should-check-out-cm87osou50034bkij4qi3qk0a Dialogflow has been a leader in conversational AI for long now, but it’s not always the best option. These alternatives offer the features, flexibility, and control enterprises need to excel. Dialogflow Alternatives ----------------------- 1\. Rasa -------- ![Rasa Developer Certification Exam](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891057144-compressed.webp) Rasa gives businesses unmatched control over their conversational AI. Unlike closed platforms, it lets you create assistants that reflect your unique business goals. With tools like Rasa Studio, businesses can simplify development without compromising power. Rasa supports on-premises deployment for greater data control and handles unexpected user inputs effectively. ### **Key features** * Customizable AI development * Full data ownership * Flexible language model options * No-code interface for easy workflow design **Best for:** Enterprises prioritizing flexibility, security, and scalability. ### **Pricing** 1) **Free Developer Edition** - One bot per company, with up to 1000 external conversations/month or 100 internal converations/month. 2) **Growth Plan** - Simple deployment and fast time-to-market with our no-code UI. For teams and growth stage organizations (<500,000 Conversations Annually) 3) **Enterprise Plan** - Large scale deployment and increased automation rates with pre-built enterprise security features. 2\. Kore.ai ----------- ![業界初※】AIを利用した次世代型コールセンターソリューションサービス「 Kore.ai SmartAssist」導入により、コールセンター業務7割以上自動化へ! | ビッグホリデー株式会社のプレスリリース](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891074604-compressed.jpeg) Kore.ai excels at delivering AI-driven virtual assistants that manage complex interactions across multiple channels. Prebuilt templates speed up implementation, ensuring businesses can launch quickly. ### **Key features** * Omnichannel deployment * Prebuilt templates for fast setup * Advanced NLP for improved accuracy **Best for:** Businesses seeking consistent customer experiences across platforms. ### Pricing Not Available on their website (Enterprise Plans only)  3\. Cognigy.ai -------------- ![Cognigy - Intershop Communications AG](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/cognigy-1741891108433-compressed.png) Cognigy.ai simplifies conversational AI creation with its intuitive drag-and-drop builder, making it accessible even to non-technical teams. It offers strong multilingual support for businesses operating globally. ### **Key features** * Drag-and-drop workflow builder * Multilingual capabilities * Easy integration with CRMs and enterprise tools **Best for:** Companies looking for ease of use and robust multilingual support. ### Pricing Specific to every particular company - You can take a reference of the ballpark pricing from [here](https://aws.amazon.com/marketplace/pp/prodview-6c25zypcl2fro). 4\. IBM watsonx Assistant ------------------------- ![IBM Watsonx Assistant|イグアス ソリューションポータル](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891170758-compressed.png) IBM watsonx Assistant offers powerful NLP capabilities and integrates well with IBM Watson Discovery for deeper data insights. It’s ideal for businesses requiring intelligent automation in complex industries. ### **Key features** * Advanced AI models for complex queries * Industry-specific solutions for faster deployment * Seamless integration with IBM's ecosystem **Best for:** Enterprises leveraging IBM tools for data analysis and customer engagement. ### Pricing WatsonX AI has a complicated pricing structure that can be referenced to from [here](https://www.ibm.com/products/watsonx-ai/pricing). 5\. Amazon Lex -------------- ![Creating a Simple Chat Bot Serverless Applicatin With Amazon LEX](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891242507-compressed.png) Amazon Lex is ideal for businesses operating within AWS, integrating easily with Lambda and DynamoDB to streamline chatbot deployment. ### **Key features** * AWS ecosystem integration * Voice and text support for multimodal interactions * Scalable to handle large user volumes **Best for:** AWS users seeking a scalable conversational AI platform. ### Pricing With Amazon Lex, you pay only for what you use. There is no upfront commitment or minimum fee. Amazon Lex's Pricing is variable based on the company's region of operation , number of text requests, number of speech requests, and other factors that can be referred to from [here](https://aws.amazon.com/lex/pricing/?gclid=EAIaIQobChMI7v_M2buPjAMVGaNmAh36QzZWEAAYASABEgLJOvD_BwE&trk=436e9c39-382a-42a6-a49f-4cdbdfe8cadc&sc_channel=ps&ef_id=EAIaIQobChMI7v_M2buPjAMVGaNmAh36QzZWEAAYASABEgLJOvD_BwE:G:s&s_kwcid=AL!4422!3!652868433334!e!!g!!amazon%20lex%20pricing!19910624536!147207932349). You can also calculate your personalized pricing using their [AWS Pricing Calculator](https://calculator.aws/#/?refid=436e9c39-382a-42a6-a49f-4cdbdfe8cadc). 6\. Amelia ---------- ![File:Amelia-logo.jpg - Wikipedia](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891270902-compressed.jpeg) Amelia mimics human-like conversations with advanced sentiment analysis and contextual understanding, making it ideal for customer service and IT support roles. ### **Key features** * Human-like conversations via sentiment analysis * Omnichannel engagement support * Continuous learning for improved performance **Best for:** Enterprises seeking highly intelligent, natural-feeling interactions. ### Pricing Pricing is customized and variable based on an enterprise's need and services. 7\. Microsoft Copilot Studio ---------------------------- ![Evaluating Microsoft Copilot Studio-based RAG Agents with the Copilot Studio Evaluator](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891299440-compressed.webp) Microsoft Copilot Studio is designed for businesses using Microsoft tools like Dynamics 365 and Teams. Its automation capabilities enhance efficiency across departments. **Key features:** * Seamless integration with Microsoft products * Workflow automation to boost productivity * Scalable to suit enterprises of all sizes **Best for:** Businesses operating within the Microsoft ecosystem. ### Pricing 1) **Microsoft Copilot Studio** - $200 for 25,000 messages/month (Build your own agents, available across multiple channels, to assist employees and customers) 2) **Microsoft Copilot Studio Pay as you go** - Start using without any commitment up front. Pay for only what you use. Build and deploy agents across multiple channels, to assist employees and customers. 3) **Microsoft 365 Pilot** - $30/user/month paid yearly. Use Copilot Studio to create agents that work with Microsoft 365 Copilot. Bring Microsoft 365 Copilot to your organization with a qualifying Microsoft 365 subscription for business or enterprise. 8\. Conversica -------------- ![Conversica - American Staffing Association](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/conversica-1741891338717-compressed.png) Conversica is designed to automate sales, marketing, and customer success tasks, with preconfigured workflows for faster deployment. ### **Key features** * Automated lead engagement to improve conversions * Revenue-focused interactions for measurable ROI * Preconfigured workflows for faster setup **Best for:** Sales and marketing teams seeking improved engagement and revenue growth. ### Pricing No mention on their website. Pricing is predominantly customized as per needs of the enterprise.  9\. Botpress ------------ ![Botpress · GitHub](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1741891601224-compressed.png) Both Botpress and Dialogflow are widely used chatbot platforms, but they cater to different audiences. #### Key Features & Differences Feature Botpress Dialogflow **Free Version** Yes (Open Source) Yes (Limited Trial) **Enterprise Solution** Yes Yes (Dialogflow CX) **3rd Party NLU Support** Yes No **Supported Languages** 12+ via FastText 30+ languages supported **Conversational Flow Editor** Yes No (Dialogflow ES), Yes (CX) **Messaging Platforms** Facebook Messenger, Telegram, Slack, Microsoft Teams, WhatsApp (via Smooch.io) Facebook Messenger, Telegram, Slack, Twilio, Web, LINE, etc. #### Implementation Aspect Botpress Dialogflow **Setup Speed** Quick setup, low-code interface Requires customization for full use **Customization** Drag-and-drop design with JS Templates and starter packs available #### Cost Aspect Botpress Dialogflow **Pricing Model** Free Open Source + Enterprise Charges per request and audio minute **Additional Costs** None for core features Extra Google Cloud costs may apply #### Knowledge/Resources Aspect Botpress Dialogflow **Ease of Use** Visual interface for easy iteration Simple for basic bots, steep curve for CX **Learning Curve** Designed for developers with clear guidance Requires integration with Google Cloud services **Best for:** Botpress for open-source flexibility; Dialogflow for businesses already invested in Google Cloud services. ### Pricing 1) **Pay-as-you-go** - $0/ mo. + $5 monthly AI Spend credit + optional add-ons 2) **Plus** \- $79/ mo. + $5 monthly AI Spend credit + optional add-ons 3) **Team** \- $445/ mo. + $5 monthly AI Spend credit + optional add-ons 10\. Heltar - Best WhatsApp Chatbot Builder ------------------------------------------- While creating a chatbot with **Dialogflow** or its other competitors is a straightforward process that involves defining intents, training responses, and integrating with external platforms, [Heltar](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg) provides a fully no code drag-and-drop chatbot builder that can be used by literally anyone and everyone because of its intuitive UI. By leveraging Heltar's AI & Chatbot capabilities, businesses can build chatbots that provide **seamless, intelligent, and automated conversations** for customer interactions. > Want to integrate a WhatsApp chatbot for your business? [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm7dsv9940003ip0lk9d8mxh5/heltar.com) offers the best solutions to help you get started with WhatsApp Business API-powered automation. Contact us today! --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error 2070 - Invalid Flow Version: Troubleshooting Guide Author: Prashant Jangid Published: 2025-03-12 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-2070-invalid-flow-version-troubleshooting-guide-cm862mv250006d0a74y5ur5oj The **2070 - Invalid Flow Version** error occurs when the version of a flow you’re using is either invalid or expired. WhatsApp frequently updates flow versions, and older versions may no longer be supported. This guide explains the causes of this error and provides step-by-step solutions to resolve it. What Causes the '2070 - Invalid Flow Version' Error? ---------------------------------------------------- 1. Using an Expired Flow Version: WhatsApp periodically deprecates older flow versions. If a flow version is outdated, it may no longer be compatible with the API. 2. Incorrect Flow Version Configuration: The API request may reference a flow version that does not exist or the specified version may contain a typo or be incorrectly formatted. 3. Changes in WhatsApp API or Flow Structure: WhatsApp updates its API and flow structures, rendering older versions obsolete. A new version may be required to align with recent changes. How to Fix '2070 - Invalid Flow Version' Error ---------------------------------------------- ### 1\. Check the Supported Flow Versions WhatsApp maintains a changelog for flow versions. To verify: * Visit the **Flows Changelog** in the WhatsApp Business API documentation. * Identify the currently supported versions. * Ensure you’re using a valid version in your API requests. ### 2\. Update to the Latest Flow Version If your flow version is outdated: * Check for new versions in your API provider’s dashboard. * Update your flow configuration to use the latest version. * Modify your API request to reference the new version. ### 3\. Verify Your Flow Configuration Ensure that the flow version number in your request matches an officially supported version and that there are no typos or incorrect version numbers in your setup. ### 4\. Contact Your API Provider for Support If the issue persists reach out to your WhatsApp API provider. For more troubleshooting guides related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error 2069 - Flow is Throttled: Troubleshooting Guide Author: Prashant Jangid Published: 2025-03-12 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-2069-flow-is-throttled-troubleshooting-guide-cm862k8fo0005d0a7kfcswj9i If you encounter the **2069 - Flow is Throttled** error while using the WhatsApp API, it means that the flow has reached its messaging limit. Specifically, 10 messages using this flow were already sent in the last hour, triggering a temporary restriction. This guide explains why this happens and how to resolve it effectively. What Causes the '2069 - Flow is Throttled' Error? ------------------------------------------------- WhatsApp applies rate limits to prevent excessive usage. The specific flow has already sent 10 messages in the past hour, reaching the cap. WhatsApp enforces limits to prevent spam and ensure fair usage. Some flows might have stricter rate limits based on the account type. How to Fix '2069 - Flow is Throttled' Error ------------------------------------------- ### 1\. Wait for the Cooldown Period Since the limit resets every hour, you can wait until the next hour when the restriction lifts automatically and plan your message scheduling accordingly to avoid hitting the limit. ### 2\. Optimize Flow Usage To prevent throttling in the future: * Reduce redundant flow triggers. * Consolidate messages where possible instead of sending multiple separate ones. * Use batch messaging if supported by your API provider. ### 3\. Check Alternative Messaging Strategies If you frequently hit the limit: * Consider using different flows for different message types. * Spread messages across different time slots instead of sending all at once. ### 4\. Increase Flow Limits (If Possible) Some API providers allow adjusting rate limits based on your account tier. To check contact your WhatsApp API provider’s support and inquire about upgrading to a higher messaging limit. ### 5\. Monitor and Analyze Flow Usage Keep track of your messaging patterns: * Use analytics tools provided by your API to monitor flow usage. * Identify high-traffic periods and adjust message scheduling accordingly. If the issue persists, consider reaching out to your API provider for additional support or increased limits. For more troubleshooting tips related to WhatsApp API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error 2068 - Flow is Blocked: Troubleshooting and Fixes Author: Prashant Jangid Published: 2025-03-12 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-2068-flow-is-blocked-troubleshooting-and-fixes-cm862fmcz0004d0a7ebdl85bo If you’re working with WhatsApp API and encounter the error **2068 - Flow is blocked**, it means that your flow is in a blocked state. This can occur due to various reasons, including incomplete setup of an endpoint or an issue with the public key. This guide will help you identify the causes and resolve the issue quickly. What Causes the '2068 - Flow is Blocked' Error? ----------------------------------------------- 1. **Flow is in a Blocked State:** The flow you are trying to execute is currently blocked due to internal restrictions or misconfigurations. 2. **Incomplete Endpoint Setup:** If your flow uses an endpoint, it may require additional setup. The public key may be missing, expired, or incorrectly configured. 3. **Changes in API Configuration:** Recent updates or changes in WhatsApp API policies may lead to blocked flows. How to Fix '2068 - Flow is Blocked' Error ----------------------------------------- ### 1\. Verify Flow Status Check if the flow is blocked due to internal restrictions: * Log into your WhatsApp API provider’s dashboard. * Navigate to the flow settings. * Ensure it is active and not manually disabled. ### 2\. Complete Endpoint Setup If your flow interacts with an external endpoint, ensure that: * The endpoint URL is correctly configured. * Any required authentication (such as API keys) is properly set up. * You have granted the necessary permissions. ### 3\. Upload or Update Public Key If the flow relies on encryption or authentication: * Check if the public key is uploaded in the API settings. * If the key has expired, generate and upload a new one. * Verify that the key format is correct. ### 4\. Review Recent API Updates WhatsApp may introduce changes that affect your flows. Stay updated by: * Checking WhatsApp’s official API documentation. * Reviewing change logs and release notes from your API provider. ### 5\. Restart and Re-test the Flow Once you have made the necessary fixes restart the flow and test with sample requests to ensure it works correctly. ### 6\. Contact API Support If the issue persists reach out to your WhatsApp API provider’s support team. If you're a provider and are still unable to resolve the issue contact [Meta Support](https://www.heltar.com/blogs/how-to-raise-a-support-ticket-on-meta-business-in-2025-cm5ezmb8l00em51ztj2uu34mc). For more troubleshooting guides related to WhatsApp API errors, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error 2067 - Flow DRAFT Mode Not Allowed: How to Fix Author: Prashant Jangid Published: 2025-03-12 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-2067-flow-draft-mode-not-allowed-how-to-fix-cm8629wbn0003d0a7kf06u75p If you’re working with WhatsApp’s API and encounter the **2067 - Flow DRAFT Mode Not Allowed** error, it means you are trying to send a Flow that is still in DRAFT mode. WhatsApp does not allow sending unpublished or unapproved Flows, which is why this error occurs. ### Causes of the Error 1. Flow is in DRAFT Mode: The Flow has not been published or approved yet. 2. Incorrect Flow ID or Status: The Flow ID referenced in your API request may not correspond to an approved Flow. 3. Ongoing WhatsApp API Issues: Sometimes, WhatsApp may have temporary service disruptions affecting Flow statuses. ### How to Fix It #### 1\. Check the Flow Status * Go to your **WhatsApp Business Manager**. * Navigate to **Flows** and check the status of the Flow you are trying to send. * If it is in **DRAFT** mode, publish it first. #### 2\. Verify the Flow ID Ensure you are using the correct Flow ID in your API request. You can check this in the WhatsApp Business Manager or via API retrieval methods. #### 3\. Check for WhatsApp API Downtime Visit [WhatsApp’s Status Page](https://metastatus.com/whatsapp-business-api) to see if there are any ongoing outages. If WhatsApp is experiencing issues, wait until they resolve the problem before retrying. #### 4\. Contact WhatsApp Support If the issue persists despite publishing the Flow, [contact WhatsApp Business API support](https://www.heltar.com/blogs/how-to-raise-a-support-ticket-on-meta-business-in-2025-cm5ezmb8l00em51ztj2uu34mc). Provide details such as the Flow ID, API request, and timestamps to get faster assistance. For more troubleshooting guides on WhatsApp API errors, check out our other [heltar.com/blogs](http://heltar.com/blogs)! --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error 2066: Invalid Flow Mode – How to Fix It Author: Prashant Jangid Published: 2025-03-12 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-2066-invalid-flow-mode-how-to-fix-it-cm85ul9cb007xds97x480ppl1 WhatsApp API Error 2066, "Invalid Flow Mode," occurs when you attempt to send a flow that is in DRAFT state without specifying draft mode, or when you send a PUBLISHED flow while incorrectly using draft mode. This misconfiguration prevents your automation from running correctly. ### Possible Causes of Error 2066 1. Flow in Draft Mode Without Specification – If a flow is still in draft status, it must be explicitly sent using draft mode. 2. Published Flow Sent in Draft Mode – Once a flow is published, it should not be sent using draft mode. 3. Incorrect API Request Parameters – Your API request might be incorrectly formatted, leading to mode-related errors. 4. Flow Status Not Updated – The flow may have been recently modified but not properly updated before sending. ### How to Fix WhatsApp API Error 2066 #### 1\. Check the Flow Status Verify whether the flow is in DRAFT or PUBLISHED state and ensure that the correct mode is used when sending the flow. #### 2\. Use Draft Mode for Draft Flows If the flow is still in draft, make sure your API request includes the correct draft mode parameter. Example: "mode": "draft" when sending a draft flow. #### 3\. Remove Draft Mode for Published Flows If the flow is published, do not include draft mode in your API request. Ensure you are sending the correct request for published flows. #### 4\. Review API Request Formatting Double-check the request body to ensure mode parameters are correctly set. Refer to [Meta’s WhatsApp API Documentation](https://developers.facebook.com/docs/whatsapp/) for proper formatting. #### 5\. Update the Flow If Necessary If the flow was recently modified, ensure it has been saved and properly published before use. #### 6\. Contact Meta Support If the Issue Persists If none of the above steps resolve the error, reach out to [Meta Business Support](https://business.facebook.com/help/) for further assistance. For more troubleshooting tips related to WhatsApp API, check out [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error 2065: Invalid Flow Message Version – How to Fix It? Author: Prashant Jangid Published: 2025-03-12 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-2065-invalid-flow-message-version-how-to-fix-it-cm85uj1vg007wds971tmo64dm If you're facing WhatsApp API error 2065, which states "Invalid Flow Message Version," it means the flow message version you are using is either outdated, unsupported, or incorrect. This can prevent your automated flows from running as expected. Possible Causes of Error 2065 ----------------------------- 1. Outdated Flow Message Version – The version specified in your API request is no longer supported. 2. Incorrect Version Number – A typo or incorrect version format may be causing the issue. 3. Version Not Supported by WhatsApp – WhatsApp may have deprecated the version you are trying to use. 4. Missing or Incorrect API Configuration – Your API request might be missing the version parameter or using an invalid one. How to Fix WhatsApp API Error 2065 ---------------------------------- #### 1\. Check the Flows Changelog Refer to the [WhatsApp Flows Changelog](https://developers.facebook.com/docs/whatsapp/) to verify the latest supported message versions. Update your request with the latest valid version. #### 2\. Verify the Version Number in Your API Request Ensure the version number is correctly formatted. Compare it with the version listed in the WhatsApp documentation. #### 3\. Update Deprecated Versions If WhatsApp has deprecated the version you're using, update to the latest supported version. Modify your automation flows accordingly to avoid compatibility issues. #### 4\. Review Your API Configuration Ensure your API request includes the correct version parameter. Check if any other settings need adjustments based on the latest API documentation. #### 5\. Contact Meta Support If the issue persists after updating to the latest version, reach out to [Meta Business Support](https://business.facebook.com/help/) for further assistance. For more troubleshooting tips related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error 2064: Invalid Flow ID – How to Fix It? Author: Prashant Jangid Published: 2025-03-12 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-2064-invalid-flow-id-how-to-fix-it-cm85udvr5007tds97g7gx1xo0 If you're encountering WhatsApp API error 2064, which states "Invalid Flow ID," it means the specified Flow ID is either incorrect, doesn’t exist, or isn’t associated with your WhatsApp Business Account (WABA). This error can prevent your automation flows from executing properly. ### Possible Causes of Error 2064 1. **Incorrect Flow ID –** The Flow ID used in your request may be mistyped or invalid. 2. **Flow Not Linked to Your WABA –** The specified Flow ID belongs to a different WhatsApp Business Account. 3. **Deleted or Inactive Flow –** The flow may have been deleted or is in an inactive state. 4. **API Permission Issues –** Your account may lack the necessary permissions to access the flow. ### How to Fix WhatsApp API Error 2064 #### 1\. Verify the Flow ID Double-check the Flow ID in your API request. Retrieve the correct Flow ID from the WhatsApp Business Manager or API response. #### 2\. Ensure the Flow Belongs to Your WABA Confirm that the Flow ID is created under the same WABA used in your API request. If managing multiple WABAs, ensure you're using the correct account. #### 3\. Check the Flow’s Status Make sure the flow is not deleted or inactive. If it was recently modified, refresh the API request with the latest Flow ID. #### 4\. Verify API Permissions Ensure that your API credentials have the necessary permissions to access flows. If needed, update your access settings in Meta’s Developer Console. #### 5\. Contact Meta Support If you've verified everything and the issue persists, reach out to Meta’s Business Support for assistance. For more troubleshooting guides related to WhatsApp API, check out [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Understanding HTTP Response Code 427: Flow Token Expired Author: Prashant Jangid Published: 2025-03-10 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/understanding-http-response-code-427-flow-token-expired-cm834qvws000w2k6y2gb3g067 HTTP response code 427 indicates that a Flow token is no longer valid, preventing further actions in the current session. This usually happens when a user attempts to continue a session that has already been completed or is no longer recognized by the server. Causes of HTTP 427 Error ------------------------ This error can occur due to several reasons: 1. Expired Flow Token: The token used for the Flow session has exceeded its validity period. 2. Completed Flow: The user has already completed the Flow, and the token cannot be reused. 3. Server-Side Invalidations: The server may have invalidated the token due to business logic, such as preventing users from initiating the same Flow again. 4. Session Timeout: If the Flow has a predefined session timeout, an expired token can trigger this error. Client-Side Behavior -------------------- When an HTTP 427 error occurs, the following behavior is expected on the client side: * A generic error message is displayed to the user. * The conversation CTA (Call-to-Action) button is disabled, preventing the user from continuing the Flow. * The server can send a new message to the user, generating a fresh Flow token. A custom error message can be displayed to the user, such as: HTTP/2 427 content-type: application/json content-length: 51 date: Wed, 06 Jul 2022 14:03:03 GMT {“error\_msg”: “The order has already been placed”} How to Fix HTTP 427 Errors -------------------------- To resolve this error, follow these steps: 1. Generate a New Flow Token: If the user needs to restart the Flow, send a new message that generates a fresh token. 2. Check Flow Completion Status: Ensure that users are not trying to reinitiate a completed Flow unless intended. 3. Customize the Error Message: Provide a clear and actionable error message to users instead of a generic failure message. 4. Handle Token Expiration Optimally: Implement logic to refresh the token if needed or guide users on the next steps. For additional details, refer to the documentation on Implementing Endpoints for Flows to manage token validation effectively. For more troubleshooting insights related to Whatsapp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Understanding HTTP Response Code 432: Request Signature Authentication Fails Author: Prashant Jangid Published: 2025-03-10 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/understanding-http-response-code-432-request-signature-authentication-fails-cm834nq5y000v2k6yrxf9eu40 **HTTP response code 432**, signifies a failure in request signature authentication. This error generally occurs when an API request does not meet the expected security parameters. This typically means that the client’s request does not have a valid or correctly signed authentication token, leading the server to reject it. Causes of HTTP 432 Error ------------------------ This error can occur due to multiple reasons, including: 1. **Invalid Signature:** The request signature might be incorrect due to an invalid key or improper signing process. 2. **Expired Token:** If the authentication token has expired, the request will be denied. 3. **Mismatch in Headers:** The expected headers required for signature verification may be missing or incorrectly formatted. 4. **Incorrect API Key or Secret:** Using an incorrect API key or secret can result in authentication failure. 5. **Clock Skew Issues:** If there is a significant time difference between the client and the server, the request signature may become invalid. ### Client-Side Behavior When an HTTP 432 error occurs, a generic error message is usually displayed to the client. However, if a business-provided endpoint is used, it may return specific error codes to trigger appropriate client-side actions. These may include: * Prompting the user to re-authenticate. * Requesting the user to check their API credentials. * Retrying the request with a valid signature. ### How to Fix HTTP 432 Errors To resolve this error, follow these steps: 1. **Verify the API Key and Secret:** Ensure that the correct authentication credentials are being used. 2. **Check the Signature Generation Process:** Confirm that the request is being signed correctly according to the API documentation. 3. **Sync Server and Client Time:** If the API uses timestamp-based authentication, ensure that the server and client clocks are synchronized. 4. **Inspect Request Headers:** Ensure that all required authentication headers are present and formatted correctly. 5. **Renew Expired Tokens:** If using token-based authentication, generate a new token and retry the request. For more troubleshooting tips related to Whatsapp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp Flows Error 421: Payload Cannot Be Decrypted Author: Prashant Jangid Published: 2025-03-10 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-flows-error-421-payload-cannot-be-decrypted-cm834ldty000u2k6y6pjfn0sg When using a business-provided endpoint for a WhatsApp Flow, businesses may encounter HTTP response code 421. This error occurs when the payload cannot be decrypted. What Causes HTTP 421 Error in WhatsApp API? ------------------------------------------- The 421 response code indicates that WhatsApp could not decrypt the payload received from the business endpoint. This typically happens due to issues with encryption keys, incorrect payload formats, or expired public keys. Client-Side Behavior -------------------- When a WhatsApp client encounters this error: * It will attempt to re-fetch the public key. * It will re-send the request using the newly fetched key. * If the request fails again, WhatsApp will display a generic error message to the user. How to Fix WhatsApp API Error 421 --------------------------------- ### 1\. Verify Encryption Key Validity Ensure that your public key used for encryption is valid, properly configured, and up to date. If it has expired, generate and configure a new one. ### 2\. Check Payload Formatting Ensure that the data being sent follows WhatsApp's encryption and formatting guidelines. Any deviation from the expected structure can cause decryption failures. ### 3\. Implement Logging and Error Handling Enable detailed logging for your server-side requests and responses. If the error persists, analyze logs to pinpoint whether: * The payload encryption process is failing. * The request is being tampered with. * The correct encryption key is being used. ### 4\. Refresh the Public Key If the error persists, manually refresh your public key on your business server and reinitiate the request. ### 5\. Refer to WhatsApp API Documentation Check [WhatsApp's official API documentation](https://developers.facebook.com/docs/whatsapp) for any updates on handling decryption errors and implementing secure endpoints. If the issue persists,contact WhatsApp Support. For more troubleshooting tips related to WhatsApp API check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error 139002 - Publishing without specifying endpoint_uri is forbidden | Troubleshooting Guide Author: Prashant Jangid Published: 2025-03-05 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-139002-publishing-without-specifying-endpointuri-is-forbidden-or-troubleshooting-guide-cm7vu7eyo001tj4rqyvnw67ba When publishing a Flow, you may encounter the following error: **Publishing without specifying endpoint\_uri is forbidden** This error occurs when the endpoint\_uri property is missing from your Flow JSON. In Flow JSON version 3.0 and above, this field must be set via the API before publishing. How to Fix the Error? --------------------- ### Step 1: Check Your Flow JSON Version * If your Flow JSON version is below 3.0, use data\_channel\_uri instead of endpoint\_uri. * If your Flow JSON version is 3.0 or above, ensure endpoint\_uri is set using the API. ### Step 2: Set endpoint\_uri via API For Flow JSON version 3.0 and above, you need to set endpoint\_uri using an API request before publishing. #### Sample API Request: curl -X PATCH '{BASE-URL}/{FLOW-ID}' \\ \--header 'Authorization: Bearer {ACCESS-TOKEN}' \\ \--header 'Content-Type: application/json' \\ \--data '{ "endpoint\_uri": "https://api.example.com/webhook" }' ### Step 3: Save and Publish the Flow * After setting the endpoint\_uri, save the Flow. * Validate the Flow using the Flow Builder UI or API. * Once validation passes, proceed with publishing. For more troubleshooting tips related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error 139002 - Publishing Flow without data_channel_uri | Troubleshooting Guide Author: Prashant Jangid Published: 2025-03-05 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-139002-publishing-flow-without-datachanneluri-or-troubleshooting-guide-cm7vu5ai6001sj4rqjufndrt8 When publishing a Flow, you may encounter the following error: **Publishing Flow without data\_channel\_uri** You need to set the "data\_channel\_uri" property before you can send or publish a Flow. This error occurs when the required data\_channel\_uri property is missing from your Flow JSON. The data\_channel\_uri is essential for directing data to the appropriate endpoint, making it a mandatory field for publishing. How to Fix the Error -------------------- ### Step 1: Check Your Flow JSON Before publishing, verify that your Flow JSON contains the data\_channel\_uri property. ### Step 2: Add the data\_channel\_uri Property Modify your Flow JSON to include the missing data\_channel\_uri field. Here’s an example of the correct format: #### Incorrect JSON (Missing data\_channel\_uri): {     "version": "2.5",     "name": "Sample Flow" } #### Correct JSON (With data\_channel\_uri): {     "version": "2.5",     "name": "Sample Flow",     "data\_channel\_uri": "https://api.example.com/webhook" } ### Step 3: Save and Publish the Flow * After adding the data\_channel\_uri, save the Flow. * Validate the Flow using the Flow Builder UI or the API. * Once validation passes, proceed with publishing. For more troubleshooting tips related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error 139002 - Publishing Flow with validation errors | Troubleshooting Guide Author: Prashant Jangid Published: 2025-03-05 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-139002-publishing-flow-with-validation-errors-or-troubleshooting-guide-cm7vtyqpk001qj4rq0cpiz8fy When publishing a Flow, you may encounter the following error: **Publishing Flow with validation errors** This means you tried to publish a draft Flow that has validation errors. Flows with validation errors can be saved as a draft, but not published. This means that while you can save a Flow with errors as a draft, it cannot be published until all validation issues are resolved. Let’s go through how to troubleshoot and fix this issue. How to Resolve the Error? ------------------------- ### Step 1: Identify Validation Errors **Method 1 - Using Flow Builder UI** * Open the Flow in the **Flow Builder UI**. * The UI will highlight errors and provide explanations. * Make necessary corrections based on the error messages. **Method 2 - Using API to Retrieve Flow Details** If you prefer working with the API, you can retrieve the Flow’s validation errors: **Sample API Request:** curl '{BASE-URL}/{FLOW-ID}?fields=id,name,categories,preview,status,validation\_errors,json\_version,data\_api\_version,endpoint\_uri,whatsapp\_business\_account,application,health\_status' \\\--header 'Authorization: Bearer {ACCESS-TOKEN}' This request returns validation\_errors along with other details. Review the error messages and address each issue. ### Step 2: Revalidate and Publish * After fixing the errors, save the Flow as a draft. * Run a validation check in the Flow Builder UI or via the API. * Once no errors are detected, proceed with publishing. For more troubleshooting tips related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error 139002 - Publishing Flow in invalid state | Troubleshooting Guide Author: Prashant Jangid Published: 2025-03-05 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-139002-publishing-flow-in-invalid-state-or-troubleshooting-guide-cm7vtvlyv001pj4rqqc42760j When working with Flows, you may encounter the following error: **Publishing Flow in invalid state.** This means you tried to publish a Flow that isn't a draft. Once a Flow leaves the draft state, it cannot be republished. If you need to modify a Flow that is no longer a draft, you'll have to clone the Flow and republish the new Flow. This happens when you attempt to publish a Flow that is already in a non-draft state, such as Published or Deprecated. Let’s go over how to resolve this issue. How to Fix the Error? --------------------- ### Step 1: Clone the Existing Flow Since you cannot modify or republish an existing Flow, you need to create a new one: * Use the clone\_flow\_id field to duplicate the Flow. * This will create an identical copy in Draft mode. ### Step 2: Make Necessary Changes * Modify the cloned Flow as needed. * Ensure all updates are complete before proceeding to the next step. ### Step 3: Publish the New Flow * Once the cloned Flow is ready, publish it. * After publishing, direct users to the new Flow instead of the old one. For more troubleshooting tips related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error #139001 - Error while processing Flow JSON | Steps to Troubleshoot Author: Prashant Jangid Published: 2025-03-05 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-139001-error-while-processing-flow-json-or-steps-to-troubleshoot-cm7vtsvwo001oj4rq8hzz8wpd When working with Flows, you might encounter the following error: **Error while processing Flow JSON** This means that while your Flow JSON has been stored, something went wrong during processing, which could cause the Flow to malfunction. Here's how to troubleshoot and resolve the issue. Step-by-step Guide to Troubleshoot ---------------------------------- ### Step 1: Retry the Request Sometimes, the issue is temporary. Before diving into complex solutions send the same request again – The problem may resolve itself. ### Step 2: Identify the Problem If retrying doesn’t work, consider these possibilities: * Syntax Errors in JSON – Ensure your JSON structure is correct. * Invalid Parameters – Check if all required fields are properly formatted. * Unsupported Characters – Remove any special characters that might cause issues. ### Step 3: Contact Support If the issue continues, take note of the exact error message and request details and reach out to the platform’s support team with relevant information. Sharing the JSON file will help the team diagnose the issue faster. Steps to reach out to Meta Support have been explained here: [How to Raise a support ticket on Meta Business in 2025](https://www.heltar.com/blogs/how-to-raise-a-support-ticket-on-meta-business-in-2025-cm5ezmb8l00em51ztj2uu34mc). For more troubleshooting tips related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Update a Published Flow on WhatsApp | WhatsApp Flows Error Flow Can't Be Updated | #139001 Author: Prashant Jangid Published: 2025-03-05 Category: Troubleshoot Tags: WhatsApp Flows Error URL: https://www.heltar.com/blogs/how-to-update-a-published-flow-on-whatsapp-or-whatsapp-flows-error-flow-cant-be-updated-or-139001-cm7vtpwua001nj4rq6xr6ryqq When working with Flows, you may encounter the error code 139001 stating: **Flow can't be updated** This can be frustrating, but it's by design. Once a Flow is published, you cannot edit or delete it. However, there is a workaround to help you manage it. Steps to Update a Published Flow on WhatsApp -------------------------------------------- Since you cannot directly modify a published Flow, you need to create a new version by cloning the existing Flow: 1. **Clone the Flow –** Use the clone\_flow\_id field to create a new copy. 2. **Modify the Clone –** Make the necessary changes in the new Flow. 3. **Publish the New Flow –** Once finalized, publish the updated Flow. 4. **Start Using the New Flow –** Direct users to the newly published Flow instead of the old one. 5. **Deprecate the Old Flow –** Since deletion is not allowed, you can deprecate the old Flow to prevent further usage. Use the /deprecate API call to mark the Flow as deprecated. Redirect users to the new Flow to ensure a smooth transition. If you need to update a published Flow, remember that direct modifications aren't possible. Instead, clone, modify, and publish a new version while deprecating the old one. This ensures stability and smooth user experiences while keeping your Flows up to date. For more troubleshooting tips related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Disable Two-Factor Authentication for a WhatsApp Business Account | Step-by-Step Guide With Screenshots Author: Prashant Jangid Published: 2025-03-05 Category: Troubleshoot Tags: Whatsapp Business API URL: https://www.heltar.com/blogs/how-to-disable-two-factor-authentication-for-a-whatsapp-business-account-or-step-by-step-guide-with-screenshots-cm7vtbupq001mj4rqvirxrbil Two-factor authentication (2FA) adds an extra layer of security to your WhatsApp Business account, ensuring that unauthorized access is prevented. However, if you need to disable it for any reason, follow this step-by-step guide. Steps to Disable Two-Factor Authentication for WhatsApp Business ---------------------------------------------------------------- 1\. Go to **Meta Business Suite** by logging in to [business.facebook.com](http://business.facebook.com/). 2\. Click on the dropdown at the top in the left-hand panel. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735402467003-compressed.jpeg) ** 3\. The dropdown will expand and you’ll be able to see the names of your business portfolios. Find the portfolio whose Business Manager you want to open and click the settings (gear) icon next to its name. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735402468880-compressed.jpeg) ** 4\. From the side panel that appears on the left click on **WhatsApp accounts** which is present in the **Accounts** section. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735402470597-compressed.jpeg) ** 5\. After that simply click on the **WhatsApp Manager** button which is present at the bottom of the screen. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735402472383-compressed.jpeg) ** 6\. You should now be able to see your WhatsApp Manager. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735402474134-compressed.jpeg) ** 7. Click on the settings (gear) icon on extreme right under Phone number. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/whatsapp-image-2025-03-05-at-16-1741173116025-compressed.jpg) 8\. Click on **Two-step verification** option under **More**. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/whatsapp-image-2025-03-05-at-16-1741173140636-compressed.jpg) 9\. Click on **Turn off two-step verification**. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/whatsapp-image-2025-03-05-at-16-1741173155467-compressed.jpg) After completing these steps, two-factor authentication will be disabled for your WhatsApp Business account. For more troubleshooting tips related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Create WhatsApp Chatbot on Interakt in 10 Minutes? Author: Nilesh Barui Published: 2025-03-03 Category: WhatsApp Chatbot Tags: WhatsApp API Integration, WhatsApp Chatbot, Business Chatbot URL: https://www.heltar.com/blogs/how-to-create-whatsapp-chatbot-on-interakt-in-10-minutes-cm7tc9tkf002bcf4flr9fer01 ​Interakt users can set up WhatsApp chatbot workflows on the platform, enhancing user experience through seamless personalized interactions. To create a bot, register on Interakt, design your chatbot flow via drag-and-drop tools, integrate with the WhatsApp Business API, and deploy it to automate interactions instantly. Step-by-step guide to creating your first chatbot on Interakt ------------------------------------------------------------- ​**Step 1: Navigate to** **the Chatbot Builder** First, log in to your Interakt Dashboard and access the **Automation** section from the **Settings** tab. From the options, choose **Workflows**. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image18-1536x360-1741362708790-compressed.png) ### ​**Step 2: Create a New Chatbot** Click the green **+Create new** button to start from scratch, or you can choose to work on an existing workflow or a template. If your chatbot aligns with one of the templates, you can select it to save your time. If you don’t like the existing chatbot templates, you can build your chatbot from scratch.  ### **Step 3: Build Your Workflow** Follow the following steps to build your own flow for a template for the chatbot:​ **1\. Edit Flow Name** Create a unique workflow name and confirm it. Now your workspace window will be ready for you to start your flow. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image14-1741362882171-compressed.png) ### 2: Set up Nodes You need to drag and drop a node, i.e., the **message box**. These will contain the function(s) your flow will perform.  ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image25-1024x389-1741362977952-compressed.png) There are certain self-explanatory actions that are available for every node: edit, duplicate, delete, set start node (to make the node be the beginning of the flow), card color (to make the flow creating process easier and fun), and unset start node. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image9-1-1741362935736-compressed.png) ### 3: Setting up appropriate messages There are many types of action you can choose for your structure. You can type your message in the text section and also add variables that can be called upon in the text after enclosing in double curly brackets.  ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image10-1-1024x491-1741363015875-compressed.png) In the "**Add more**" section, you can select * **Buttons**: You can have a maximum of 3 buttons, with each button being at most 20 characters. * **List**: You can have a maximum of 10 items on the list. Then, after selecting your list, you can choose to add a custom input or choose from custom auto-reply. * **Media**: Interakt supports three types of media: image (size < 5 MB), Video (size < 16 MB), and documents (size < 2 MB) ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image2-1-1741363083961-compressed.png) ​ ### 4: Triggering Webhooks Interakt lets you add webhooks only if you are an Advanced or Enterprise user. You can integrate API calls into the flow easily in a few steps * **Define the URL** Update the request type (GET, POST, PUT, or DELETE) accordingly to call the specific API. You can also add a variable as a part of the URL through the "Add Variable" option. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image27-1741367441969-compressed.png) * **Customize the Header** Choose Content-Type in the Key section and application/json in the Value section. You can also add other header parameters if required. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image1-1-1741367495340-compressed.png) * **Customize Body** You have to insert the body parameters here. Keep in mind that this Request Body has to be filled in JSON format only, with a character limit of 200. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image6-1-1741367516300-compressed.png) * **Save Response** Once you've made an API request and received a response, you need to save the necessary data as a user trait or variable. To do this, test the webhook with a sample response by clicking on the “Test Webhook” button. You'll be prompted to fill in test values for the variables configured in your Request, Header, and Body fields. This will trigger the API call and generate a response. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image24-1024x902-1741367566762-compressed.png) From the API response, gather relevant information such as “order ID” or “shipping status” and store it as a user trait or workflow variable. Use the corresponding key in the objectkey.keyname format to input the data. * **Error Handling** You can create your own error response that will be displayed when the APIs are failing. Upon receiving this, the flow will break from the next responses. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image19-1741367588182-compressed.png) ### 5: Saving User Responses You can save the user responses for future use by using the “Save user response” button. There are two ways to save the responses: * User Trait: To be used when you need to store the value permanently, like for username, ph number, and email address. * Workflow Variable: This won’t keep the responses saved permanently, but using this, you can store them temporarily for further messages in the same flow. ### Step 4:  Save and Export the Workflow on WhatsApp To save the workflow, you should click on the Save Workflow button at the top right section of the website. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image17-1741367713469-compressed.png) You should click on the green “Export Workflow Responses” button to export the flow. Here, you can choose the time period for when you wish to receive the response report, which will be sent to your email address. However, Interakt has its own drawbacks. Interakt Drawbacks ------------------ * As comprehensive as it gets, it's **chatbot builder is difficult** to follow and quite restrictive. * **Lacks advanced features** like API integrations, analytics, and automated workflows, which are only available for its higher priced subscriptions. * The starter plan has very limited functionalities **without automated workflows**. * It's growth plan has **no setup support**, unlike [Heltar](https://www.heltar.com/demo.html), which provides end-to-end customer support, irrespective of the user's subscription plans. Choosing the right WhatsApp Business API provider is very important to reap the most benefits in the best economically possible way.  Heltar: No-Code WhatsApp Chatbot Builder ---------------------------------------- **[Heltar](https://www.heltar.com/demo.html)** is a more **cost-effective**, **feature-rich**, and **scalable** solution provider for small and medium enterprises (SMEs). It offers: * **Affordable Pricing:** Heltar’s plans are significantly cheaper, starting at just ₹999/month. * **Unlimited Scalability:** No cap on chatbot responses or users in any plan. * **Advanced Integrations:** OpenAI and Javascript compatibility for enhanced functionality. * **Customer-Centric Features:** 24/7 support and a free green tick badge for credibility. * **High Volume Messaging:** Send over 1,000,000 messages with just one click, ensuring efficiency without risks. You can [start a free trial](https://app.heltar.com/register) to explore the features by yourself or [book a free demo](https://heltar.com/demo.html)!  If you have any questions about migrating from one BSP to another, read this blog on [All You Need to Know About WhatsApp Business API BSP Migration](https://www.heltar.com/blogs/all-you-need-to-know-about-whatsapp-business-bsp-migration-cm43dovm20002pn0vlj30ssa9). For more insights, tips, and strategies to make the most of your WhatsApp Business API, explore [Heltar Blogs](https://heltar.com/blogs). ​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix WhatsApp Flows Error "Invalid Endpoint URI" Author: Prashant Jangid Published: 2025-03-03 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/how-to-fix-whatsapp-flows-error-invalid-endpoint-uri-cm7sz3twt000zcf4f1nqoiyw8 When using the WhatsApp API, you might encounter the error: "Invalid Endpoint URI." This occurs when the endpoint\_uri parameter contains an invalid or improperly formatted URL. The API expects a well-formed URL to function correctly. Why Does This Error Occur? -------------------------- Some common reasons include: 1. Malformed URL – Missing https:// or incorrect domain format. 2. Invalid Characters – Special characters or spaces in the URL. 3. Non-Resolvable Domain – The domain does not exist or is unreachable. 4. Typographical Errors – Mistyped URLs leading to an invalid format. How to Fix It? -------------- To resolve this issue, simply ensure the URL is correctly formatted, secure, and accessible. Review the URL for any mistakes in spelling, missing slashes, or incorrect domain extensions. For more troubleshooting tips related to WhatsApp Business API check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error "Specify Endpoint Uri in Flow JSON" - Simple Fix Author: Prashant Jangid Published: 2025-03-03 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-specify-endpoint-uri-in-flow-json-simple-fix-cm7sz0e71000ycf4flg49qinx When using the WhatsApp API to clone a Flow, you might encounter the error: Specify Endpoint Uri in Flow JSON. You provided endpoint\_uri and clone\_flow\_id which corresponds to a Flow with Flow JSON version below 3.0. This occurs when the endpoint\_uri parameter is included in a request for cloning a Flow that uses Flow JSON version below 3.0. The API requires using data\_channel\_uri instead of endpoint\_uri in such cases. Why Does This Error Occur? -------------------------- WhatsApp API has different requirements for specifying the endpoint URI depending on the Flow JSON version: 1. **Flow JSON version 3.0 and above –** Use endpoint\_uri in the API request. 2. **Flow JSON version below 3.0 –** Use data\_channel\_uri inside the Flow JSON instead of endpoint\_uri. If endpoint\_uri is specified while cloning a Flow that uses an older JSON version, the API rejects the request. **How to Fix It?** ------------------ To resolve this, update your request to comply with the correct JSON version requirements: ### 1\. If Using Flow JSON Version 3.0 and Above Include endpoint\_uri normally: {   "clone\_flow\_id": "1234567890",   "endpoint\_uri": "https://example.com/api",   "other\_parameters": "value" } ### 2\. If Using Flow JSON Version Below 3.0 Remove endpoint\_uri from the request and specify data\_channel\_uri in the Flow JSON: {   "clone\_flow\_id": "1234567890",   "flow\_json": {     "data\_channel\_uri": "https://example.com/api"   },   "other\_parameters": "value" } For more troubleshooting insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error "Only One Clone Source Can Be Set" - Simple Fix Author: Prashant Jangid Published: 2025-03-03 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-only-one-clone-source-can-be-set-simple-fix-cm7sywjb7000xcf4f08ik7ikf When using the WhatsApp API to clone a Flow, you might encounter the error: Only one clone source can be set. You provided values for both clone\_flow\_id and clone\_template. This occurs when both clone\_flow\_id and clone\_template parameters are included in your request. Since the API only allows one source for cloning, specifying both causes a conflict. How to Fix It? -------------- To resolve this, modify your request to include only one of these parameters: ### 1\. If You Want to Clone an Existing Flow Use clone\_flow\_id and remove clone\_template: {   "clone\_flow\_id": "1234567890",   "other\_parameters": "value" } ### 2\. If You Want to Clone a Template Use clone\_template and remove clone\_flow\_id: {   "clone\_template": "welcome\_message\_template",   "other\_parameters": "value" } This error is simple to fix by ensuring that only one cloning source is set in your request. For more insights related to WhatsApp Business API, check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error "Flow with specified ID does not exist" - Troubleshooting Guide Author: Prashant Jangid Published: 2025-03-03 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-flow-with-specified-id-does-not-exist-troubleshooting-guide-cm7sytp6q000wcf4fov2mc12e If you're integrating WhatsApp API and encounter the error "100 Flow with specified ID does not exist," it means the system can't find the Flow ID you provided. This can happen due to several reasons, and here’s how to troubleshoot and fix it. What Causes This Error? ----------------------- 1. Incorrect Flow ID: The Flow ID may be mistyped or copied incorrectly. 2. Flow Doesn’t Exist: The specified Flow might have been deleted or never created. 3. Access Issues: Your API credentials might not have permission to access the Flow. 4. Wrong Account: You may be using credentials for a different WhatsApp account that doesn't have this Flow. How to Fix It? -------------- ### 1\. Verify the Flow ID Check the Flow ID in your WhatsApp Business Manager or your API logs. Ensure there are no extra spaces, incorrect characters or any other typo when passing the ID in the request. 2\. Check If the Flow Exists ---------------------------- Go to your WhatsApp Business Manager or chatbot platform and confirm that the Flow is present. If the Flow was deleted, you’ll need to create a new one and use its ID. ### 3\. Confirm API Credentials and Permissions Ensure you’re using the correct API key or access token associated with the account that owns the Flow. Check user permissions to confirm your API credentials have access to the Flow. ### 4\. Ensure You’re Using the Right Account If you manage multiple WhatsApp accounts, verify that you’re making the request under the right account. By following these steps, you can fix the "100 Flow with specified ID does not exist" error and ensure smooth WhatsApp API automation. For more troubleshooting tips related to WhatsApp Business API check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error: 100 Invalid Flow JSON data_api_version | Complete Troubleshooting Guide Author: Prashant Jangid Published: 2025-03-03 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-100-invalid-flow-json-dataapiversion-or-complete-troubleshooting-guide-cm7syqr6s000vcf4fp4nst927 When working with WhatsApp Flows, you might encounter the error: "100 Invalid Flow JSON data\_api\_version" This error occurs when the Data API version specified in your API call is incorrect, missing, or outdated. Below, we’ll break down why this happens and how to fix it. Why This Error Occurs? ---------------------- 1. Incorrect Version Format – A typo or formatting issue in the version string. 2. Missing Version – The data\_api\_version field is left blank. 3. Deprecated Version – The version specified is outdated and no longer supported. How to Fix It? -------------- ### 1\. Check for Typing Errors Ensure that you have entered the version number correctly. WhatsApp API versions follow a format like v17.0, v18.0, etc. Verify the syntax in your API request. ### 2\. Specify a Version (If Missing) If your request does not include a data\_api\_version, explicitly set it to the latest supported version. Example: {   "data\_api\_version": "v18.0",   "flow": { ... } } ### 3\. Use a Supported API Version If the version you’re using is no longer active, update it to the latest supported version. * Check the official WhatsApp API [Changelog](https://developers.facebook.com/docs/whatsapp/on-premises/changelog) for the latest versions. * Refer to WhatsApp’s [Versioning Reference](https://developers.facebook.com/docs/whatsapp/flows/guides/versioning) to understand version lifecycles. For more troubleshooting tips related to WhatsApp API check out our [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix WhatsApp Flows Error 'Invalid Flow JSON Version' Error - Step-by-step Troubleshooting Guide Author: Prashant Jangid Published: 2025-03-03 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/how-to-fix-whatsapp-flows-error-invalid-flow-json-version-error-step-by-step-troubleshooting-guide-cm7syo7a9000ucf4fntfnbk34 If you encounter the error "100: Invalid Flow JSON version" while working with WhatsApp API, it means the version specified in your API call is incorrect, missing, or no longer supported. Follow this guide to troubleshoot and resolve the issue. What are Version States? ------------------------ Each Flow JSON version falls into one of these states: * Active: Can be used for new Flows. * Frozen: Cannot be used for new Flows, but existing Flows remain functional. * Expired: No longer works, and associated Flows stop functioning. Possible Causes of the Error ---------------------------- * Incorrect Version Format: There may be a typo or incorrect version number in the API request. * Missing Version: The API request does not specify a version. * Frozen Version: The specified version is no longer available for creating or updating Flows. * Expired Version: The version is deprecated and cannot be used. Step-by-Step Troubleshooting Guide ---------------------------------- ### 1\. Verify the Version Number Double-check the version number in your API request. Ensure there are no typos or formatting errors. ### 2\. Check for the Latest Active Version Go to the official WhatsApp API Changelog. Identify the most recent active version and update your API request accordingly. ### 3\. Upgrade to a Supported Version * If your version is frozen or expired, migrate to an active version. * WhatsApp provides a 90-day notice before freezing or expiring versions. * Check the Changelog regularly for updates. ### 4\. Stay Informed About Deprecation Notices * WhatsApp aims to support versions for 12 months before freezing and another 12 months before expiration. * Some versions may be deprecated sooner due to external requirements. * Subscribe to official updates to avoid unexpected disruptions. ### 5\. Modify and Resend Your API Request * Replace the outdated version number with the latest active version. * Resend your API request and verify that the error is resolved. By following these steps, you can troubleshoot and resolve the "Invalid Flow JSON Version" error efficiently, ensuring smooth functionality for your WhatsApp Flows. For more troubleshooting tips related to WhatsApp API check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix WhatsApp Flows Error 'Flow Name is Not Unique' - Troubleshooting Guide Author: Prashant Jangid Published: 2025-03-03 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/how-to-fix-whatsapp-flows-error-flow-name-is-not-unique-troubleshooting-guide-cm7sym8i2000tcf4f5mf3hqgb If you're setting up a Flow in WhatsApp API and encounter the error "100: Flow name is not unique", it means you're trying to create a Flow with a name that already exists in your WhatsApp Business Account. Since Flow names must be unique within an account, you need to resolve this issue before proceeding. Causes of the Error ------------------- 1. Duplicate Flow Name – You’re using a name that’s already assigned to another Flow in your account. 2. Wrong Account Selection – You might be attempting to create a Flow in the wrong WhatsApp Business Account. 3. Previously Deleted Flow Name Conflict – Sometimes, a deleted Flow's name might still be in use within the system. How to Fix It? -------------- ### 1\. Check for Existing Flows Before creating a new Flow, check if a Flow with the same name already exists. * Go to Meta Business Manager → WhatsApp Manager → Flows. * Look through the list to see if the name is already in use. ### 2\. Rename the Flow If the name is taken, modify it. ### 3\. Verify the Correct Account Ensure you are working on the correct WhatsApp Business Account. Cross-check your Business Account ID in the Meta Business Manager. Confirm that the Flow you’re creating belongs to the intended account. ### 4\. Try a Hard Refresh If you've deleted a Flow and still see the error: * Clear your cache or try accessing WhatsApp Manager from an incognito window. * Wait a few minutes and attempt to create the Flow again. ### 5\. Contact WhatsApp Business Support If the issue persists despite renaming and verifying your account, reach out to Meta Support for assistance. By following these steps, you can quickly resolve the "Flow Name is Not Unique" error and ensure smooth workflow automation in WhatsApp API. For more troubleshooting tips related to WhatsApp API check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Flows Error Code 139000 Blocked by Integrity - Step-by-Step Guide to Resolve Author: Prashant Jangid Published: 2025-03-03 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/whatsapp-flows-error-code-139000-blocked-by-integrity-step-by-step-guide-to-resolve-cm7syh6y0000scf4fwg216afd How to Resolve WhatsApp Flows Error Code 139000 - Blocked by Integrity ---------------------------------------------------------------------- If you’ve encountered the error code 139000 - Blocked by Integrity while trying to create or publish a Flow on WhatsApp, this indicates an issue with your account’s integrity. WhatsApp has flagged your account for violating its terms of service and has restricted your ability to proceed. In this blog we will explain reasons for why it might be happening, along with steps to resolve it. What Does “Blocked by Integrity” Mean? -------------------------------------- A WhatsApp account flagged for integrity issues is suspected of engaging in activities that are against the platform’s policies. This can include anything from spam-like behavior to using unauthorized tools. While not all flags result in account bans, they do prevent specific actions, like creating or publishing Flows. Common Reasons for Integrity Issues ----------------------------------- Here are some activities that may trigger an integrity issue on WhatsApp: 1. Spamming: Sending repetitive or unsolicited messages to large groups or individuals without their consent (opt-ins). 2. Scamming: Spreading misleading messages to trick users into sharing sensitive information or clicking on harmful links. 3. Unauthorized Apps: Using third-party applications to automate or modify WhatsApp’s functionality, which violates the platform’s policies. 4. Account Sharing: Allowing multiple users to access the same WhatsApp account, which can compromise its integrity. 5. Policy Violations: Sharing inappropriate, offensive, or prohibited content. Consequences of Integrity Issues -------------------------------- If your account is flagged, you might experience the following: * Account Restrictions: Limited ability to send messages or add new contacts. * Temporary Ban: A suspension for a defined period, preventing you from using your account. * Permanent Ban: Severe or repeated violations may result in your account being permanently disabled. Steps to Resolve Error Code 139000 ---------------------------------- To regain the ability to create and publish Flows, follow these steps: 1. Contact WhatsApp Support: Reach out to WhatsApp support via the in-app help section or through the official website and ask for assistance in resolving the issue. 2. Review WhatsApp Policies: Check WhatsApp’s terms of service and ensure you comply with their guidelines to avoid future issues. Tips to Avoid Integrity Issues in the Future -------------------------------------------- * Use WhatsApp-approved tools and applications. * Obtain consent before sending messages to users. * Limit bulk messaging and avoid spamming. * Monitor your account for unusual activity and report it immediately. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Google DialogFlow Pricing Explained (CX & ES) in 2025 Author: Manav Mahajan Published: 2025-02-26 Category: HeltarBot Tags: Dialogflow, WhatsApp Chatbot, Business Chatbot URL: https://www.heltar.com/blogs/google-dialogflow-pricing-explained-cx-and-es-in-2025-cm7m7m7cp00j9ip0li1hg9v83 Google’s **Dialogflow** is one of the most powerful tools available for building chatbots & AI-driven conversational agents. Whether you're looking to enhance customer support, drive sales, or automate workflows, Dialogflow makes chatbot development accessible and efficient. It is easy to use, can handles the complex conversation, available in many languages, easy integration with other tools, easy webhook integration (HTTP request events on specific action inside Dialogflow system) **What is Dialogflow?** ----------------------- Dialogflow is a **Natural Language Understanding (NLU) platform** that helps developers create conversational interfaces for applications, websites, and messaging platforms like WhatsApp, Facebook Messenger, and Slack. It is powered by Google Cloud’s machine learning capabilities, allowing it to understand user intent and generate intelligent responses. ![File:Dialogflow logo.svg - Wikipedia](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1740084095542-compressed.png) Google DialogFlow - CX vs ES ---------------------------- Google Dialogflow recently introduced Dialogflow CX (**Customer Experience**) – a powerful tool for creating advanced virtual agents. The older version of Dialogflow has been renamed to Dialogflow ES (**Essentials**). Dialogflow is now a common term to describe both the Dialogflow ES and CX. In this article, we can see the enhancements and limitations of Dialogflow CX vs ES. [Dialogflow CX](https://dialogflow.cloud.google.com/cx/) provides a new way of designing virtual agents, taking a state machine approach to agent design. This gives a clear and explicit control over a conversation, a better end-user experience, and a better development workflow. Dialogflow CX Dialogflow ES Agent types Advanced, suitable for large or complex agents Standard, suitable for small to medium agents Number of agents per project Supports up to 100 agents Supports one agent per project Conversation paths Controlled by flows, pages, and state handlers Controlled by intents and contexts Features Streaming partial response, private network access, and continuous tests Basic features like intents, entities, and contexts Additional information Dialogflow CX is more user friendly and controlled by journeys or the flow via the page Dialogflow ES has a free tier plan with limited quota and support. Pricing table ------------- The following terms are used to describe pricing and quotas: ### **Request** A _request_ is defined as any API call to the Dialogflow service, whether direct with API usage or indirect with integration or console usage. Depending on the task and design of the agent, the number of requests needed for an end-user to accomplish a task with a Dialogflow agent can vary greatly. ### **Session** A _session_ is a conversation between an end-user and a Dialogflow agent. A session remains active and its data is stored for 30 minutes after the last request is sent for the session. A session can be either a _chat session_ or a _voice session_. 1. **Chat session:** A _chat session_ only uses text for both requests and responses. 2. **Voice session:** A _voice session_ uses audio for requests, responses, or both. ### **Consumer Projects and Resource Projects** If you use multiple projects, it is possible that the project associated with your request authentication (consumer project) is not the same project that is associated with the agent in the request (resource project). In this case, the consumer project is used to determine prices and quotas. For more information, see [Using multiple projects for Dialogflow ES](https://cloud.google.com/dialogflow/es/docs/multi-project) or [Using multiple projects for Conversational Agents (Dialogflow CX)](https://cloud.google.com/dialogflow/cx/docs/concept/multi-project). > The following tables provide a pricing comparison for editions by [agent type](https://cloud.google.com/dialogflow/docs/editions#agent-types). Unless a feature is indicated as included, pricing is cumulative for all features used by a request. > > Conversational Agents (Dialogflow CX) has a simpler pricing model than Dialogflow ES. For example, sentiment analysis has no charge for Conversational Agents (Dialogflow CX), but sentiment analysis incurs additional charges for Dialogflow ES. ![Difference between Dialogflow CX vs Dialogflow ES - DEV Community](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1740592588118-compressed.jpeg) Google DialogFlow Pricing - CX vs ES --------------------------------------- Feature DialogFlow CX DialogFlow ES **Text** (includes all Detect Intent and Streaming Detect Intent requests that do not contain audio) $0.007 per request $0.002 per request​**​** **Audio input** (also known as speech recognition, speech-to-text, STT) $0.001 per second $0.0065 per 15 seconds of audio **Audio output** (also known as speech synthesis, text-to-speech, TTS) $0.001 per second Standard voices: $4 per 1 million characters WaveNet voices: $16 per 1 million characters **Mega agent** NA <=2k intents: $0.002 per request § \>2k intents: $0.006 per request § **Design-time write requests** For example, calls to build or update an agent. no charge $0 per request **Design-time read requests** For example, calls to list or get agent resources. no charge $0 per request **Other session requests** For example, setting or getting session entities or updating/querying context. no charge $0 per request Google Cloud Platform costs --------------------------- If you use other Google Cloud resources in tandem with Dialogflow, such as Google App Engine instances, then you will also be billed for the use of those services. See the [Google Cloud Pricing Calculator](https://cloud.google.com/products/calculator) to determine other costs based on current rates. To view your current billing status in the Cloud console, including usage and your current bill, see the [Billing page](https://console.cloud.google.com/billing). For more details about managing your account, see the [Cloud Billing Documentation](https://cloud.google.com/billing/docs) or [Billing and Payments Support](https://cloud.google.com/support/billing). **Conclusion** -------------- Creating a chatbot with **Dialogflow** is a straightforward process that involves defining intents, training responses, and integrating with external platforms. But [Heltar](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg) also provides a no code drag-and-drop chatbot builder that can be used by literally anyone and everyone because of its intuitive UI. By leveraging Heltar's AI & Chatbot capabilities, businesses can build chatbots that provide **seamless, intelligent, and automated conversations** for customer interactions. > Want to integrate a WhatsApp chatbot for your business? [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm7dsv9940003ip0lk9d8mxh5/heltar.com) offers the best solutions to help you get started with WhatsApp Business API-powered automation. Contact us today! --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in United Kingdom [2025] Author: Nilesh Barui Published: 2025-02-22 URL: https://www.heltar.com/blogs/null In the United Kingdom, the WhatsApp API costs USD 0.0529 for marketing templates, USD 0.022 for utility templates, and USD 0.0358 for authentication templates, and service conversation remains free of charge. Quick Summary of How WhatsApp Business API Pricing Works Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in United Kingdom** ------------------------------------------ WhatsApp Business API Pricing in United Kingdom for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹3.8747 $0.0529 €0.0438 Utility ₹1.6122 $0.022 €0.0182 Authentication ₹2.6249 $0.0358 €0.0297 Service ₹0 $0 €0 ​ You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in United Arab Emirates [2025] Author: Nilesh Barui Published: 2025-02-22 URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-united-arab-emirates-2025-cm7ft2oej004hip0lidr097hp Businesses using WhatsApp for customer engagement should be aware of the pricing structure set to take effect from April 1, 2025. Instead of charging per conversation, WhatsApp will now apply a per-template pricing model for business-initiated messages. Below is an outline of the costs applicable in the UAE: Categories INR USD EUR Marketing ₹2.8164 $0.0384 €0.0319 Utility ₹1.1509 $0.0157 €0.013 Authentication ₹1.1509 $0.0157 €0.013 Service ₹0 $0 €0 Explanation of Pricing Categories: ---------------------------------- * **Marketing Messages**: Designed for promotional campaigns, offers, and product advertisements. * **Utility Messages**: Transactional messages such as order confirmations and delivery status updates. These remain free within a 24-hour window from the last customer interaction. * **Authentication Messages**: Used for security purposes like OTP verification and login authentication. * **Service Messages**: If a customer initiates a conversation, businesses can respond freely within a 24-hour window at no cost. Understanding the 24-Hour Service Window ---------------------------------------- Each time a customer sends a message, a 24-hour response window is triggered. Within this period, businesses can send messages without using pre-approved templates and at no charge. If the window closes, businesses must use a template message to continue the conversation. Different regions have distinct pricing models for WhatsApp Business API. If you are interested in a country-specific breakdown, explore our **comprehensive WhatsApp Business API pricing guide**. Our [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) helps businesses estimate costs based on their specific requirements, including location and messaging volume. For further insights and expert guidance on optimizing WhatsApp Business API for your company, explore our extensive collection of [blogs and resources](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Turkey [2025] Author: Nilesh Barui Published: 2025-02-22 URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-turkey-2025-cm7fsz8jn004gip0l31nohdok Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in Turkey** ---------------------------------- WhatsApp Business API Pricing in Turkey for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹0.7989 $0.0109 €0.009 Utility ₹0.3884 $0.0053 €0.0044 Authentication ₹0.6101 $0.0083 €0.0069 Service ₹0 $0 €0 ​ You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Spain [2025] Author: Nilesh Barui Published: 2025-02-22 URL: https://www.heltar.com/blogs/null Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in Spain** --------------------------------- WhatsApp Business API Pricing in Spain for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹4.5044 $0.0615 €0.0509 Utility ₹1.4648 $0.02 €0.0166 Authentication ₹2.5049 $0.0342 €0.0283 Service ₹0 $0 €0 ​ You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in South Africa [2025] Author: Nilesh Barui Published: 2025-02-22 URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-south-africa-2025-cm7fsmwyp004eip0lyn6lwhz9 Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in South Africa** ---------------------------------------- WhatsApp Business API Pricing in South Africa for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹2.7821 $0.0379 €0.0314 Utility ₹0.5579 $0.0076 €0.0063 Authentication ₹0.5579 $0.0076 €0.0063 Service ₹0 $0 €0 ​ You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Saudi Arabia [2025] Author: Nilesh Barui Published: 2025-02-22 URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-saudi-arabia-cm7fsizyx004dip0llgijf6oe Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in Saudi Arabia** ---------------------------------------- WhatsApp Business API Pricing in Saudi Arabia for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹3.3292 $0.0455 €0.0376 Utility ₹0.842 $0.0115 €0.0095 Authentication ₹0.842 $0.0115 €0.0095 Service ₹0 $0 €0 ​ You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Russia [2025] Author: Nilesh Barui Published: 2025-02-22 URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-russia-2025-cm7fsfm6y004cip0lzr76qjp0 Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in Russia** ---------------------------------- WhatsApp Business API Pricing in Russia for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹5.8767 $0.0802 €0.0664 Utility ₹2.9311 $0.04 €0.0331 Authentication ₹3.1457 $0.0429 €0.0355 Service ₹0 $0 €0 ​ You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Peru [2025] Author: Nilesh Barui Published: 2025-02-22 URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-peru-2025-cm7fsc3z2004bip0l97neikq7 Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in Peru** -------------------------------- WhatsApp Business API Pricing in Peru for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹5.1536 $0.0703 €0.0582 Utility ₹1.4662 $0.02 €0.0166 Authentication ₹2.7626 $0.0377 €0.0312 Service ₹0 $0 €0 ​ You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Pakistan [2025] Author: Nilesh Barui Published: 2025-02-22 URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-pakistan-cm7fs8nhf004aip0lbhxqtv3z Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in Pakistan** ------------------------------------ WhatsApp Business API Pricing in Pakistan for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹3.4683 $0.0473 €0.0392 Utility ₹0.396 $0.0054 €0.0045 Authentication ₹0.396 $0.0054 €0.0045 Service ₹0 $0 €0 ​ You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Netherlands [2025] Author: Nilesh Barui Published: 2025-02-22 URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-netherlands-2025-cm7fs3xp00049ip0l3zfeixom Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in Netherlands** --------------------------------------- WhatsApp Business API Pricing in Netherlands for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹11.7078 $0.1597 €0.1323 Utility ₹3.6656 $0.05 €0.0414 Authentication ₹5.2784 $0.072 €0.0596 Service ₹0 $0 €0 ​ You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Mexico [2025] Author: Nilesh Barui Published: 2025-02-22 URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-mexico-2025-cm7frxw930048ip0ludt7u8sv Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in Mexico** ---------------------------------- WhatsApp Business API Pricing in Mexico for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹3.1938 $0.0436 €0.0361 Utility ₹0.7325 $0.01 €0.0083 Authentication ₹1.7537 $0.0239 €0.0198 Service ₹0 $0 €0 ​ You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Malaysia [2025] Author: Nilesh Barui Published: 2025-02-22 URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-malaysia-2025-cm7frukwv0047ip0lgfpseipq Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). WhatsApp API Pricing in Malaysia -------------------------------- WhatsApp Business API Pricing in Malaysia for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹6.3037 $0.086 €0.0712 Utility ₹1.0262 $0.014 €0.0116 Authentication ₹1.0262 $0.014 €0.0116 Service ₹0 $0 €0 You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Italy [2025] Author: Nilesh Barui Published: 2025-02-22 URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-italy-2025-cm7frst3l0046ip0lcah4mg3r Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). WhatsApp API Pricing in Italy ----------------------------- WhatsApp Business API Pricing in Italy for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹5.0614 $0.0691 €0.0572 Utility ₹2.1974 $0.03 €0.0248 Authentication ₹2.7687 $0.0378 €0.0313 Service ₹0 $0 €0 ​ - You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Israel [2025] Author: Nilesh Barui Published: 2025-02-22 URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-israel-2025-cm7frq1430045ip0lwpca5hcj Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). WhatsApp API Pricing in Israel ------------------------------ WhatsApp Business API Pricing in Israel for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹2.5871 $0.0353 €0.0292 Utility ₹0.3885 $0.0053 €0.0044 Authentication ₹1.2368 $0.0169 €0.0014 Service ₹0 $0 €0 ​ - You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Indonesia [2025] Author: Nilesh Barui Published: 2025-02-22 URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-indonesia-cm7frnii30044ip0lchacr5it Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). WhatsApp API Pricing in Indonesia --------------------------------- WhatsApp Business API Pricing in Indonesia for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹3.0111 $0.0411 €0.0341 Utility ₹1.4653 $0.02 €0.0166 Authentication ₹2.1979 $0.03 €0.0249 Service ₹0 $0 €0 You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to create a chatbot on Google Dialogflow in 2025? Author: Manav Mahajan Published: 2025-02-20 Tags: Dialogflow, WhatsApp Chatbot, Business Chatbot URL: https://www.heltar.com/blogs/how-to-create-a-chatbot-on-google-dialogflow-in-2025-cm7dsv9940003ip0lk9d8mxh5 Google’s **Dialogflow** is one of the most powerful tools available for building chatbots & AI-driven conversational agents. Whether you're looking to enhance customer support, drive sales, or automate workflows, Dialogflow makes chatbot development accessible and efficient. It is easy to use, can handles the complex conversation, available in many languages, easy integration with other tools, easy webhook integration (HTTP request events on specific action inside Dialogflow system). In this guide, we’ll walk you through the **step-by-step** process of creating a chatbot using Dialogflow, covering all essential concepts and best practices. **What is Dialogflow?** ----------------------- Dialogflow is a **Natural Language Understanding (NLU) platform** that helps developers create conversational interfaces for applications, websites, and messaging platforms like WhatsApp, Facebook Messenger, and Slack. It is powered by Google Cloud’s machine learning capabilities, allowing it to understand user intent and generate intelligent responses. ![File:Dialogflow logo.svg - Wikipedia](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1740084095542-compressed.png) **Step 1: Setting Up Dialogflow** --------------------------------- ### **1.1 Create a Google Cloud Project** To use Dialogflow, you must first create a **Google Cloud Project**: 1. Visit Google Cloud Console. 2. Click on **Create Project** and enter a name for your project. 3. Enable **Dialogflow API** in the Google Cloud Console. 4. Set up billing (Dialogflow has a free tier, but certain features require a billing account). ### **1.2 Access Dialogflow Console** 1. Go to the Dialogflow Console. 2. Sign in with your Google account. 3. Click on **Create Agent** and provide the agent’s name, default language, and time zone. 4. Choose **Google Cloud Project** linked to your Dialogflow agent. **Step 2: Creating Your Chatbot’s Structure** --------------------------------------------- ### **2.1 Understanding Intents** In Dialogflow, **Intents** represent the purpose of a user’s input. Each intent maps user queries to appropriate responses. * Example: If a user asks, _“What are your business hours?”_, Dialogflow maps this to a predefined intent that provides the correct response. ### **2.2 Adding Intents** 1. Go to the **Intents** tab in Dialogflow. 2. Click **Create Intent** and give it a name (e.g., 'greeting\_intent'). 3. Under **Training Phrases**, add user inputs like: * "Hello" * "Hey there" * "Good morning" 4. Under **Responses**, add chatbot replies: * "Hello! How can I assist you today?" * "Hi there! Need help with something?" 5. Click **Save** to train your chatbot. **Step 3: Enhancing Conversations with Entities** ------------------------------------------------- ### **3.1 Understanding Entities** Entities help Dialogflow extract key information from user inputs. For example, if a user says _“Book a flight from New York to Los Angeles”_, **New York** and **Los Angeles** can be detected as location entities. ### **3.2 Creating Custom Entities** 1. Navigate to **Entities** in Dialogflow. 2. Click **Create Entity** and provide a name (e.g., 'city\_names'). 3. Add synonyms for values: * New York → (NYC, New York City) * Los Angeles → (LA, L.A.) 4. Click **Save** and link the entity to relevant intents. **Step 4: Configuring Fulfillment for Dynamic Responses** --------------------------------------------------------- ### **4.1 Enabling Fulfillment** Fulfillment allows your chatbot to connect with databases, APIs, or other external systems to provide real-time responses. 1. In Dialogflow, navigate to **Fulfillment**. 2. Enable **Webhook** and provide a webhook URL. 3. Create a backend server (using Node.js, Python, or Firebase) to handle requests. ### **4.2 Writing Webhook Code (Example in Node.js)** const express = require("express");const app = express();app.use(express.json());app.post("/webhook", (req, res) => { const intentName = req.body.queryResult.intent.displayName; let responseText = ""; if (intentName === "book_flight") { responseText = "Sure! Where would you like to fly?"; } res.json({ fulfillmentText: responseText });});app.listen(3000, () => console.log("Server is running")); This webhook listens for **book\_flight** intent and responds dynamically. **Step 5: Integrating Dialogflow Chatbot with Messaging Platforms** ------------------------------------------------------------------- Once your chatbot is functional, you can integrate it with multiple platforms: ### **5.1 WhatsApp Business API Integration** To integrate your chatbot with **WhatsApp**, use a WhatsApp Business API provider like Heltar (or instead, opt for an easier version altogether i.e. our [no code drag and drop](https://www.heltar.com/automation.html) chatbot builder) 1. Set up a WhatsApp Business API account. 2. Obtain API credentials from Heltar. 3. Connect Dialogflow to the WhatsApp API using webhooks. 4. Deploy and test your chatbot! ### **5.2 Facebook Messenger Integration** 1. Go to **Integrations** in Dialogflow. 2. Enable **Facebook Messenger**. 3. Provide the **Page Access Token** from Facebook. 4. Set up **webhooks** for Messenger. 5. Deploy the chatbot and start engaging users. **Step 6: Testing and Deployment** ---------------------------------- ### **6.1 Testing Your Chatbot** Dialogflow provides a built-in **Testing Console** where you can: * Simulate conversations. * Debug errors in responses. * Improve chatbot performance using **Training History**. ### **6.2 Deploying Your Chatbot** 1. Optimize training data and responses. 2. Set up Dialogflow on **Google Cloud Functions** for scalability. 3. Monitor chatbot interactions using **Google Analytics**. 4. Continuously update intents based on user feedback. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-02-26-231357-1740591897182-compressed.png) Google DialogFlow - CX vs ES Google Dialogflow recently introduced Dialogflow CX (**Customer Experience**) – a powerful tool for creating advanced virtual agents. The older version of Dialogflow has been renamed to Dialogflow ES (**Essentials**). Dialogflow is now a common term to describe both the Dialogflow ES and CX. In this article, we can see the enhancements and limitations of Dialogflow CX vs ES. [Dialogflow CX](https://dialogflow.cloud.google.com/cx/) provides a new way of designing virtual agents, taking a state machine approach to agent design. This gives a clear and explicit control over a conversation, a better end-user experience, and a better development workflow. Dialogflow CX Dialogflow ES Agent types Advanced, suitable for large or complex agents Standard, suitable for small to medium agents Number of agents per project Supports up to 100 agents Supports one agent per project Conversation paths Controlled by flows, pages, and state handlers Controlled by intents and contexts Features Streaming partial response, private network access, and continuous tests Basic features like intents, entities, and contexts Additional information Dialogflow CX is more user friendly and controlled by journeys or the flow via the page Dialogflow ES has a free tier plan with limited quota and support. --- Google DialogFlow Pricing - CX vs ES --------------------------------------- Feature DialogFlow CX DialogFlow ES **Text** (includes all Detect Intent and Streaming Detect Intent requests that do not contain audio) $0.007 per request $0.002 per request**​** **Audio input** (also known as speech recognition, speech-to-text, STT) $0.001 per second $0.0065 per 15 seconds of audio **Audio output** (also known as speech synthesis, text-to-speech, TTS) $0.001 per second Standard voices: $4 per 1 million characters WaveNet voices: $16 per 1 million characters **Mega agent** NA <=2k intents: $0.002 per request § \>2k intents: $0.006 per request § **Design-time write requests** For example, calls to build or update an agent. no charge $0 per request **Design-time read requests** For example, calls to list or get agent resources. no charge $0 per request **Other session requests** For example, setting or getting session entities or updating/querying context. no charge $0 per request **Conclusion** Creating a chatbot with **Dialogflow** is a straightforward process that involves defining intents, training responses, and integrating with external platforms. But [Heltar](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg) also provides a no code drag-and-drop chatbot builder that can be used by literally anyone and everyone because of its intuitive UI. By leveraging Dialogflow’s AI capabilities, businesses can build chatbots that provide **seamless, intelligent, and automated conversations** for customer interactions. > Want to integrate a WhatsApp chatbot for your business? [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm7dsv9940003ip0lk9d8mxh5/heltar.com) offers the best solutions to help you get started with WhatsApp Business API-powered automation. Contact us today! --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Documents Required for Meta Business Verification Author: Prashant Jangid Published: 2025-02-20 URL: https://www.heltar.com/blogs/documents-required-for-whatsapp-business-verification-cm7dbkzez003dstm2nhtouct3 You need a Website, Facebook account, Certificate/articles of incorporation (COI) OR GST, UDYAM registration certificate (MSME) OR an email with @companydomain extension, any Utility bill or Phone bill under the company's name; for tax info: GST number is required.  Onboarding Prerequisites ------------------------ * A phone number **not linked** to WhatsApp or WhatsApp Business. * An active Facebook account. * A valid email ID. **Business Verification Requirements** -------------------------------------- Meta requires verification of your company's **name**, **contact info**, **tax details**, and **content**. Here's the breakdown: 1. **Company Name Verification** * Submit your **Certificate of Incorporation (COI)** or **GST certificate**. 2. **Contact Information** * Provide a **UDYAM/MSME registration certificate** or use an **official company domain email** (e.g., [name@yourcompany.com](mailto:name@yourcompany.com)). * _Note_: If the MSME certificate lacks a contact number, upload a **utility/phone bill** under the company's name or use the domain email. 3. **Tax Information** * Share your **GST number**. 4. **Content Verification** * Link a **company website** that clearly explains your business offerings. * * * **Why Meta Verification Matters** --------------------------------- Meta's verification process ensures that WhatsApp users don't get spam messages. Businesses can build trust with customers and unlock advanced platform features. Here's how to ace it: ### **Start with the Basics** Before starting your verification, you need a dedicated phone number (to avoid WhatsApp conflicts) and link it within your Meta Business manager. ### **Business Verification** You need your COI, GST details, and MSME certificate (if applicable) upfront. You can use a utility bill or your company email if there is no contact number on your MSME certificate. ### **Your Website is Your Voice** A clear, functional website is needed to validate your business operations. Ensure it highlights your services, contact details, and purpose. ### **Stay Compliant, Stay Visible** Tax info (like GST) is needed as proof of legitimacy. Your business verification and the rest of the documents should go smoothly.  By organizing these essentials, you'll streamline onboarding, avoid delays, and position your business for success on Meta's powerful platforms. Ready to get verified? Start prepping today!  Need a WhatsApp API Provider?  ​Check out [Heltar- Best WhatsApp Business API](https://www.heltar.com/) now to see how it may improve corporate communication. For additional details, get in touch with our staff.  > ### Calculate your WhatsApp conversation pricing with Heltar here! > > [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Messaging Limit Unavailable Status on WhatsApp Manager - Complete Troubleshooting Guide 2025 Author: Prashant Jangid Published: 2025-02-17 Category: Troubleshoot Tags: troubleshoot URL: https://www.heltar.com/blogs/messaging-limit-unavailable-status-on-whatsapp-manager-complete-troubleshooting-guide-2025-cm794exru001213xnwalgc8ta When using WhatsApp Business API, your messaging limit determines how many unique users you can reach in a rolling 24-hour period. These limits are typically set at 250, 1000, 10000, 100000, or unlimited. You should be able to see your current messaging limit on WhatsApp Manager. If the messaging limit shows ‘Unavailable Status’ follow the steps listed in the blog. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-02-18-at-3-1739871082029-compressed.png) Steps to Troubleshoot Messaging Limit Unavailable ------------------------------------------------- ### 1\. Check if your WhatsApp Number is Registered If you are using a WhatsApp Business API then messaging Limit often shows unavailable status if the number is not properly registered with your WhatsApp Business API. If you are using a WhatsApp Business API you need to ensure that your WhatsApp Number is registered. To check if a WhatsApp number is registered with the WhatsApp Business API follow these steps: * Go to [developers.facebook.com](https://developers.facebook.com) and log in with your credentials.  * Navigate to **My Apps** and choose the relevant WhatsApp Business account linked to your business.  * Within the **Phone Numbers** section, input your phone number you want to check and review its status. If it shows as registered and verified then the number is registered. If not you need to register it which includes making a POST call. Follow these steps: * Create the number on a WhatsApp Business Account. * Get a verification code for that number. * Use the code to verify the number. * Register the verified number for use with Cloud API or On-Premises API. Send a POST request to the [WhatsApp Business Account > Phone Numbers](https://developers.facebook.com/docs/graph-api/reference/whats-app-business-account/phone_numbers/#Creating) endpoint. You can use the following curl request by replacing the placeholders in capitals with actual details: curl -i -X POST \\"[https://graph.facebook.com/LATEST-VERSION/WHATSAPP-BUSINESS-ACCOUNT-ID/phone\_numbers?cc=COUNTRY-CODE&phone\_number=PHONE-NUMBER&migrate\_phone\_number=true&access\_token=USER-ACCESS-TOKEN](https://graph.facebook.com/LATEST-VERSION/WHATSAPP-BUSINESS-ACCOUNT-ID/phone_numbers?cc=COUNTRY-CODE&phone_number=PHONE-NUMBER&migrate_phone_number=true&access_token=USER-ACCESS-TOKEN)" 2\. Send a WhatsApp Message to Your WhatsApp Business Phone Number For many accounts, the messaging limit automatically updates to the default when a user-initiated conversation is triggered for the first time. To do this send a message to your business phone number from any WhatsApp account. Wait a short while and check if the limits are now visible in WhatsApp Manager. ### 3\. New Account/Quality Too Low If your account is new or has a low-quality rating, the system may not assign a messaging limit immediately. * #### For New Accounts: Messaging limits may remain unavailable until you send enough messages to establish a sending pattern. Send a higher volume of messages over time to increase your default limit. * #### For Low-Quality Accounts: If your account is old but still shows the “Unavailable” status, it may indicate a low-quality rating. Improve your quality rating by sending high-quality, relevant messages that users are likely to engage with positively. For more insights related to WhatsApp Marketing and WhatsApp Cloud API Errors check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Generate a WhatsApp QR Code? Author: Prashant Jangid Published: 2025-02-17 Category: Digital Marketing Tags: Whatsapp Marketing, Digital Marketing URL: https://www.heltar.com/blogs/how-to-generate-a-whatsapp-qr-code-cm7942z17001113xnvbyk3or0 If you want to generate a QR code that on scanning automatically opens WhatsApp and redirects to your business number to initiate a chat, you can simply use Heltar’s [Free QR Code Generator Tool](https://www.heltar.com/whatsapp-qr-code-generator.html). Just add your phone number and an optional custom message to initiate conversation. Click on Generate QR Code. You will get the QR code. For a detailed guide read this blog. In this guide, we’ll show you how to generate a WhatsApp QR code using Heltar’s Free WhatsApp QR Code Generator and alternative methods. Method 1: Using Heltar’s Free WhatsApp QR Code Generator -------------------------------------------------------- Heltar’s WhatsApp QR Code Generator makes it easy to create a chat QR code in just a few steps. You can even add a predefined message to guide users when they initiate a conversation. ### Steps to Generate a WhatsApp QR Code: 1. Open [Heltar’s Free WhatsApp QR Code Generator](https://www.heltar.com/whatsapp-qr-code-generator.html). 2. Enter your WhatsApp number (including your country code but without the + symbol). 3. Optional: Add a custom message to make it easier for users to start a conversation. 4. Click on **Generate QR Code** to create your WhatsApp QR code. 5. Download the QR Code and use it on your website, business cards, posters, or ads. Method 2: Manually Generating a WhatsApp QR Code ------------------------------------------------ If you prefer to generate a WhatsApp QR code manually, follow these steps: **1\. WhatsApp provides a simple URL format to create chat links:** > https://wa.me/ Replace **** with your full phone number, including the country code, but without special characters like +, -, or spaces. Example: If your number is +1-234-567-890, your link will be: > https://wa.me/1234567890 **2\. To prefill the message when someone scans the QR code, use this format:** > https://wa.me/?text= Replace **** with the text you want users to see when they open the chat. Use %20 for spaces and encode special characters. Example: > https://wa.me/1234567890?text=Hello%20I%20am%20interested%20in%20your%20services **3. Generate the QR Code** * Go to any free QR code generator. * Enter your WhatsApp chat link that you just created. * Click on **Generate** and download the QR code. * Use the QR code on websites, marketing materials, business cards, or social media. Where to Use Your WhatsApp QR Code? ----------------------------------- * **Website:** Add it to your contact page or floating chat widget. * **Business Cards:** Let customers reach you instantly by scanning the code. * **Social Media:** Add it to Instagram, Facebook, LinkedIn, or Twitter bios. * **Printed Materials:** Place it on flyers, banners, packaging, or storefronts. * **WhatsApp Ads:** Use it in offline ads to simplify customer communication. ​Generating a WhatsApp QR code is an easy way to improve customer engagement and streamline communication. For more insights on WhatsApp Marketing and WhatsApp Business API, check out [Heltar’s Blog](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Generate WhatsApp Link for Chat? [All Methods Explained] Author: Prashant Jangid Published: 2025-02-17 Category: Digital Marketing Tags: Whatsapp Marketing, Digital Marketing URL: https://www.heltar.com/blogs/how-to-generate-whatsapp-link-for-chat-cm793tdpb001013xn1pjln5jp ​To generate WhatsApp Link for your number, you can simply use [Heltar’s Free WhatsApp Link Generator](https://www.heltar.com/whatsapp-chat-link-generator.html). On entering your number you get a link which directly opens WhatsApp and your chat for the user to initiate a conversation. You can even add an optional message which the user can use to start conversation. For complete details along with alternative methods to generate WhatsApp Chat Link read this blog. Method 1: Using Heltar’s Free WhatsApp Link Generator ----------------------------------------------------- 1. Open Heltar’s [WhatsApp Chat Link Generator](https://www.heltar.com/whatsapp-chat-link-generator.html). 2. Enter Your WhatsApp Number (along with your country code and without the ‘+’ symbol). 3. Enter a message for clients to start conversation (optional). 4. Click on Generate Link. 5. Click on Copy Code to copy the WhatsApp Link or on Download QR Code to download the QR code generated. Method 2: Using the WhatsApp Link Format ---------------------------------------- 1\. WhatsApp provides a simple URL format to create chat links: >  https://wa.me/ Replace with your full phone number, including the country code, but without any special characters like +, -, or spaces. Example: If your number is +1-234-567-890, your link will look like: > https://wa.me/1234567890 2\. You can prefill the chat with a custom message by adding a query parameter: > https://wa.me/?text= Replace with the text you want users to see when they open the chat. Use %20 for spaces and URL encoding for special characters. > Example: [https://wa.me/1234567890?text=Hello%20I%20am%20interested%20in%20your%20services](https://wa.me/1234567890?text=Hello%20I%20am%20interested%20in%20your%20services) You can add this link on your website or your Instagram bio to make it easier for your clients to reach you. Alternative: Adding a WhatsApp QR Code -------------------------------------- For an alternative way to allow visitors to contact you, you can use a WhatsApp QR code on your website: 1. Go to [Heltar’s Free WhatsApp QR Code Generator](https://www.heltar.com/whatsapp-qr-code-generator.html). 2. Enter your WhatsApp Business Number. 3. You can also Enter a message for clients to start a conversation. 4. Generate the QR code and download it. You can use this QR code on different ads to simplify the process of contacting your business. Where Should You Add Your WhatsApp Chat Link? --------------------------------------------- ### 1\. Social Media Profiles & Posts Add the link in your Instagram bio and story highlights, Facebook Page CTA (Call to Action) button , and LinkedIn descriptions. ### 2\. Email Signatures & Newsletters Add a WhatsApp button or text link in your email signature. Include it in newsletters for easy customer support. ### 3\. Website & Landing Pages Add a WhatsApp chat button on the homepage, product pages, and contact page. Use a floating chat widget for visibility on all pages. Include it in the website footer or top navigation bar. For more insights on WhatsApp Marketing or on WhatsApp Business API check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Add a WhatsApp Button on Your Website? [No-Code Solution as Well as With-Code Solution] Author: Prashant Jangid Published: 2025-02-17 URL: https://www.heltar.com/blogs/how-to-add-a-whatsapp-button-on-your-website-no-code-solution-as-well-as-with-code-solution-cm793ko4d000z13xn8hkr4qiv If you want to add a button on your website that automatically opens WhatsApp and redirects to your business number to initiate a chat, you can simply use Heltar’s [Free WhatsApp Button Generator Tool](https://www.heltar.com/whatsapp-button-generator.html). Just add your phone number and an optional custom message to initiate conversation. Click on Generate Code. You will get the HTML and CSS code that you need to paste on your website and a WhatsApp Button will be added on your website. For a detailed guide along with steps to create your own button from scratch read this blog. How to Use Heltar’s Free WhatsApp Button Generator? --------------------------------------------------- 1. Open Heltar’s [Free WhatsApp Button Generator Tool](https://www.heltar.com/whatsapp-button-generator.html). 2. Enter your WhatsApp Number. 3. You can also Enter a message for clients to start a conversation. 4. Click on Generate Code. 5. Click on Copy Code. 6. Paste this code in the HTML file of your website. The code includes inline CSS and will add a button on your website with the WhatsApp icon. You can customize the code to change colors or location if needed. How to Create Your Own Custom WhatsApp Button for a Website? ------------------------------------------------------------ 1\. Copy the following URL format: https://wa.me/ Replace with your full phone number, including the country code (but without + or -).  > Example: https://wa.me/1234567890 2\. Add this link to a button or text on your website. Chat with us on WhatsApp 3\. You can also use the WhatsApp logo as an icon and link it to your chat.     WhatsApp Make sure to replace whatsapp-icon.png with the actual path to the WhatsApp icon. You can add inline CSS or a CSS file as per your requirement to change how the button looks on your website. Alternative: Adding a WhatsApp QR Code -------------------------------------- For an alternative way to allow visitors to contact you, you can include a WhatsApp QR code on your website: 1. Go to Heltar's Free [WhatsApp QR Code Generator](https://www.heltar.com/whatsapp-qr-code-generator.html). 2. Enter your WhatsApp Business Number. 3. You can also Enter a message for clients to start a conversation. 4. Generate the QR code and download it. 5. Add the QR code to your website using an tag: Scan to chat on WhatsApp Whether you use a simple link, an icon, a floating button, or a personalized generator, you can improve communication with your website visitors by linking your WhatsApp number. For more insights on WhatsApp Marketing or WhatsApp Business API check out [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Create Your Own UTM Link for Free? Author: Prashant Jangid Published: 2025-02-17 Category: Digital Marketing Tags: Whatsapp Marketing, Digital Marketing URL: https://www.heltar.com/blogs/how-to-create-your-own-utm-link-for-free-cm791mbw8000k13xnmw76q2vg To create your own UTM-tagged URL simply go to [Heltar’s Free UTM Link Generator](https://www.heltar.com/utm-link-generator.html). Enter your base URL. Enter other optional parameters like the UTM Source, Medium Campaign, Term and content. Click on Generate UTM Link and you get your UTM URL specific to the parameters you just entered. For a detailed guide read the complete blog. What is a UTM Link? ------------------- A UTM (Urchin Tracking Module) link is a URL with special parameters added to track the effectiveness of marketing campaigns. These parameters help identify the source, medium, campaign name, and other details, allowing marketers to analyze traffic in tools like Google Analytics. For example, a UTM-tagged URL looks like this: > https://yourwebsite.com/?utm\_source=facebook&utm\_medium=social&utm\_campaign=summer\_sale Each UTM parameter provides insights about where traffic is coming from and how different campaigns perform. Since UTM parameters are used for tracking, they do not directly influence keyword rankings or page authority. To prevent SEO issues, use UTM links primarily for external marketing campaigns rather than internal linking on your website. How Do UTM Links Work? ---------------------- When someone clicks on a UTM link, the added parameters send tracking data to your analytics platform. This data helps marketers measure campaign performance by answering key questions: * Where is the traffic coming from? (utm\_source) * How is it being delivered? (utm\_medium) * Which campaign generated the traffic? (utm\_campaign) * What specific content was clicked? (utm\_content, optional) * Which keyword triggered the visit? (utm\_term, optional) How to Use Heltar’s Free UTM Link Generator? -------------------------------------------- Heltar offers a free UTM link generator that simplifies the process. Follow these steps: 1. Go to [Heltar’s UTM Link Generator](https://www.heltar.com/utm-link-generator.html) 2. Enter Your Website URL 3. Fill in UTM Parameters * **Source (utm\_source):** The platform or website (e.g., Facebook, Google, Email) * **Medium (utm\_medium):** The marketing channel (e.g., CPC, social, newsletter) * **Campaign (utm\_campaign):** The campaign name (e.g., summer\_sale, launch\_promo) * **Content (utm\_content):** Optional, used for A/B testing different ads * **Term (utm\_term):** Optional, primarily for tracking keywords in paid ads 5. Generate the UTM Link 6. Click on Copy to Clipboard to start using the link. How to Manually Create a UTM Link? ---------------------------------- You can also manually create a UTM Link by following this format: > https://yourwebsite.com/?utm\_source=SOURCE&utm\_medium=MEDIUM&utm\_campaign=CAMPAIGN&utm\_content=CONTENT&utm\_term=TERM Replace the capitalized words with actual values. For example: > https://yourwebsite.com/?utm\_source=instagram&utm\_medium=organic&utm\_campaign=black\_friday Where and How to Use UTM Links? ------------------------------- ### 1\. Social Media Campaigns Track engagement from Facebook, Instagram, WhatsApp, LinkedIn, etc. Example: Adding a UTM link in a social media post or ad. ### 2\. Email Marketing Monitor click-through rates from newsletters and promotional emails. Example: https://yourwebsite.com/?utm\_source=email&utm\_medium=newsletter&utm\_campaign=monthly\_update ### 3\. Google Ads Measure ad performance and keyword effectiveness. Example: https://yourwebsite.com/?utm\_source=google&utm\_medium=cpc&utm\_campaign=holiday\_sale&utm\_term=discount\_shoes ### 4\. Influencer & Affiliate Marketing Track traffic driven by influencers and affiliates. Example: https://yourwebsite.com/?utm\_source=youtube&utm\_medium=affiliate&utm\_campaign=product\_launch ### 5\. Offline Campaigns with QR Codes Print UTM links as QR codes to track physical promotions. Example: Adding a QR code on flyers, posters, or business cards. Using UTM links helps marketers understand what works best in their campaigns. Whether you use Heltar’s free UTM generator or manually create your own, tracking campaign performance with UTM links will give you better insights and improve your marketing strategy. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## 5 Best WhatsApp Chatbot Tools in 2025 (WhatsApp API Providers) Author: Manav Mahajan Published: 2025-02-15 Category: WhatsApp Business API Tags: Automation, WhatsApp Chatbot, Business Chatbot URL: https://www.heltar.com/blogs/5-best-whatsapp-chatbot-tools-in-2025-whatsapp-api-providers-cm767f1z800g0r1l2rju01ql4 As businesses increasingly adopt WhatsApp for customer engagement, It becomes necessary to automate the customer workflows on WhatsApp. WhatsApp Business App supports very basic automations; and if businesses are looking to scale their automations, choosing the right WhatsApp bot builder is crucial for automating conversations, handling queries, and enhancing customer interactions.  Prerequisites of using a WhatsApp Chatbot: * WhatsApp Business Account * WhatsApp API  > ​[Read more about WhatsApp Business API.](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg) Several WhatsApp Business API service providers offer bot-building platforms tailored to different business needs. In this blog, we’ll explore some of the best WhatsApp bot builders available today, analyzing their features, pricing, and limitations to help you make an informed decision. 1\. Heltar - Best WhatsApp Bot Building Tool -------------------------------------------- Heltar provides the best, yet the most affordable, _**no code drag-and-drop chatbot builder**_, with multiple functionalities and integration capabilities. You can eliminate developer dependency and let your product workforce ship chatbots with Heltar Bot Studio's no-code drag-and-drop builder, slashing development times by more than 60% ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-02-16-001618-1739645193920-compressed.png) ### Key Features​ * Automated messaging for key customer touchpoints - Intuitive platform that is easy to operate and negative (No prior coding experience needed whatsoever) * Supports integrations with all major applications including shopify & google sheets * 24/7 Priority Customer Support (to make sure that you are able to talk to your customers, without any interruption) * Automated messaging for key customer touchpoints  * AI powered customer query resolution - Intelligent API Calling ### Pricing **Basic Plan**: ₹999/month - gives full access to our comprehensive CRM platform, and few basic automated workflows > The rest can be customised, tailored to your needs, to make sure you get the perfect pricing and the features that YOUR business needs!  2\. AiSensy ----------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-02-15-183415-1739624688208-compressed.png) AiSensy is a WhatsApp Business solution provider that leverages the official WhatsApp Business API to offer a no-code platform for businesses.  ### Key Features * Unlimited WhatsApp broadcasts * Automated messaging for key customer touchpoints * Supports payment notifications, order tracking, and abandoned cart recovery * Bot-enabled customer support ### Pricing * **Basic Plan**: ₹999/month – Includes unlimited messages, 10 tags, and 5 attributes. * **Pro Plan**: ₹2399/month – Includes a broadcast scheduler, click tracking, and up to 100 tags and 20 attributes. * **Enterprise Plan**: Custom pricing based on specific requirements. > #### 5 Chatbot Flows: **₹** 1999 (charged separately)  ### Limitations * No mobile app available * Separate Charges for bots & automations - can turn out to be an expensive ordeal for a business in need of multiple workflows * No multi-product catalog feature for WhatsApp commerce 3\. Wati -------- Wati is a WhatsApp Business API solutions provider designed for businesses focusing on customer support. It provides a shared team inbox and chatbot automation for streamlining support operations. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-02-15-184812-1739625504970-compressed.png) ### Key Features * Shared team inbox for WhatsApp customer support * Chatbot builder for automated responses * Seamless API integration and onboarding support ### Pricing * **Growth Plan**: ₹2499/month * **Pro Plan**: ₹5,999/month * **Business Plan:** ₹16,999/month > Additional Charges for Shopify Integration - ₹430/month > > Additional Charges for Chatbot Sessions - starting at ₹2000 for 1000 sessions per month ### Limitations * Limit of 5 users per plan, adding an additional user can cost anywhere between _**₹699 to ₹3,999/month/user**_, which can be extremely costly for most businesses * Having to buy chatbot sessions separately can be an additional cost burden over the business * Wati's AI Chatbot builder - Knowbot, incurs extra costs 4\. Interakt ------------ Interakt provides a quick fix solution to no code drag and drop chatbot builder, with basic automation capabilities. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-02-15-235946-1739644205979-compressed.png) ### Key Features * Shared team inbox for WhatsApp customer support * Chatbot builder for automated responses * Seamless integrations and onboarding support ### Pricing * **Starter Plan**: ₹2,757/quarter * **Growth Plan**: ₹6,897/quarter * **Advanced Plan:** ₹9,657/quarter * **Enterprise:** On Request Customisable ### Limitations * Limited Functionality in lower plans (features like product catalog, WhatsApp payments, multiple app integrations can only be accessed with higher plans) * Limited Bot Analytics with the low tier plans * Automated Workflows and AnswerBot (AI-Powered) not available with low tier plans 5\. Gallabox ------------ Gallabox provides a decent alternative to costly bot builders of Wati and other players, but it has a lot of hidden charges that might stack up the costs of the business later on. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-02-16-000929-1739644785409-compressed.png) ### Key Features * Shared team inbox for WhatsApp customer support * Chatbot builder for automated responses * Seamless integrations and onboarding support ### Pricing * **Starter Plan**: ₹999/month * **Growth Plan**: ₹2,999/month * **Scale Plan:** ₹5,999/month * **Custom Plan:** On Request Customisable > **Additional Charges (that stack up as you proceed)** > > 1) Additional Hidden Charge - ₹1,000/user/month > > 2) Shopify Integration - $5/month extra > > 3) Additional channels - ₹1,200/channel/month > > 4) Dedicated account manager - ₹15,000/channel/month ### Limitations * Lots of additional charges that can stack up as you proceed with doing business conversations on Gallabox * Limited number of users that can be added (3 for starter, 6 for growth & scale) which can be a big hindrance for the businesses * Custom Roles can only be assigned upwards of Scale Plan Conclusion ---------- Choosing the best WhatsApp bot builder depends on your business size, industry, and specific requirements. Heltar provides the best and most affordable no code drag-and-drop chatbot builder. Interested in setting up a WhatsApp bot for your business?  Get started with **[Heltar](https://www.heltar.com/)**, the leading WhatsApp Business API provider, for seamless automation and engagement! > **Sign-up for the Free to use Best WhatsApp API now with** [**Heltar-Book a Demo!**](https://www.heltar.com/demo.html)​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in India [2025] Author: Nilesh Barui Published: 2025-02-13 Category: WhatsApp Business API Tags: Whatsapp Marketing, Whatsapp Business API, WhatsApp API Pricing URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-india-2025-cm73t7kaq008gr1l28b2qdjp1 Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in India** --------------------------------- WhatsApp Business API Pricing in India for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹0.7846 $0.0107 €0.009 Utility ₹0.115 $0.0014 €0.0012 Authentication ₹0.115 $0.0014 €0.0012 Service ₹0 $0 €0 ​ You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Germany [2025] Author: Nilesh Barui Published: 2025-02-13 Category: WhatsApp Business API Tags: Whatsapp Marketing, Whatsapp Business API, WhatsApp API Pricing URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-germany-2025-cm73t379x008fr1l2vjowwl3h Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in Germany** ----------------------------------- WhatsApp Business API Pricing in Germany for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹10.0073 $0.1365 €0.1131 Utility ₹4.0322 $0.055 €0.0456 Authentication ₹5.6308 $0.0768 €0.0636 Service ₹0 $0 €0 ​ You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in France [2025] Author: Nilesh Barui Published: 2025-02-13 Category: WhatsApp Business API Tags: Whatsapp Marketing, Whatsapp Business API, WhatsApp API Pricing URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-france-2025-cm73suuy9008er1l2laiwtq3d Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in France** ---------------------------------- WhatsApp Business API Pricing in France for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹10.4984 $0.1432 €0.1186 Utility ₹2.1994 $0.03 €0.0248 Authentication ₹5.0674 $0.0691 €0.0572 Service ₹0 $0 €0 You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Egypt [2025] Author: Nilesh Barui Published: 2025-02-13 Category: WhatsApp Business API Tags: Whatsapp Marketing, Whatsapp Business API, WhatsApp API Pricing URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-egypt-2025-cm73slw2c008dr1l2ylh9twap Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in Egypt** --------------------------------- Categories INR USD EUR Marketing ₹7.8651 $0.1073 €0.0889 Utility ₹0.3812 $0.0052 €0.0043 Authentication ₹0.3812 $0.0052 €0.0043 Service ₹0 $0 €0 WhatsApp Business API Pricing in Egypt for all four categories per message/template effective from April 1st, 2025:You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Colombia [2025] Author: Nilesh Barui Published: 2025-02-13 Category: WhatsApp Business API Tags: Whatsapp Marketing, Whatsapp Business API, WhatsApp API Pricing URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-columbia-2025-cm73iygsn0080r1l2vyv39xpd Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in Colombia** ------------------------------------ **WhatsApp Business API Pricing in Colombia for all four categories per message/template effective from April 1st, 2025: ** Categories INR USD EUR Marketing ₹0.9161 $0.0125 €0.0104 Utility ₹0.147 $0.0002 €0.0002 Authentication ₹0.5607 $0.0077 €0.0063 Service ₹0 $0 €0 You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Chile [2025] Author: Nilesh Barui Published: 2025-02-13 Category: WhatsApp Business API Tags: Whatsapp Marketing, Whatsapp Business API, WhatsApp API Pricing URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-chile-2025-cm73irkf1007zr1l2xviu7ssw Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in Chile** --------------------------------- WhatsApp Business API Pricing in Chile for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹6.5135 $0.0889 €0.0736 Utility ₹1.4654 $0.02 €0.0166 Authentication ₹3.8642 $0.0527 €0.0437 Service ₹0 $0 €0 You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Brazil [2025] Author: Nilesh Barui Published: 2025-02-13 Category: WhatsApp API Pricing Tags: Whatsapp Marketing, Whatsapp Business API, WhatsApp API Pricing URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-brazil-2025-cm73idc51007yr1l2xe089d87 Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in Brazil** ---------------------------------- WhatsApp Business API Pricing in Brazil for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹4.5208 $0.0625 €0.0518 Utility ₹0.5863 $0.008 €0.0066 Authentication ₹2.3087 $0.0315 €0.0261 Service ₹0 $0 €0 You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Argentina [2025] Author: Nilesh Barui Published: 2025-02-13 Category: WhatsApp API Pricing Tags: Whatsapp Marketing, Whatsapp Business API, WhatsApp API Pricing URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-argentina-2025-cm73coc2s007gr1l23ole61ar Quick Summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- Effective from April 1st, 2025, WhatsApp Business API will charge for **business-initiated** messages on a **per-template basis**, rather than per conversation, through templates: 1. **Marketing Templates:** For promoting your products, services, and business.  2. **Authentication Templates:** For identity verification, like sending OTP and two-factor authentication. 3. **Utility Templates:** For order updates, post-purchase notifications, etc.; free if within the 24-hour service window; otherwise, the respective charges are applicable. Service conversations are initiated by users. If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘**Service Window**’. During this window, any messages your business sends to that customer are free of charge, and most importantly, your messages do not need to follow a template. ### **What exactly is a Service Window?** Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. WhatsApp has different pricing structures with respect to various countries and regions. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in Argentina** ------------------------------------- WhatsApp Business API Pricing in Argentina for all four categories per message/template effective from April 1st, 2025: Categories INR USD EUR Marketing ₹4.5293 $0.0618 €0.0512 Utility ₹2.4918 $0.034 €0.0282 Authentication ₹2.6888 $0.0367 €0.0304 Service ₹0 $0 €0 You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Meta Pauses Marketing Messages for U.S. WhatsApp users Author: Nilesh Barui Published: 2025-02-13 Category: Meta Business Support Tags: Whatsapp Marketing, WhatsApp USA URL: https://www.heltar.com/blogs/meta-pauses-marketing-messages-for-us-whatsapp-users-cm73a1q480073r1l2vk0ju32s In a significant move aimed at enhancing user experience, Meta has announced a temporary suspension of marketing messages on WhatsApp for U.S. users, i.e., people with U.S.- registered phone numbers, starting from April 2025. This has been done to ensure a better and more engaging experience with WhatsApp for users in the United States. Why the Pause? -------------- Meta’s decision to pause marketing messages stems from their broader goal of maintaining the health of the WhatsApp ecosystem. They don’t want WhatsApp to suffer the same fate as SMS, which has been heavily targeted by spammers and scam messages, leading to user frustration and distrust. This measure is not entirely new for WhatsApp, as Meta has previously implemented similar strategy updates, such as the healthy ecosystem error concept, where it has limited the number of marketing messages received by a user, upgrading verification methods for businesses, enhancing the API, etc. Additionally, marketing messages didn’t receive the same amount of engagement in the U.S. as they did in the other regions. By temporarily stopping these messages, Meta aims to create a more user-friendly environment that fosters better long-term outcomes for businesses when marketing messages are reintroduced. Alternative Strategies that Businesses can still Pursue ------------------------------------------------------- ### 1\. Click-to-WhatsApp Ads Businesses can still utilize Click-to-WhatsApp ads to drive traffic directly to their WhatsApp channel. These ads can be placed on various platforms like Instagram, Facebook, and other popular websites, enabling users to initiate a conversation with just one click, thereby boosting engagement and conversions. Increasing the CTWA usage will be beneficial for businesses not only to bring users to their WhatsApp channels but also to form a strong presence in the digital world.​ ### 2. **Utility Conversations** ​In an encouraging move to support businesses, Meta has reduced the utility template rates. Under this template, businesses can send crucial notifications like updates, reminders, and account alerts. Businesses should capitalise on this opportunity and tweak their strategy accordingly. ### 3. Authentication Messages These messages allow businesses to verify user identity through OTPs and other sensitive information via WhatsApp. ### 4. Service Conversations User-initiated messages provide businesses a 24-hour free service window to address client queries. This window refreshes every time the client sends a new message.​ **Future Outlook** ------------------ Meta will assess the impact of these changes on the US market and gather insights accordingly. The company continues to encourage businesses to use the platform to grow their enterprise and leverage available tools for effective customer interaction. However, businesses should also adopt healthy marketing strategies as Meta plans to continue strict reviews. Fostering a healthy environment will also help build trust and enhance customer satisfaction. It is important to remain hopeful, as there is significant potential for marketing messages to be revamped soon in the US. Meta plans to make these messages more engaging and less intrusive, aligning with user preferences. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How To Increase Conversation Limit on WhatsApp? [2025] Author: Prashant Jangid Published: 2025-02-11 Category: Troubleshoot Tags: Whatsapp Marketing URL: https://www.heltar.com/blogs/how-to-increase-conversation-limit-on-whatsapp-2025-cm70lis7b005fu7cg8vl7lhyu Businesses using WhatsApp Business API have messaging limits that determine how many business-initiated conversations they can start in a 24-hour period. These limits can be increased by moving to higher tiers. To increase limit you need to send 1000 messages today, 10000 tomorrow, 1 lakh after that and so on. Read the complete blog for details. Conversation Limit ------------------ Messaging limits refer to the maximum number of business-initiated conversations a business phone number can open within a 24-hour moving period. Initially, businesses are limited to 250 business-initiated conversations per day, but this limit can be increased by progressing to higher tiers: * Tier 1: 1,000 business-initiated conversations per day * Tier 2: 10,000 business-initiated conversations per day * Tier 3: 100,000 business-initiated conversations per day * Tier 4: Unlimited business-initiated conversations To move beyond the initial 250 limit, businesses must first reach Tier 1 by submitting a request to Meta and following the necessary steps (explained further). Once in Tier 1, businesses can automatically move to higher tiers, which is called automatic scaling, if they meet specific requirements (explained further). **How to Check Current Conversation Limit** ------------------------------------------- You can check your current WhatsApp Business API conversation limit by following these steps: 1. Go to Meta Business Manager: Visit business.facebook.com. 2. Click on "Business Settings." 3. Under "Accounts," choose "WhatsApp Accounts." 4. Select your business account. 5. Click on "Overview." 6. Scroll down to "Messaging Limits" to see your current limit. How to Move to Tier 1 (1K Conversations per Day) ------------------------------------------------ To Move to Tier 1 (1K Conversations Per Day) follow these steps: ### 1\. Business Verification Submit your business for verification. If approved, WhatsApp will analyze your messaging quality and activity before approving or denying an increase. ### 2\. Identity Verification If required, you may need to verify your identity. If identity verification is successful, your messaging limit increase will be approved. If not, your request will be denied, and you will see a notification in the WhatsApp Manager > Overview > Limits panel. ### 3\. Open 1K Conversations in 30 Days To qualify for an increase, you must initiate at least 1,000 business-initiated conversations within a 30-day moving period using high-quality templates. WhatsApp will analyze the quality and frequency of your messages before approving or denying an increase. ### 4\. Send High-Quality Messages If your request is denied, focus on maintaining a high message quality rating. WhatsApp periodically reviews message activity and may approve an increase later. Follow these best practices: * Comply with WhatsApp Business Messaging Policy. * Only message users who have opted in. * Personalize messages to make them relevant and valuable. * Avoid generic welcome or introductory messages. * Be mindful of message frequency—do not overwhelm users with too many messages. ### **5\. Request an Increase** If your business verification or identity verification is complete, or if you have met the 1K conversations in 30 days threshold but are still limited to 250 conversations, you can request a messaging tier upgrade by opening a support ticket: * Go to "Ask a Question" in Meta Business Support. * Select WABiz: Phone Number & Registration. * Choose Request Type: Request a Messaging Tier Upgrade. * Submit  your request.​ WhatsApp will evaluate your support submission and messaging quality before approving or denying the increase. Once your messaging limit is increased, your new limit will be displayed under **WhatsApp Manager** > **Account Tools** > **Insights** panel. How to Increase Your Messaging Limit From Tier 1 to a Higher Tier \[Automatic Scaling\] --------------------------------------------------------------------------------------- Once you reach Tier 1 your messaging limit increases automatically to the next tier when the following conditions are met: * Your phone number is connected. * Your quality rating is medium (yellow) or high (green). * You have initiated X or more conversations with unique customers in the past 7 days (X = your current messaging limit divided by 2). **Tips To Move To A Higher Tier** --------------------------------- ### 1. **Use WhatsApp Business API** The WhatsApp Business API provides advanced automation features, allowing businesses to: * Send bulk messages without manual effort. * Automate customer interactions with chatbots. * Track messaging performance with insights and analytics. By leveraging these tools, businesses can efficiently manage conversations at scale while maintaining high engagement. ### 2. Increase opt-ins to expand your reach. WhatsApp requires businesses to message only those users who have opted in. To increase your messaging limit, you need a larger audience. Here’s how you can encourage more opt-ins: * Use your website, social media, or email campaigns to promote WhatsApp sign-ups. * Offer incentives such as exclusive deals, early access, or personalized support for subscribers. ### 3. Maintain a high-quality rating by sending relevant and engaging messages. Meta monitors your messaging quality, and a poor rating (red) can prevent you from increasing your limit. To maintain a high-quality rating: * Ensure messages are personalized, useful, and non-intrusive. * Avoid sending excessive promotional content that may be perceived as spam. * Use message templates that are clear, professional, and compliant with WhatsApp’s policies. ### 4. Respond to customer inquiries promptly to maintain a good business reputation. Timely responses build trust and improve your messaging quality. Slow responses or unanswered messages can negatively impact your engagement. To maintain a good reputation: * Use chatbots to handle common queries instantly. * Ensure human agents are available for complex inquiries. * Keep response times low to enhance customer satisfaction and credibility. Following these steps will help you scale your WhatsApp messaging capabilities efficiently, ensuring better customer engagement and business growth. For more insights related to WhatsApp Marketing or WhatsApp Business API check out [heltar.com/blogs](https://www.heltar.com/blogs). ### ​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Get a Blue Tick (Verified Badge) on WhatsApp? Author: Prashant Jangid Published: 2025-02-11 Category: WhatsApp Business API URL: https://www.heltar.com/blogs/how-to-get-a-blue-tick-verified-badge-on-whatsapp-cm70lbn5j005du7cgesh3kklj WhatsApp Business has become a vital tool for businesses looking to enhance customer engagement. But this also means you will not be the only business reaching out to potential customers on WhatsApp. As customers get multiple promotional messages on WhatsApp from big and small businesses it becomes difficult for them to trust a business and be sure about quality and credibility. The Blue Tick (verified badge) helps you with exactly this and adds credibility to your profile. This verification badge assures customers that they are communicating with an authentic and reputable business. To get a blue tick on WhatsApp, businesses must appeal to Meta, but this is only possible if they use WhatsApp Business App or WhatsApp Business API. Additionally, there are specific prerequisites that must be met before applying. This guide covers all the requirements, the step-by-step application process, and tips to improve your chances of securing the WhatsApp Blue Tick. Why Does the Blue Tick Matter? ------------------------------ The Blue Tick on WhatsApp Business symbolises authenticity and establishes your business as a verified brand. This mark of trust assures your customers that they are communicating with an authentic and reputable entity, setting the foundation for a secure and trustworthy customer experience. Also verified accounts may appear more prominently in WhatsApp search results. Eligibility Requirements for WhatsApp Blue Tick ----------------------------------------------- The prerequisites to apply for a Blue Tick on WhatsApp are: * A WhatsApp Business account. * A verified Meta Business account. * A complete business profile on WhatsApp. * 5 genuine PR articles about your business on the Internet. **Restricted Businesses For Blue Tick** --------------------------------------- WhatsApp does not verify businesses dealing in: * Drugs * Tobacco products * Gambling * Alcohol * Weapons & ammunition * Live animal trade * Adult content * Medical/Healthcare products * Dating platforms * Cryptocurrency If your business falls into any of these categories, you cannot apply for the WhatsApp Blue Tick. **Step-by-Step Guide to Getting Verified** ------------------------------------------ Follow these essential steps to secure a verified business badge: ### **For WhatsApp Business App Users - Blue Tick Subscription Plans** WhatsApp offers multiple Blue Tick Subscription Plans with varying costs ranging from ₹639 - ₹21000 per month. You can choose one that fits your needs best. Plan Features Business Standard * Verified Badge * Impersonation Protection * Meta Verified in-app Support * 1 Verified Channel * A Business Web Page * Link Upto 4 Devices Business Plus * Verified Badge * Impersonation Protection * Meta Verified Prioritized in-app Support * 3 Verified Channels * A Business Web Page * Link Upto 6 Devices Business Premium * Verified Badge * Impersonation Protection * Meta Verified Prioritized in-app Support * 10 Protected Business Accounts * 5 Verified Channels * A Business Web Page * Link Upto 8 Devices Business Max * Verified Badge * Impersonation Protection * Meta Verified Prioritized in-app Support * 50 Protected Business Accounts * 10 Verified Channels * A Business Web Page * Link Upto 10 Devices To apply for a Blue Tick on WhatsApp Business App, follow these steps: 1. Open your WhatsApp Business App and go to **Tools**. 2. Select **Meta Verified**. 3. Choose a subscription package that suits your business. 4. Confirm your business account. 5. Set up your payment method and complete the first payment. 6. Select your business account and click **Next**. 7. Choose a verification method and click **Next**. 8. Enter the required verification details and **submit**. 9. Click **Done** to complete the process. ### **For WhatsApp Business API Users (Heltar API Users Get It Free!)** If you use Heltar’s WhatsApp Business API, you automatically receive a free Blue Tick along with the additional benefits of API integration. Simply ensure your business profile is complete and follows WhatsApp’s guidelines. Also produce proof for having at least five genuine media articles about the business on the internet. If you use any other API you can contact your Business Service Provider to assist you with the process of applying. ### **What Happens After Applying?** * Meta reviews your application, which may take a few days to several weeks. * Once approved, your business will receive the Blue Tick Badge. * Your profile will be locked for 20 days after purchase, meaning you cannot make changes. * If you change any profile details after verification, you will lose the Blue Tick and must re-subscribe. **How to Increase Your Chances of Getting Verified** ---------------------------------------------------- To improve your chances of obtaining the Blue Tick, follow these best practices: #### 1\. Maintain High Engagement Levels Regularly respond to customer inquiries promptly. Maintain high response rates to demonstrate active communication. #### 2\. Avoid Policy Violations Do not send unsolicited messages or excessive promotions. Ensure compliance with WhatsApp’s Business and Commerce policies. #### 3\. Encourage Customer Interaction Promote your WhatsApp contact on your website, social media, and email campaigns. Offer incentives or exclusive content to customers who connect with you on WhatsApp. #### 4\. Utilize WhatsApp Business Tools Use messaging templates for order confirmations and shipping updates. Organize customer chats with labels and quick replies. By maintaining active customer engagement and adhering to WhatsApp’s policies, your business can successfully gain and retain the WhatsApp Verified Badge, setting you apart as a trusted and reputable brand and remember getting a blue tick can be a lot easier if you use a WhatsApp API. For more insights related to making the most of WhatsApp Marketing for your business check out [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## 15 Best WhatsApp Business API Providers in 2025 Author: Prashant Jangid Published: 2025-02-10 Tags: Best API Providers, WhatsApp API Comparison URL: https://www.heltar.com/blogs/15-best-whatsapp-business-api-providers-in-2025-cm6z6lakz001bu7cgndvxunxx The top 15 providers include **Heltar, AiSensy, Gallabox, Yellow.ai, Interakt, Wati, Twilio, 360Dialog, Kaleyra, SleekFlow, MyOperator, CallHippo, ControlHippo, Infobip, and Zoko** Let's dive into their features, Pricing, and limitations to help you pick the right partner.  The following list does not rank the specific providers since the "best" one for your business might be based on particular features or UI/UX preferences.  1\. Heltar - Features & Pricing ------------------------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/img-3-1728805809211-compressed.PNG) Sell products 10x faster with our mobile & Desktop platforms! Heltar was built to democratize access to WhatsApp business API to SMEs & reduce the WhatsApp operation costs for Enterprises.  Heltar provides an easy-to-use, no-code chatbot builder with the latest integrations. ### Heltar Features: * AI-enabled no-code chatbot builders with advanced capabilities and intuitive UI.  * Bulk messaging and bulk broadcasts.  * All the campaign analysis tools you will need, including link tracking and external integrations, are not provided by Interakt. * You can send 4800 messages per minute on Heltar vs 600 messages per minute on Interakt's most expensive plan.  * Catalogue messages are included with their base models and do not cost extra, unlike Interakt. * Dedicated account manager & growth consultation for all clients. * OpenAI Integration: Domain-specific integration with your pre-trained OpenAI models. Limitations: * Integrations: Heltar allows multiple integrations, straightforward or complex. The drag-and-drop and low-code system allows every integration with Heltar's WhatsApp Business API. ### Pricing: Features Lite Starter Growth Pro Custom (Talk to Us) Eligibility Recommendation <5,000 Automated Conversations per month 5,000 - 10,000 Automated Conversations per month 10,000 - 50,000 Automated Conversations per month 50,000 - 1,00,000 Automated Conversations per month \> 1,00,000 Automated Conversations per month Platform Subscription 0 ₹2099/mo ₹4999/mo ₹9999/mo Custom Number of Automated Conversation Sessions Included FREE (Credits) 100/mo 5,000/mo 15,000/mo 30,000/mo Custom Additional cost per automated session after Free Credits ₹5/session ₹2/session ₹1.75/session ₹1.5/session Custom Number of WhatsApp Business Accounts Allowed 1 1 1 2 Custom Additional cost per WABA Not Applicable ₹799/mo ₹799/mo ₹799/mo Custom Meta Marketing Cost (To be paid on Actuals directly to Meta) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) Custom Meta Utility/Authentication Cost (To be paid on Actuals directly to Meta) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) Custom Meta User-Initiated Message Cost FREE FREE FREE FREE Custom 2\. AiSensy - Pricing & Features -------------------------------- ### AiSensy Pricing: Features Free Basic Pro Enterprise (>5L msgs/mo) Platform Fee 0 ₹999/mo ₹2399/mo Custom WhatsApp Business API Free Free Free Free WhatsApp Blue Tick Application Free Free Free Free Marketing Conversation Charges \- ₹0.88/session ₹0.88/session Custom Utility  Conversation Charges \- ₹0.125/session ₹0.125/session ₹0.125/session Authentication Conversation Charges \- ₹0.125/session ₹0.125/session ₹0.125/session Service \- Unlimited Free Unlimited Free Unlimited Free ​ AiSensy Pricing starts at ₹999/month, called the Basic plan, which offers only 10 Tags and 1200 messages/minute, followed by their Pro and Enterprise plans with additional features.  ### AiSensy Features: Apart from the WhatsApp Templates and broadcast, AiSensy focuses on the following features: * Ability to connect **No-Code Chatbots** from Google Dialogflow in a Single Click * **Single-click broadcasts** to reach thousands of customers instantly. * Integrate your **Shopify & WooCommerce stores** easily with AiSensy & automate notifications for Order delivery, Abandoned Carts, etc.  * Free access to essential integrations like AWRFree. * Advanced API integration options for seamless automation. ### **AiSensy Limitations:** * Limited features in Basic & Pro plans: AiSensy has **key tool restrictions** that are fully available on Heltar for 0 additional cost. * **Tags and attributes capped**: Features like tags and attributes are limited but come free with Heltar. * **Restricted analytics**: AiSensy's basic plans offer limited, free analytics on other platforms. * **No campaign scheduler** in the Basic plan: The Basic plan lacks a campaign scheduler, reducing automation options. 3\. Gallabox - Pricing & Features ------------------------------------ ### Gallabox Features: * Businesses can collect user data with **easy WhatsApp flows**. * Your team can build WhatsApp chatbots without writing any code! * Lead qualification, Service bookings, Order tracking, Surveys, and Event registration are all under one provider! * **Generative AI features** can be integrated into the WhatsApp chatbot with Gallabox GenAI. * **Drip Marketing** with Gallabox's pre-built templates allows businesses to send messages at intervals on WhatsApp. ### Gallabox Limitations: * **No monthly plans are available;** users can only subscribe to quarterly & Yearly plans. This means spending a **minimum of ₹9000/quarter** to try the platform. * Onboarding for these platforms is quite complicated. Gallabox provides **no onboarding assistance** for their Growth plans. * **Additional $5/Month** for Shopify integrations. This will be very costly for businesses that want WhatsApp in their Shopify store! ### ​Gallabox Pricing: Growth Plan starts at **₹2999/month** and allows up to 6 users & 15 integrations across business apps. Scale & Pro cost **₹5999/month & ₹9999/month,** respectively, and offer assisted onboarding along with varying complexities of WhatsApp bots.  Features Starter Growth Scale Eligibility Recommendation Best for teams that want to broadcast offers and promotions on the go Ideal for teams that want to kickstart their marketing and sales automation Perfect for teams that want to scale their WhatsApp automation capabilities Platform Fee ₹799/mo (billed yearly) ₹2399/mo (billed yearly) ₹4799/mo (billed yearly) Automation Unlimited free incoming conversations with auto-reply/routing feature Unlimited free incoming conversations with basic automated messaging feature Unlimited free incoming conversations with advanced automation features 4\. Yellow.Ai - Pricing & Features Yellow.ai is a leading WhatsApp Business Solution Provider, offering businesses a comprehensive platform for AI-powered automation across multiple communication channels. ### Yellow.ai Features: * Omnichannel Engagement: Engage with customers across multiple channels, including WhatsApp, email, and voice, using Yellow.ai's unified platform. * Advanced Chatbots: Yellow.ai's AI-driven chatbots enable businesses to provide real-time customer support and automate repetitive tasks. * Comprehensive Analytics: Yellow.ai provides detailed analytics and reporting tools, allowing businesses to gain insights into customer interactions and improve engagement strategies. ### Yellow.ai Pricing: Features Free Enterprise MTU ​ ₹100/mo ​ Usage based pricing No. of Bots 1 Unlimited Channels 2 All Custom integrations (APIs) 1 Unlimited Custom dashboards (data explorer) No Yes Agents limit 2 Unlimited Out-of-box integrations Limited Unlimited 5\. Interakt - Features & Pricing ### Interakt Features: * **Auto Retries**: Allowing businesses to automatically send messages to failed leads. * **Campaign Summary Report**: Allows businesses to track all their campaigns in one dashboard. * **COD to Prepaid Campaigns**: Shopify merchants can ask customers to prepay for their COD orders and send automated delivery notifications on WhatsApp. * **WhatsApp Chatbot**: Create chat workflows on WhatsApp * **Auto Chat Assignment**: Allowing sales managers to auto-assign chats to the sales team. ### Interakt Limitations: 1. Interakt's cheapest monthly offering, 'Growth Plan,' costs ₹999/month! 2. The plan's consumer-level campaign report is unavailable, costing ₹2499/month! 3. A limit of 300 requests/min, meaning 10000 messages would take >30 mins to send! 4. No catalogue messaging is available for the base pricing; for that, you will have to shell out an extra ₹1000/month! ### Pricing: Starter Growth Advanced Enterprise ₹999/mo (+taxes) ₹2499/mo (+taxes) ₹3499/mo (+taxes) Custom Instagram only Instagram + WhatsApp Instagram + WhatsApp Instagram + WhatsApp Unlimited Agents (owner role) Unlimited Agents (all roles) Unlimited Agents (owner role) Unlimited Agents (owner role) Unlimited DMs and Comments WA Marketing @ ₹0.871/ conversation  WA Marketing @ ₹0.863/ conversation  Unlimited Conversations Price Pleasde Automation WA Authentication  @ ₹0.128/ conversation ​ WA Authentication  @ ₹0.127/ conversation ​ No Markup Charges Giveaway Automation WA Utility @ ₹0.150/ conversation ​ WA Utility @ ₹0.140/ conversation ​ Dedicated Account Manager Custom Auto Replies Service FREE Service FREE \- 6\. Wati - Pricing & Features ----------------------------- ### Wati Features: * **Broadcast** – Bulk engagement with your customers efficiently through customized campaigns. * **Chatbots** – Create no-code chatbots and integrate them with Claude, Gemini, or OpenAI API Keys to provide responses to queries. * **Shared Team Inbox** – Have a shared inbox for your team on the WhatsApp Business API. ### Wati Limitations: * **Limit on chatbot sessions**: Wati restricts the number of chatbot sessions, limiting scalability for high-interaction businesses. * **Extra charge for additional responses**: Wati adds costs for extra chatbot responses once you surpass the included limit. * **5 users limit** **per plan**: Wati limits user access to 5 per plan, unlike Heltar, which has no user restrictions. * **Basic chatbots**: Wati's are simple and rely on predefined responses, lacking advanced automation features. ### Wati Pricing: Features Growth Pro Business Pricing ₹1999/mo ₹4499/mo ₹13499/mo Users 5 5 5 Additional users ₹699/mo/user ₹1299/mo/user ₹3999/mo/user Other features Official WhatsApp API Everything in  Growth + Everything in  Pro + ​ 7\. Twilio - Features & Pricing ------------------------------- ### Twilio's features: * **Voice API**: IVR & self-service allow users to set up a modern IVR with AI-enabled support. * **Twilio Segment CDP**: You can create personalized engagement and build customer profiles across a single platform. * **Twilio Sendgrid Email API**: Users can build a custom email API with a brand trusted by top companies. ### Limitations of the Twilio platform: * Twilio doesn't have a dedicated chats dashboard. * Additional charge for every Message and conversation message * Only API integration is available, meaning no chatbots either. ### Twilio Pricing: * $0.004/Conversation, $0.00Messagege 8\. 360Dialog - Pricing & Features ---------------------------------- ### 360Dialog Features: * **Direct WhatsApp API Access**: Enables businesses to bypass intermediary platforms for a more reliable experience. * **Scalable Messaging**: Perfect for large organizations, capable of handling high-volume campaigns. * Analytics Tools include comprehensive reporting and analytics for monitoring customer interactions in real-time. * **No-Code Chatbot**: Easily deploy chatbots with simple drag-and-drop tools, enabling automation without coding. ### 360Dialog Limitations: * Focus on Enterprises: 360Dialog's focus on scalability makes it more suitable for larger enterprises rather than small businesses. * Limited Integrations: Although it offers direct API access, the number of native integrations is lower than that of platforms like Heltar. ### 360Dialog Pricing: * The Pricing for 360Dialog starts at €49/month. 9\. Kaleyra (Tata Communications)- Features & Pricing ----------------------------------------------------- ### **Features:** * **OTP Verification**: Secure login and transaction alerts for enhanced user authentication. * **Global Reach**: Operates in 190+ countries, ensuring seamless communication worldwide. * **Multi-Channel Support**: SMS, WhatsApp, Voice, and Email integration for versatile communication. * **API-Driven**: Easy-to-integrate APIs for quick setup and scalability. * **Real-Time Analytics**: Track campaign performance and delivery rates in real time. * **Compliance & Security**: GDPR, HIPAA, and other regulatory compliance for secure messaging. * **Two-Way Messaging**: Engage customers with interactive conversations. * **High Deliverability**: Robust infrastructure ensuring high SMS and WhatsApp delivery rates. ### **Pricing:** * **Custom Volume-Based Pricing**: Tailored plans based on business needs and usage. * **Pay-As-You-Go**: Flexible Pricing for startups and small businesses. * **Enterprise Plans**: Competitive rates for large-scale operations. ### **Limitations:**  * **Pricing Transparency**: Custom pricing may not be suitable for businesses looking for fixed, upfront costs. * **Learning Curve**: Advanced features may require technical expertise for seamless integration. 10\. Sleekflow - Features & Pricing ----------------------------------- ### Features:  * Omnichannel Inbox - Centralize chats across channels and automate messaging workflows using Flow Builder.  * SleekFlow AI -Train your AI revenue agent and track pre-sales inquiries using the ticketing system.  * Broadcast Campaigns - Send personalized bulk messages and Manage customer data using Social CRM.  * Catalogue & Payment Links - Sell products and services in chats. Connect your tech stack and Channels & Integrations. * Analytics - Track chat and conversion metrics and Manage user and system access with integrated Data Security.  ### Use Cases:  * Sales Team Management - Maximize speed-to-lead * Marketing Automation - Capture and nurture leads * Click to WhatsApp Ads - Improve ads conversion rate * WhatsApp Flows - Build intuitive forms * Coupon Marketing - Boost customer loyalty ### Pricing: Features Pro Premium Enterprise Eligibility Recommendation For small teams to collaborate better on chats For scaling businesses to automate workflows For large businesses to build tailored solutions Platform Fee ₹16599/mo ₹28999/mo Custom User Accounts 3 5 Custom Contacts 5000 40000 Custom Flow Builder active flows 3 25 50 Support Email Chats and Email Dedicated customer success 11\. MyOperator - Features & Pricing ------------------------------------ ### Features: * **Call Management:** Automates call routing to the right department or employee. Provides options for IVR (Interactive Voice Response) to handle customer queries efficiently. * **CRM Integration:**  Integrates with popular CRM tools like Salesforce, HubSpot, and Zoho for seamless customer data  * **Virtual Phone Numbers:** Offers toll-free and local numbers to establish a professional presence. Supports multiple numbers for different regions or campaigns. * **Call Recording:** Records calls for quality assurance, training, and compliance purposes. ### Limitations: * **Limited International Coverage:** Virtual numbers and services may not be available in all countries. * **Customer Support:** Response times for customer support may vary depending on the plan or region. ### Pricing: WhatsApp only Call + WhatsApp ₹200/mo ₹5000/mo​ Multi-User Chat Send Template API All WhatsApp Features + Unlimited Incoming Channels (5\*2) WhatsApp Campaigns Easy Switch to  Call + WhatsApp Automated IVR Pro Licenses (3 users) Analytics WhatsApp Analytics Virtual Number  Included Unlimited Outgoing Call Agents (80) Toll Free@₹500 (Add-on) 12\. CallHippo - Features & Pricing ----------------------------------- ### Features: * **Free Phone Number:** Each user receives one phone number and SMS & MMS Support.  * **Calling Minutes:** Allocated minutes for outbound calls, along with forwarding calls to personal devices to reduce missed calls. * **Number Porting:** Retain existing numbers when switching providers and allow customers to request callbacks via your website. * **Per Minute Call Expense Limit:** Set limits to control call expenses while enhancing security by masking numbers in reports. * **DID Group:** Group numbers are used for efficient management to adhere to legal regulations for call recording. ### Pricing: Starter Professional Ultimate Enterprise ₹2200/user/mo ₹3600/user/mo ₹4700/user/mo Custom Unlimited Minutes (Landline + Mobile) ​ Unlimited Minutes (Landline + Mobile) ​ ​ Unlimited Minutes ​​(Landline + Mobile) ​ Unlimited Calling to 48 countries 100 SMS 500 SMS 1000 SMS Customised Add-ons for other countries and SMS 1 Free Phone Number Call Recordings Unlimited QA Users Power Dialer, Parallel Included Basic Report/ Analytics AI Report/ Analytics Dedicated Account Manager Speech Analytics or  CallHippo AI included \- After Call Work Custom Integrations Priority Support \- \- Single Sign On (SSO) Custom Reports \- \- Free ControlHippo Bronze Plan Minimum 20 Users \- Everything in Starter+ Everything in Professional+ Includes all features from past plans 13\. ControlHippo - Features & Pricing ### Features: * **Omnichannel Inbox** – Connect with customers across multiple messaging channels. * **Omnichannel CRM Integration** – Seamlessly integrate all messaging channels with your CRM for unified communication. * **Analytics Report** – Gain actionable insights to drive informed decision-making. * **AI Chat Assistant** – Leverage smart AI to assist with customer queries in real-time. * **Workflow Automation** – Automate conversations using customizable messaging workflows. * **Extensive Integrations** – Connect with popular platforms such as HubSpot, Slack, Bitrix24, Pipedrive, Monday.com, Salesforce, Zoho, and Webhooks, among others, to streamline your team’s communication and operational efficiency. ### Pricing: Basic Bronze Silver Gold Free/ 3 users free $25/user/mo $35/user/mo Custom Chatbots + Facebook + Instagram +  Email ​ Chatbots + Facebook + Instagram + Email + WhatsApp + Telegram ​ ​ Chatbots + Facebook + ​Instagram + Email + WhatsApp + Telegram ​ ​ Chatbots + Facebook + Instagram + Email + WhatsApp + Telegram ​ Contact Management Shared Inbox Automation Shared Inbox File Sending Business Hours Broadcast Messages Business Hours Multi-Accounts Contact Timeline AI Chat Assistant Contact Timeline Performance Indicators Admin Chat Review Unified Inbox Admin Chat Review \- Analytics & Reports Data Export Analytics & Reports \- API/ Webhook Website Chat Button API/ Webhook \- Quick Reply CSAT Score Quick Reply \- \- Private Notes \- 14\. Infobip - Pricing & Features --------------------------------- ### Infobip Features: * **Omnichannel Support**: Businesses can reach customers across multiple channels from a single platform, ensuring a consistent brand experience. * **AI-Powered Chatbots**: Infobip’s chatbots are equipped with AI-driven automation tools that enhance customer service and engagement. * **Global Reach**: Infobip supports over 700 telecom integrations globally, making it one of the most reliable platforms for international campaigns. * **Secure Communications**: Infobip ensures that sensitive customer data is always protected by advanced encryption and security protocols. ### Infobip Limitations: * Complex Pricing: The pricing structure can be confusing and is typically customized based on the specific needs of a business. * Overwhelming Features for Smaller Businesses: Infobip’s extensive features may be overwhelming for smaller businesses that don’t require such advanced capabilities. ### Infobip Pricing: * Pricing is custom-based depending on the scale and specific needs of the business. 15\. Zoko - Pricing & Features ------------------------------ ### Features: * Zoko offers **AI-powered chatbots** that handle tasks like answering queries, sending notifications, and automated responses. * **Multi-Agent Support**: Zoko enables multiple team members to use one WhatsApp number, allowing for seamless customer support and interaction via a shared inbox. * Zoko’s seamless **integration** with your Shopify account allows you to target abandoned carts and ping your website visitors as required. ### Limitations: * Additional Shopify plugins are charged separately, while additional plugins at Heltar are freely available.  ### Pricing: Features Max Elite Plus Limitless Pricing ₹33333/mo + ₹0/conversation ₹9199/mo + ₹0/conversation ₹4999/mo + ₹0/conversation ₹2999/mo + ₹1.25/conversation Platform Fee (Facebook) Free Free Free Free Platform Fee (Instagram) Free Free Free Free ​ Platform Fee (WhatsApp) ​ ​[Rate Card](https://developers.facebook.com/docs/whatsapp/pricing)​ ​[Rate Card](https://write.superblog.ai/sites/supername/heltar/posts/cm6z6lakz001bu7cgndvxunxx/Rate card)​ ​[Rate card](https://write.superblog.ai/sites/supername/heltar/posts/cm6z6lakz001bu7cgndvxunxx/Rate card)​ ​[Rate Card](https://developers.facebook.com/docs/whatsapp/pricing)​ ​ Platform Fee (Shopify) ​ $4.99/mo $4.99/mo $4.99/mo $4.99/mo ### Are you prepared to change?  Check out [Heltar- Best WhatsApp Business API](https://www.heltar.com/) now to see how it may improve corporate communication. For additional details, get in touch with our staff.  > ### Calculate your WhatsApp conversation pricing with Heltar here! > > [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Save on Conversation Charges with WhatsApp Carousel Messages Author: Manav Mahajan Published: 2025-02-06 Category: WhatsApp Business API Tags: E-Commerce, Shopify, Carousel URL: https://www.heltar.com/blogs/save-on-conversation-charges-with-whatsapp-carousel-messages-cm6t1yfrd007nrqzdke40qrga In today’s fast-paced digital landscape, businesses are always looking for smarter ways to engage customers while keeping costs low. **WhatsApp Carousel messages** offer a game-changing solution by allowing businesses to showcase up to **10 products** in a single interactive message.  But businesses can't do this via normal WhatsApp or WhatsApp Business; to be able to access this feature, businesses need to signup with a [WhatsApp API provider like Heltar](https://www.heltar.com/marketing.html). This feature not only enhances customer experience but also significantly reduces API conversation charges. In this blog, we will explore what WhatsApp Carousel messages are, their use cases, and, most importantly, how they help businesses save on messaging costs while boosting engagement and conversions. **What is WhatsApp Carousel?** ------------------------------ WhatsApp Carousel is an advanced messaging format available via the WhatsApp Business Platform that enables businesses to send up to 10 customizable product or service cards in a **_horizontal-scroll_** format. Each card can contain an image or video, body text, and call-to-action buttons, offering an interactive and visually appealing browsing experience. It can only be setup via a WhatsApp Business API Service Provider like [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm6t1yfrd007nrqzdke40qrga/heltar.com). ![Carousel Message Templates - Engati Product Docs](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1738829185986-compressed.webp) **Use Cases for WhatsApp Carousel** ----------------------------------- ### **1\. E-commerce & Retail** * Showcase multiple products in a single message to drive sales. * Highlight new arrivals, exclusive offers, or personalized recommendations. ### **2\. Travel & Hospitality** * Display various travel packages, hotel rooms, or tour itineraries. * Provide customers with multiple options in one message, reducing back-and-forth communication. ### **3\. Event Promotion** * Highlight different event speakers, ticket tiers, or schedules within a single message. * Include direct ticket booking links to boost conversions. **How WhatsApp Carousel Saves Conversation Charges?** ----------------------------------------------------- One of the biggest advantages of WhatsApp Carousel messages is their cost efficiency. Since businesses can send up to 10 product/service options within a single message, they can save significantly on API conversation charges. Here’s how: ### **1\. Reduce Per-Message Costs** Traditionally, if a business wanted to send multiple products, they would need to send separate messages for each item. With WhatsApp Carousel, all 10 products can be included within a single session, meaning you don’t pay for multiple conversations. ### **2\. Maximizing Customer Interaction in One Go** Instead of sending separate follow-up messages with additional product details, businesses can keep customers engaged within one interactive carousel. This reduces the need for additional conversations, keeping messaging costs low while improving engagement. ### **3\. Better Traction & Higher Conversions** Since customers can view multiple products in a single glance, they are more likely to engage and make a decision without needing additional messages. This not only enhances user experience but also improves conversion rates, making each conversation more valuable. ### **4\. Efficient Campaign Management** For businesses running promotional campaigns, carousel messages enable them to showcase a variety of products/services in one go, maximizing the reach and impact of a single campaign while keeping costs in check. **How to Set Up a WhatsApp Carousel Message** --------------------------------------------- To start, you’ll need an official WhatsApp Business API account. Here’s how Heltar simplifies the process:  1. **Choose a BSP**: Partner with Heltar, an official WhatsApp Business Solution Provider. 2. **Complete Verification**: Submit necessary documentation, including: 1. Business registration papers. 2. A valid phone number and email associated with your business. 3. A business profile setup (description, category, and profile picture). 3. **Approval and API Setup**: Once approved, Heltar will handle the integration of your WhatsApp Business API with your e-commerce store.  ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-12-203603-1738830124727-compressed.png) Then, you are all set to send your WhatsApp Carousel message, using this simple process: **1) Go to WhatsApp Business API Provider - [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm6t1yfrd007nrqzdke40qrga/heltar.com)** and select ‘Message Templates’. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-02-13-200918-1739457721690-compressed.png) **2) Create a New Message Template** and choose ‘Carousel’ as the message type. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-02-13-201559-1739457973273-compressed.png) **3) Design Your Message &** **Submit for WhatsApp Approval** and once approved, integrate it into your campaigns.  * Add an engaging **bubble text** to introduce the carousel. * Upload images or videos for each product/service card. * Write a clear **product description** for each card. * Add actionable **CTA buttons** such as ‘Buy Now’ or ‘Learn More’. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-02-13-201759-1739458097690-compressed.png) Get Started Today ----------------- > If you’re looking to optimize your WhatsApp Business communication, consider integrating Carousel messages today and take advantage of this cost-effective, high-impact messaging tool! **Ready to get started?** Explore [WhatsApp Business API solutions](https://www.heltar.com/blogs/what-is-a-whatsapp-business-api-complete-guide-2025-cm5gwuofn00jgb972drxarf3g) and start saving on messaging costs while boosting customer engagement! --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Tickets for Customer Query Resolution - Everything About Tickets Explained Author: Prashant Jangid Published: 2025-02-05 Category: WhatsApp Business API Tags: Whatsapp Marketing URL: https://www.heltar.com/blogs/whatsapp-tickets-for-customer-query-resolution-everything-about-tickets-explained-cm6rubkp10033rqzdk4ezp0g2 In today’s fast-paced world, customers expect quick and efficient service. Businesses need tools that simplify support processes while delivering exceptional experiences. One powerful solution is integrating a ticketing system with WhatsApp. Let’s dive into what a ticketing system is, how it works with WhatsApp, and the steps to get started. What Is a Ticketing System? --------------------------- A ticketing system is a software solution that helps businesses manage and track customer queries. Each query is assigned a unique “ticket” that ensures the issue is documented and followed through until resolution. It’s like having a digital paper trail for every customer interaction, enabling teams to stay organized and efficient. Creating tickets to resolve queries is much more efficient than using normal WhatsApp Chat.  In customer support, agents may encounter queries they cannot immediately resolve due to a lack of information or technical difficulties. These issues can get lost in chat conversations, making follow-ups challenging. This is where the **ticketing system** comes into play. When a query requires more time, specialized knowledge, or intervention from another agent, you can create a ticket and assign it a status. The available statuses include: **Unassigned – Not yet assigned to an agent** **Transferred – Moved to another agent or department** **In Progress – Currently being worked on** **Resolved – Successfully addressed and closed** All active tickets are displayed in a tickets dashboard, where you can view details such as ticket codes, headings, and statuses. This helps teams track and manage customer issues efficiently. Once a customer's issue is resolved, the ticket status is updated to **Resolved**, automatically removing it from the active queue. Another benefit of this approach is that all the chats related to the ticket are stored at one place which makes it easier to resolve the query when the ticket is transferred to multiple agents at different steps for resolution. This structured approach ensures a smoother customer support experience and improves team efficiency. Why Use WhatsApp for Ticketing? ------------------------------- WhatsApp’s popularity and ease of use make it a natural choice for handling customer support. Pairing it with a ticketing system provides several key benefits: * **Centralized Customer Data:** Consolidate all interactions and history in one accessible location. * **Enhanced Customer Experience:** Engage customers on a familiar platform, reducing friction and response times. * **Scalable Support:** Tickets can be categorized and prioritized based on urgency or complexity, helping agents focus on what matters most. * **Seamless Communication:** A complete history of the interaction is preserved, which is invaluable for follow-ups and audits. * **Boosted Efficiency:** Every ticket is assigned to a specific agent or team, ensuring ownership and timely resolution. How Does Ticketing Work? ------------------------ Here’s a step-by-step look at how WhatsApp integrates into a ticketing system: 1. Customers send a message on WhatsApp to raise a question or issue. 2. The system automatically creates a ticket with relevant details, such as the customer’s query, contact information, and conversation history. 3. Tickets are routed to the appropriate department or agent based on predefined criteria like query type or priority. 4. Agents access a dashboard showing the full conversation history, ticket details, and customer information. 5. The agent addresses the query, keeping the customer updated through WhatsApp. 6. Once resolved, the ticket is closed, and the customer can provide feedback to help improve services. How to Get Started with WhatsApp Ticketing? ------------------------------------------- To set up WhatsApp as a ticketing solution, you’ll need: 1. **WhatsApp Business API:** Essential for integrating WhatsApp with your ticketing platform. 2. **A Reliable Ticketing System:** Choose software that supports WhatsApp, such as Zendesk or Freshdesk. WhatsApp Ticketing Solution Providers ------------------------------------- Business Service Providers that are currently giving you the functionality to integrate ticketing system on WhatsApp Business API are: ### 1\. Heltar Heltar comes at the first spot as it not only provides you a smart ticketing solution but also several other features like bots for further simplification of answering queries, custom integrations specific to your needs along with free blue tick (verified badge), single-click bulk messaging without getting banned and a team inbox accessible on mobile as well as web. You can [book a free demo](http://heltar.com/demo.html) or [start a free trial](http://app.heltar.com/register) to explore further! ### 2\. Deskpro Deskpro offers a comprehensive WhatsApp ticketing integration that allows businesses to unify their help desk system with WhatsApp inquiries. Key features include conversion of WhatsApp messages into help desk tickets, centralized platform for agents to manage all customer interactions and automated routing of messages to appropriate teams. This integration ensures that support agents can monitor and respond to WhatsApp inquiries without leaving the Deskpro platform. ### 3\. 360dialog 360dialog provides a good solution for integrating WhatsApp with various CRM and ticketing systems. Their services include: integration with CRM tools like Salesforce, HubSpot, and Pipedrive, creation of support tickets from WhatsApp messages, GDPR compliance to ensure data privacy and support for platforms such as Jira, Trello, Zoho Desk, Monday.com, and Freshdesk. ### 4\. Ameyo Ameyo's WhatsApp Customer Service Solution provides features like automatic creation of support tickets from WhatsApp messages with omnichannel ticketing and integration with existing customer service platforms. ### 5\. Odoo WhatsApp Desk Odoo offers a WhatsApp Helpdesk Customer Support Ticketing system that allows businesses to automatically create helpdesk tickets from WhatsApp messages, allocate tickets to executives, reply to customers via WhatsApp and archive communication history between the admin and customer into specific tickets. This integration is mobile-friendly and supports the creation of support tickets through email or WhatsApp numbers. For more insights related to WhatsApp Marketing or WhatsApp Business API check out [heltar.com/blogs.](http://heltar.com/blogs) --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Business API Pricing: Everything You Need to Know for 2025 Author: Prashant Jangid Published: 2025-02-05 Category: WhatsApp API Pricing Tags: WhatsApp API Pricing URL: https://www.heltar.com/blogs/whatsapp-business-api-pricing-everything-you-need-to-know-for-2025-cm6ru6ja70032rqzdc2tpy0lg The price you pay for using WhatsApp API has two components - platform fee of the API provider (which depends on the BSP you opt for) and per message cost for the message templates you send to your customers. The per message cost also varies according to country and the template category. If you're looking to use the WhatsApp Business API for growing your business it is essential to have a firm understanding of the pricing structure and how your messages are charged. This blog breaks down WhatsApp's latest pricing model (effective from April 1st, 2025) and its components so let’s dive in! The Two Key Message Categories ------------------------------ WhatsApp Business messages fall into two distinct categories: 1. **Template Messages:** These are pre-approved formats used to initiate conversations. These are charged based on the type of template and the recipient's country. 2. **Free-form Messages:** Any message exchanged during the **24-hour period** of a customer replying to your template or in the **service window** (explained further). These messages are free, and templates are not required. Business-Initiated Messages: Template Pricing --------------------------------------------- Businesses often start conversations using templates. These templates need Meta’s approval and are categorized into three types, each with its own purpose and pricing. The pricing for each category also varies for each country. ### 1\. Marketing Templates These templates are used when you want to sell something to the customer or spread awareness about your business events. These are the most expensive templates. Costs vary by country. * India: ₹0.78 / $0.01 / €0.009 per message * UK: ₹3.87 / $0.05 / €0.0438 per message * UAE: ₹2.81 / $0.03 / €0.0319 per message _Example Use Case:_ Promoting a limited-time sale or sending invitations to a webinar. ### 2\. Authentication Templates Used for identity verification, such as OTPs or two-factor authentication. * India: ₹0.115 / $0.0014 / €0.0012 per message * UK: ₹2.62 / $0.0358 / €0.0297 per message * UAE: ₹1.30 / $0.0178 / €0.0147 per message _Example Use Case:_ Sending a secure code for account login. ### 3\. Utility Templates These handle transaction-related updates like order confirmations and delivery notifications. * India: ₹0.115 / $0.0014 / €0.0012 per message * UK: ₹1.61 / $0.022 / €0.0182 per message * UAE: ₹1.15 / $0.0157 / €0.013 per message **_Special Note:_** If the Service Window (explained below) is open, utility messages are free. User-Initiated Conversations: Service Messages ---------------------------------------------- Whenever a customer sends you a message, a 24-hour window opens which is called the **Service Window**. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. Example Use Case: Resolving customer queries or providing additional product details. After the Service Window closes, you must use a template to reinitiate contact. Understanding WhatsApp’s pricing structure is crucial for managing communication expenses while maximizing ROI. By strategically utilizing templates you can optimize your business cost and efficiently connect with customers worldwide. To estimate the cost of using different templates according to your business needs you can use our [Free WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html). For more insights on optimizing WhatsApp Business for your needs, explore our blog at [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Setup Product Catalogue for your Business on WhatsApp? Author: Manav Mahajan Published: 2025-01-31 Category: WhatsApp Business API Tags: Shopify, WhatsApp for Business, WhatsAPP Business URL: https://www.heltar.com/blogs/how-to-setup-product-catalog-for-your-business-on-whatsapp-cm6l3zgf2002w13mpyocuppx6 ​Having a WhatsApp Business account is a great start, but to truly stand out, you need a WhatsApp Catalog. A catalog transforms your profile into an interactive storefront, allowing customers to browse and select products or services without engaging in back-and-forth conversations. In this blog, we’ll explore WhatsApp Catalogs—what they are, why they matter, and how to set up one effectively. We’ll also discuss key features, collections, and strategies to maximize your sales. **What is a WhatsApp Catalog?** ------------------------------- A WhatsApp Catalog is a digital showcase of your business’s products and services within the WhatsApp Business app. It allows customers to browse, discover, and select items of interest effortlessly. Each product or service in the catalog comes with essential details, making the shopping experience seamless. There are 2 ways to setup your WhatsApp Business Catalog. You can setup a basic catalog via WhatsApp Business, but to setup a more comprehensive and attractive catalog, you would need to set it up via an API Service Provider like Heltar. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-02-01-001248-1738348989480-compressed.png) **Key Fields in a WhatsApp Catalog** To optimize your catalog, ensure that each product or service entry includes: * **Title** (required) * **Price** (optional, available in certain countries) * **Description** * **Website Link** * **Product Code** * **Up to 10 Images or Videos** Providing detailed product descriptions and media improves customer engagement and conversions. **Method 1 - How to Set Up a WhatsApp Catalog on WhatsApp Business** -------------------------------------------------------------------- Setting up a WhatsApp Catalog is easy and can be done via mobile (Android/iOS) or WhatsApp Web. ### **For Android & iOS:** 1. Open **WhatsApp Business App** 2. Go to **More Options > Settings > Business Tools > Catalog** 3. Tap **Add New Item** and upload images or videos (up to 10 per item) 4. Enter the product/service details (name, price, description, etc.) 5. Tap **Save** to add the item to your catalog ### **For WhatsApp Web:** 1. Open WhatsApp Web and go to **Menu > Catalog** 2. Click **Add New Item** 3. Upload images from your computer 4. Enter product/service details 5. Click **Add to Catalog** Your catalog items are subject to review. Once approved, they become visible to customers. You can also edit, delete, or hide/unhide items as needed. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-02-01-001401-1738349062891-compressed.png) **Creating and Managing WhatsApp Collections** ---------------------------------------------- A WhatsApp Collection allows businesses to organize their catalog into categories, making it easier for customers to browse. ### **How to Create a Collection:** 1. Go to **WhatsApp Business App > Catalog** 2. Select **Add New Collection** 3. Name your collection and select products/services to include 4. Tap **Save** Collections are subject to WhatsApp’s review policy before becoming available to customers. ### **What to Do If Your Collection Gets Rejected?** If a collection is rejected, you can appeal by: 1. Selecting the rejected item 2. Tapping **Request Another Review** 3. Entering a reason for the request 4. Tapping **Continue** Once approved, your catalog will be live and ready for customer engagement. **Sharing Your WhatsApp Catalog** --------------------------------- Businesses can share their catalog links directly via chat or social media platforms. #### **How to Share a WhatsApp Catalog Link:** 1. Open the **Catalog** 2. Select the product/service you want to share 3. Click the **Share Icon** 4. Choose the contacts, groups, or platforms to share with 5. Tap **Send** This feature helps businesses increase visibility and sales by making product discovery seamless. Method 2 - Setup Catalog via WhatsApp Business API -------------------------------------------------- While the WhatsApp Business App provides a good starting point, the **WhatsApp Business API** takes it to the next level. Key benefits include: 1. **Automated Catalog Sharing:** Send personalized product recommendations based on customer preferences. 2. **Integration with Marketing Campaigns:** Use catalogs in ongoing or one-time promotional campaigns. 3. **Seamless Checkout & Payments:** Enable direct purchases within WhatsApp, eliminating friction in the buying journey. How to setup a Catalogue using Meta Commerce Manager ---------------------------------------------------- Depending on your business, you can create a catalogue for: * Products sold online (suitable for most businesses) * Travel (hotels, flights and destinations), automotive, property, or local products and services **Note:** Where possible, we recommend that you [use one catalogue](https://en-gb.facebook.com/business/help/376573243388834) instead of creating multiple catalogues to help improve performance. Before you begin ---------------- * [Create a Facebook Page for your business](https://en-gb.facebook.com/business/help/473994396650734) if you don't have one yet. * [Create a business portfolio](https://en-gb.facebook.com/business/help/1710077379203657) in Business Manager (previously called a business account) so you can assign your catalogue to your business. Make sure that you have [full control](https://en-gb.facebook.com/business/help/442345745885606) of your business portfolio. Create a catalogue for products sold online ------------------------------------------- To create a new catalogue and start setting it up: 1. Go to [Commerce Manager](https://facebook.com/commerce_manager). * If this will be your first catalogue, click **Get started**. Select **Create a catalogue** and click **Get started**. * If you already have one or more catalogues, you'll see them listed. Select **\+ Add catalogue** to create a new one. 2. Make sure that **Online products** is selected. This is the default option. * If you already host your products on a partner platform that has an integration with Meta, toggle on **Connect a partner platform**. Select a platform from the drop-down menu and follow the link to its website to complete setup and sync products to Commerce Manager. Learn about [importing products from a partner platform](https://en-gb.facebook.com/business/help/365831587397584). 3. Select the business portfolio that your catalogue will belong to. To select a business portfolio, you must have [full control](https://en-gb.facebook.com/business/help/442345745885606) of it. 4. Enter a name for your catalogue. Click **Next**. 5. Connect a Meta pixel or app SDK to your catalogue so you can run [Meta Advantage+ catalogue ads](https://en-gb.facebook.com/business/help/397103717129942) that show people relevant products from your catalogue based on their interests: * If you already have a pixel or SDK implemented on your website or app that you want to connect, turn on the toggle beside it and click **Next**. * If you prefer to [connect a pixel or SDK](https://en-gb.facebook.com/business/help/1044262445604547) later, click **Skip**. 6. Assign permissions for who can work on your catalogue: * To assign people, click **People** and then **\+ Assign people**. On the left, select the person's name. People must be [added to your business portfolio](https://en-gb.facebook.com/business/help/2169003770027706) to appear in the list. On the right, select **Partial access** or **Full control** and click **Assign**. * To assign a partner business (such as a marketing agency), click **Partners** and then **\+ Assign partner**. * If you know their business ID, select **By business ID** (here's how they can [find their business ID](https://en-gb.facebook.com/business/help/1181250022022158)). Enter the ID and select **Partial access** or **Full control**. Click **Close** and then **Next**. * If you want to send them an invitation link, select **By link to share**. Select **Partial access** or **Full control**. Copy the shareable link that you generated and send it to them. Each link can only be used once and expires in 30 days. Click **Close** and then **Next**. * If you prefer to [assign catalogue permissions](https://en-gb.facebook.com/business/help/1953352334878186) later, click **Next**. 7. Choose how to add products to your catalogue: * **Connect to a data feed:** Upload a spreadsheet or XML file from your computer or a file hosting website to add products in bulk. You can upload a file once or set up scheduled uploads to happen hourly, daily or weekly. Learn how to [upload a data feed](https://en-gb.facebook.com/business/help/125074381480892). * **Manually add your products:** Fill in a form to add products. Learn how to [add products manually](https://en-gb.facebook.com/business/help/1670875312991238). * If you prefer to add products later, click **Skip**. You've created a new catalogue. To set this up, you need to get in contact with a WhatsApp API Service Provider like [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm6l3zgf2002w13mpyocuppx6/heltar.com). ### **Final Thoughts** A WhatsApp Catalog is a powerful tool for businesses looking to streamline their shopping experience. By leveraging features like collections and WhatsApp Business API, you can enhance customer engagement and drive more sales. > If you’re serious about scaling your business, consider upgrading to a WhatsApp Business API provider. Explore the benefits firsthand with a [free trial](http://heltar.com/demo.html) and see how it can transform your business operations. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Create WhatsApp Forms using Heltar - 2025 Author: Prashant Jangid Published: 2025-01-29 Tags: WhatsApp Business in 2025, WhatsApp API Integration, Whatsapp Inbox, WhatsApp Forms URL: https://www.heltar.com/blogs/how-to-create-whatsapp-forms-using-heltar-2025-cm6i0tnq30010ldn30lj6trtj WhatsApp forms can be created using a WhatsApp business provider like Heltar or its competitors. A WhatsApp form can accept responses to many inputs, including text, numeric, MCQ, etc. An image of the full list available on our platform has been attached for your reference.  ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/forms0-1738768427099-compressed.png) You can also attach various data formats to your forms, including images, large text, small text, captions, and body. The final form will look something like- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/form0-1738768586656-compressed.png) **Why Use WhatsApp Forms?** --------------------------- Before diving into the instructions, here’s why WhatsApp forms are a game-changer: * **Convenience**: Users submit responses without leaving WhatsApp. * **Higher Engagement**: People are more likely to respond via a familiar platform. * **Real-Time Notifications**: Get instant alerts for new submissions. * **Versatility**: Use forms for orders, RSVPs, quizzes, or customer support. Heltar can help bridge the gap between convenience and features when it comes to user data collection.  **Step-by-Step Guide to Creating WhatsApp Forms** ------------------------------------------------- Follow these simple steps to create and share your WhatsApp form: ### **Step 1: Sign Up/Log In to Heltar** Visit [Heltar’s website](https://app.heltar.com/) and create an account. The platform offers intuitive tools to design forms tailored to your needs. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/forms1-1738162529701-compressed.png) ### **Step 2: Build Your Form** Click **Integrations** > **WhatsApp Flows Builder** \> **Create Flow.** Enter the _form name_ and customize it using Heltar’s drag-and-drop editor. Add fields like: 1\. Text inputs (for names, feedback, etc.) ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/form2-1738163193622-compressed.png) 2\. Multiple-choice questions ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/form3-1738163217923-compressed.png) 3\. Dropdown menus ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/form4-1738163238981-compressed.png) 4\. Date Picker ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/form5-1738163255579-compressed.png) Ensure your form is mobile-friendly, as most WhatsApp users access the app on their phones. ### **Step 3: Click on "Publish Flow"** Publish the form and copy the link to be sent to your customers to fill the form natively with WhatsApp.  ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/form6-1738163510523-compressed.png) ### **Step 4: Share Your Form** Once your form is ready, Heltar generates a unique link. Share this link directly in WhatsApp chats, groups, or status updates. You can embed it on your website or social media with a CTA like, “Submit via WhatsApp here!” ### **Step 5: Track Responses** All submissions will appear in your Heltar dashboard. You’ll also receive instant WhatsApp notifications for new entries, making it easy to respond or follow up quickly. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/form7-1738163585486-compressed.png) **Boost Efficiency with WhatsApp Forms** ---------------------------------------- WhatsApp form via Heltar eliminates the hassle of switching between apps to collect data. Whether you’re managing event registrations or gathering customer feedback WhatsApp forms is the way to go forward within the industry.  > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://www.heltar.com/blogs/what-is-a-whatsapp-business-api-complete-guide-2025-cm5gwuofn00jgb972drxarf3g) for a straightforward, feature-rich approach to WhatsApp Business communications and Shopify Integration that won't strain your budget. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to send Shopify Order Placed Messages on WhatsApp Author: Manav Mahajan Published: 2025-01-27 Category: WhatsApp API Pricing Tags: Shopify Integration, WhatsApp API Integration, Shopify URL: https://www.heltar.com/blogs/how-to-send-shopify-order-placed-messages-on-whatsapp-cm6f68xdy00516992b3fzujce If you’re a business selling through Shopify, utilising WhatsApp for sending order status updates, payment updates, and abandoned cart messages can significantly enhance your customers’ purchase experience. It ensures timely communication, builds trust, and improves conversions. But here’s the catch: this isn’t possible through normal WhatsApp. To automate and scale these interactions, you need WhatsApp API – and that’s where **Heltar** comes in. ![Heltar](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/home1-1736076756766-compressed.webp) Why Send Order Placed Messages on WhatsApp? ------------------------------------------- 1. **Instant Confirmation**: Customers expect instant assurance that their order has been received. WhatsApp's real-time messaging ensures this. 2. **Higher Engagement**: With WhatsApp's open rates exceeding 95%, order placed messages are more likely to be seen than traditional emails. 3. **Customer Trust**: Prompt communication reassures customers that their purchase is being processed, building trust in your brand. 4. **Additional Opportunities**: These messages can also include cross-sell opportunities, order tracking links, or loyalty program invitations. **Setting Up Abandoned Cart Messages with Heltar** -------------------------------------------------- ### **Step 1: Create a WhatsApp Business API Account** To start, you’ll need an official WhatsApp Business API account. Here’s how Heltar simplifies the process: * **Choose a BSP**: Partner with Heltar, an official WhatsApp Business Solution Provider. * **Complete Verification**: Submit necessary documentation, including: * Business registration papers. * A valid phone number and email associated with your business. * A business profile setup (description, category, and profile picture). * **Approval and API Setup**: Once approved, Heltar will handle the integration of your WhatsApp Business API with your e-commerce store. ### **Step 2: Link Heltar with Your Shopify Store** Heltar provides a seamless integration process to connect Shopify with WhatsApp: 1. Log into your Shopify admin dashboard and locate Heltar’s integration app. 2. Authorize access by providing your Shopify store name and API credentials. 3. Configure workflows, such as triggers for order delivered and other customer notifications. 4. Test the setup to ensure messages are triggered correctly at different stages of the customer journey. ### **Step 3: Automate Order Delivered Messages** With Heltar’s WhatsApp Business API, you can automate Order Delivered Messages recovery through customizable message templates: * **Trigger**: A customer leaves the checkout page without completing their purchase. * **Message Content**: Your automated message should include: * A friendly reminder about the items left in their cart. * High-quality product images and descriptions. * A direct checkout link for seamless completion. * Incentives such as discounts or free shipping (if applicable). Key Elements of Order Placed Messages ------------------------------------- 1. **Personalization** * Address the customer by name to make the message feel tailored. * Reference specific order details, such as the product name and quantity. 2. **Order Summary** * Clearly display the order number, total amount, and payment status. * Include any applicable discounts or special offers used. 3. **Next Steps** * Provide estimated delivery dates or timelines. * Add a direct link to track the order in real time. 4. **Customer Support and/or Call to Action (CTA)** * Include a support contact or a quick response button for queries. * Encourage engagement with links to explore related products, join your loyalty program, or follow your brand on social media. Best Practices for Shopify Order Placed Messages ------------------------------------------------ 1. **Craft Clear and Concise Messages** While keeping the tone friendly and professional, ensure the message delivers all essential details in a concise manner. Avoid overloading the customer with information but ensure key details like the order number, product summary, and expected delivery date are prominently highlighted. Simple and effective communication fosters trust and reduces customer inquiries. 2. **Use Personalization for Better Engagement** Leverage customer data to create messages that feel customized. For instance, instead of saying, "Thank you for your purchase," use "Thank you, \[Customer's Name\], for ordering \[Product Name\]!" Personal touches like these make the interaction feel more human and less transactional, enhancing customer satisfaction. 3. **Incorporate Visuals** Add images of the purchased product or your brand's logo to make the message visually appealing. This not only reinforces the customer's excitement about their purchase but also strengthens your brand identity. For example, showing a picture of the ordered item alongside the text can rekindle excitement and provide instant recognition. 4. **Provide a Seamless Support Experience** Make it easy for customers to get help by including a one-click option to contact support directly through WhatsApp. Providing a well-defined support channel minimizes frustration and ensures that any post-purchase concerns are promptly addressed, leading to a smoother customer experience. 5. **Timing is Everything** Send the order confirmation immediately after the purchase is completed. Delays in communication can cause customers to doubt whether their order went through, potentially leading to unnecessary support queries. An instant message reassures them that their transaction was successful. 6. **Maintain Brand Voice and Consistency** Ensure that the tone of your order placed messages aligns with your brand's overall voice. Whether your brand is formal or playful, consistency across communication channels strengthens your identity and ensures a cohesive customer experience. ![Heltar](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/home2-1736071037333-compressed.webp) Conclusion ---------- Order placed messages on WhatsApp are more than just a transactional necessity — they're a strategic tool for enhancing customer experience and building loyalty. By incorporating the best practices outlined above and leveraging [Heltar's](https://write.superblog.ai/sites/supername/heltar/posts/cm6f68xdy00516992b3fzujce/heltar.com) seamless Shopify integration, your e-commerce business can set a new standard in post-purchase communication. > Ready to transform your Shopify store's customer experience? Partner with [Heltar](https://www.heltar.com/blogs/what-is-a-whatsapp-business-api-complete-guide-2025-cm5gwuofn00jgb972drxarf3g) today and take the first step towards smarter, faster, and more effective order placed messaging on WhatsApp. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to send Shopify Wishlist Reminder Messages on WhatsApp Author: Manav Mahajan Published: 2025-01-27 Category: WhatsApp Business API Tags: Shopify Integration, WhatsApp API Integration, Shopify URL: https://www.heltar.com/blogs/how-to-send-shopify-wishlist-reminder-messages-on-whatsapp-cm6f638uz004y6992anotac4r If you’re a business selling through Shopify, utilising WhatsApp for sending order status updates, payment updates, and abandoned cart messages can significantly enhance your customers’ purchase experience. It ensures timely communication, builds trust, and improves conversions. But here’s the catch: this isn’t possible through normal WhatsApp. To automate and scale these interactions, you need WhatsApp API – and that’s where **Heltar** comes in. By sending timely reminders about wishlist products through **WhatsApp Business API**, you can re-engage these potential buyers and drive sales. This blog will guide you on how to set up and optimize wishlist product reminders for your Shopify store using Heltar’s seamless integration. ![Heltar](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/home1-1736076756766-compressed.webp) **Why Use WhatsApp for Wishlist Reminders?** -------------------------------------------- WhatsApp’s direct and engaging communication capabilities make it the perfect channel for sending wishlist reminders. Here are some reasons why: 1. **Exceptional Open Rates** WhatsApp messages have an open rate of over 80%, ensuring your reminders don’t get overlooked like traditional emails. 2. **Personalized Customer Interaction** WhatsApp allows for highly personalized messages, making customers feel valued and prompting action. 3. **Rich Media Support** Include images of the wishlist items, product details, and direct links to purchase, creating a visually engaging experience. 4. **Immediate Engagement** Customers can instantly respond to reminders, ask questions, or complete their purchase within the chat itself. **Setting Up Wishlist Product Reminders with Heltar** ----------------------------------------------------- ### **Step 1: Create a WhatsApp Business API Account** To start using WhatsApp for wishlist reminders, you’ll need an official WhatsApp Business API account. Heltar simplifies this process: * **Partner with Heltar:** An official WhatsApp Business Solution Provider. * **Verification Process:** Submit the following: * Business registration documents. * Valid business phone number and email address. * **Profile Setup:** Add a business description, profile picture, and category to complete your profile. ### **Step 2: Integrate Heltar with Shopify** Heltar’s Shopify integration makes it easy to automate wishlist reminders: 1. Log into your Shopify admin dashboard and install Heltar’s app. 2. Provide the necessary API credentials to link Shopify with Heltar. 3. Configure workflows for wishlist reminders and other customer notifications. 4. Test the integration to ensure messages are triggered appropriately. ### **Step 3: Automate Wishlist Reminder Messages** Once integrated, you can automate wishlist reminders using customizable message templates. Here’s how it works: * **Trigger:** When a customer adds a product to their wishlist. * **Message Content:** * Include a friendly reminder about the wishlist item. * Attach a high-quality image of the product. * Add a direct link to the product page for quick checkout. * Mention any current discounts or stock availability to create urgency. **Best Practices for Effective Wishlist Reminders** --------------------------------------------------- 1. **Personalize Your Messages** Use the customer’s name and mention the specific product added to their wishlist. A personalized message feels more thoughtful and engaging. 2. **Incorporate Visual Appeal** Include clear, attractive images of the wishlist item. Visual elements help rekindle interest in the product. 3. **Create a Sense of Urgency** Add time-sensitive offers like “Hurry! Only a few items left in stock” or “Special discount valid for the next 24 hours.” 4. **Send Timely Follow-Ups** Schedule reminders at strategic intervals, such as: * 24 hours after the item is added to the wishlist. * A week later with a special offer. * When the product is back in stock or on sale. 5. **Offer Easy Support** Include a line like “Need help? Reply to this message to chat with us instantly!” to address customer queries in real-time. **Why Choose Heltar for Wishlist Reminders?** --------------------------------------------- 1. **Easy Integration -** Heltar’s Shopify integration process is designed to be quick and hassle-free. Once set up, businesses can start leveraging automated workflows without needing technical expertise. 2. **Enhanced Customer Engagement -** With Heltar’s WhatsApp API, businesses can achieve up to 95% message visibility and significantly improve engagement through real-time, interactive communication. 3. **Data-Driven Personalization -** Heltar combines Shopify’s customer data with WhatsApp messaging to create hyper-personalized campaigns. This ensures messages are tailored to individual preferences and purchase histories. 4. **Improved Conversion Rates -** Timely, targeted WhatsApp messages can reduce cart abandonment rates by up to 30%. Additionally, businesses often see a 3-4x higher engagement rate on WhatsApp compared to email campaigns. 5. **Actionable Insights -** Heltar’s platform provides detailed metrics to track the performance of cart recovery campaigns, allowing businesses to refine their strategies for maximum ROI. ![Heltar](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/home2-1736071037333-compressed.webp) **Conclusion** -------------- Wishlist reminders are a powerful way to re-engage customers and recover lost sales opportunities. By leveraging WhatsApp Business API through Heltar, you can deliver personalized, visually appealing, and timely reminders that encourage customers to complete their purchases. From seamless Shopify integration to automated workflows and actionable insights, Heltar equips your business with the tools needed to turn wishlist dreams into revenue. > Ready to boost your conversions with wishlist reminders? Choose [Heltar](https://www.heltar.com/blogs/what-is-a-whatsapp-business-api-complete-guide-2025-cm5gwuofn00jgb972drxarf3g) for a straightforward, feature-rich approach to WhatsApp Business communications and Shopify Integration that won't strain your budget. Get your free trial ASAP! --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to send Shopify Abandoned Cart Messages on WhatsApp Author: Manav Mahajan Published: 2025-01-27 Category: WhatsApp Business API Tags: Shopify Integration, WhatsApp API Integration, Shopify URL: https://www.heltar.com/blogs/how-to-send-shopify-abandoned-cart-messages-on-whatsapp-cm6f5auxs004t69928gsmj8cq Shopping cart abandonment is a persistent challenge for e-commerce businesses. A significant percentage of customers add products to their carts but leave without completing the purchase. According to recent studies, global cart abandonment rates hover between 60-80%, representing a substantial loss in potential revenue. Recovering these abandoned carts effectively requires timely and personalized communication. This is where **WhatsApp Business API** steps in, offering a direct, efficient, and engaging way to reconnect with customers and encourage them to complete their purchases. In this blog, we’ll walk you through the steps of using WhatsApp for abandoned cart recovery and how you can maximize its potential with Heltar. ![Heltar](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/home2-1736071037333-compressed.webp) **Why WhatsApp is Perfect for Cart Recovery** --------------------------------------------- When compared to traditional communication channels like email or SMS, WhatsApp provides distinct advantages that make it ideal for cart recovery campaigns: 1. **High Open Rates**: WhatsApp messages boast an impressive 80% open rate within the first 5 minutes of delivery. This is significantly higher than email open rates, which average around 20%. With such high visibility, your cart recovery messages are almost guaranteed to be seen. 2. **Real-Time Communication**: WhatsApp allows businesses to send instant notifications, ensuring timely reminders for customers who may have been distracted during their shopping journey. 3. **Rich Media Support**: WhatsApp supports rich media formats like product images, videos, and direct checkout links, which can make your messages more engaging and visually appealing. 4. **Familiarity and Trust**: Customers are already comfortable using WhatsApp, making them more likely to interact with your messages compared to less-frequented platforms. **Setting Up Abandoned Cart Messages with Heltar** -------------------------------------------------- ### **Step 1: Create a WhatsApp Business API Account** To start, you’ll need an official WhatsApp Business API account. Here’s how Heltar simplifies the process: * **Choose a BSP**: Partner with Heltar, an official WhatsApp Business Solution Provider. * **Complete Verification**: Submit necessary documentation, including: * Business registration papers. * A valid phone number and email associated with your business. * A business profile setup (description, category, and profile picture). * **Approval and API Setup**: Once approved, Heltar will handle the integration of your WhatsApp Business API with your e-commerce store. ### **Step 2: Link Heltar with Your Shopify Store** Heltar provides a seamless integration process to connect Shopify with WhatsApp: 1. Log into your Shopify admin dashboard and locate Heltar’s integration app. 2. Authorize access by providing your Shopify store name and API credentials. 3. Configure workflows, such as triggers for abandoned carts and other customer notifications. 4. Test the setup to ensure messages are triggered correctly at different stages of the customer journey. ### **Step 3: Automate Cart Recovery Messages** With Heltar’s WhatsApp Business API, you can automate abandoned cart recovery through customizable message templates: * **Trigger**: A customer leaves the checkout page without completing their purchase. * **Message Content**: Your automated message should include: * A friendly reminder about the items left in their cart. * High-quality product images and descriptions. * A direct checkout link for seamless completion. * Incentives such as discounts or free shipping (if applicable). ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-29-234927-1738174843853-compressed.png) **Best Practices for Effective Cart Recovery** 1. **Personalization is Key** \- Address customers by name and reference specific items they left in their cart. A personalized touch helps create a connection and encourages action. 2. **Timing Matters** \- Send the first message within 30 minutes of abandonment when the customer’s intent is still fresh. Follow up with another reminder after 24 hours if the cart remains unpurchased. 3. **Use Visual Cues** \- Include images of the products left in the cart to make the message more visually appealing. Seeing the items again can reignite the customer’s interest. 4. **Create Urgency** \- Incorporate time-sensitive offers such as “Complete your purchase in the next 24 hours and get 10% off!” This can nudge hesitant customers toward checkout. 5. **Provide Support** \- Add a line offering help: “Need assistance? Reply here to chat with our team instantly!” This ensures customers feel supported and can resolve any concerns. **Why Choose Heltar for Cart Recovery?** ---------------------------------------- 1. **Easy Integration -** Heltar’s Shopify integration process is designed to be quick and hassle-free. Once set up, businesses can start leveraging automated workflows without needing technical expertise. 2. **Enhanced Customer Engagement -** With Heltar’s WhatsApp API, businesses can achieve up to 95% message visibility and significantly improve engagement through real-time, interactive communication. 3. **Data-Driven Personalization -** Heltar combines Shopify’s customer data with WhatsApp messaging to create hyper-personalized campaigns. This ensures messages are tailored to individual preferences and purchase histories. 4. **Improved Conversion Rates -** Timely, targeted WhatsApp messages can reduce cart abandonment rates by up to 30%. Additionally, businesses often see a 3-4x higher engagement rate on WhatsApp compared to email campaigns. 5. **Actionable Insights -** Heltar’s platform provides detailed metrics to track the performance of cart recovery campaigns, allowing businesses to refine their strategies for maximum ROI. ![Heltar](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/home1-1736076756766-compressed.webp) **Conclusion** -------------- Cart abandonment is an inevitable challenge in e-commerce, but with the right tools, it can be turned into an opportunity. WhatsApp Business API, powered by [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm6f5auxs004t69928gsmj8cq/heltar.com), offers a customer-centric approach to re-engage potential buyers and drive conversions. From seamless integration with Shopify to data-driven personalization and impactful messaging, Heltar equips businesses with everything needed to recover lost revenue effectively. > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://www.heltar.com/blogs/what-is-a-whatsapp-business-api-complete-guide-2025-cm5gwuofn00jgb972drxarf3g) for a straightforward, feature-rich approach to WhatsApp Business communications and Shopify Integration that won't strain your budget. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## All Meta WhatsApp Cloud API Error Codes Explained Along With Complete Troubleshooting Guide [2025] Author: Prashant Jangid Published: 2025-01-23 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/all-meta-error-codes-explained-along-with-complete-troubleshooting-guide-2025-cm69x5e0k000710xtwup66500 The WhatsApp Business API, though powerful, isn’t immune to occasional hiccups. Error codes can pop up when something isn’t working as expected, leaving you scrambling for answers. This guide is here to make things easier. It breaks down Meta’s WhatsApp API error codes one by one, explains what they mean, and provides simple steps to fix them.  If you’ve been searching for a straightforward way to troubleshoot these errors and keep your business communication on track, this resource has got you covered. Let’s get started! _**Tip: Bookmark this blog to take a look at the solution to any error code quickly.**_ [Error Code 0: Auth Exception](https://www.heltar.com/blogs/troubleshooting-whatsapp-business-api-error-code-0-authexception-cm2u13ejy00dcwixop1qj78oq) ------------------------------------------------------------------------------------------------------------------------------------------------------- **Error message: We were unable to authenticate the app user.** AuthException (Error Code 0) signals that your app couldn't authenticate the user, commonly due to: * Access token expired. * Access token invalidated. * The user changed settings to restrict app access. You need to generate a new access token to replace the expired or invalidated one, and update it in your system and confirm that the user has granted your app the required permissions. For a step by step solution to troubleshoot WhatsApp API Error Code 0, check out this blog on [Troubleshooting WhatsApp Business API Error Code 0: AuthException](https://www.heltar.com/blogs/troubleshooting-whatsapp-business-api-error-code-0-authexception-cm2u13ejy00dcwixop1qj78oq). [Error Code 3: API Method](https://www.heltar.com/blogs/troubleshooting-whatsapp-business-api-error-code-3-capability-or-permissions-issue-cm2u1fh5300dlwixofuwvs7lq) --------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error message: Capability or permissions issue.** Error Code 3 signifies that the app is facing restrictions due to missing permissions. The server response shows a 500 Internal Server Error, meaning the issue is within the application’s configuration rather than the server. To resolve this error you need to go to the [Access Token Debugger](https://business.facebook.com/business/loginpage/?next=https%3A%2F%2Fdevelopers.facebook.com%2Ftools%2Fdebug%2Faccesstoken%2F) and paste your access token to verify if the required permissions (whatsapp\_business\_management and whatsapp\_business\_messaging) are enabled. ​If your token doesn’t include these permissions, you’ll need to create a new one. For a step by step solution to troubleshoot WhatsApp API Error Code 3, check out this blog on [Troubleshooting WhatsApp Business API Error Code 3: Capability or Permissions Issue](https://www.heltar.com/blogs/troubleshooting-whatsapp-business-api-error-code-3-capability-or-permissions-issue-cm2u1fh5300dlwixofuwvs7lq). [Error Code 10: Permission Denied](https://www.heltar.com/blogs/troubleshooting-whatsapp-business-api-error-code-10-permission-denied-cm2u1z32z00dmwixonkbk3abd) ---------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error message: Permission is either not granted or has been removed.** Error Code 10 means that permission for the requested action is either not granted to the app or has been removed from the app’s access. To resolve this error you need to go to the [Access Token Debugger](https://business.facebook.com/business/loginpage/?next=https%3A%2F%2Fdevelopers.facebook.com%2Ftools%2Fdebug%2Faccesstoken%2F) and paste your access token to verify if the required permissions (whatsapp\_business\_management and whatsapp\_business\_messaging) are enabled. ​If your token doesn’t include these permissions, you’ll need to create a new one. You also need to ensure that the phone number used to set the business public key is allowlisted. For a step by step solution to troubleshoot WhatsApp API Error Code 10, check out this blog on [Troubleshooting WhatsApp Business API Error Code 10: Permission Denied.](https://www.heltar.com/blogs/troubleshooting-whatsapp-business-api-error-code-10-permission-denied-cm2u1z32z00dmwixonkbk3abd) [Error Code 190: Access token has expired](https://www.heltar.com/blogs/resolving-whatsapp-business-api-error-code-190-access-token-expired-cm2u2aqdz00dnwixoxilpfn7t) ---------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error message: Your access token has expired.** Error Code 190 indicates that your access token has expired, resulting in a 401 Unauthorized status. This error prevents API access until a new token is generated. To resolve this error you need to generate a new system user token. For a step by step solution to troubleshoot WhatsApp API Error Code 190, check out this blog on [Troubleshooting WhatsApp Business API Error Code 190: Access Token Expired](https://www.heltar.com/blogs/resolving-whatsapp-business-api-error-code-190-access-token-expired-cm2u2aqdz00dnwixoxilpfn7t). [Error Code 200-299: API Permission](https://www.heltar.com/blogs/troubleshooting-whatsapp-business-api-error-code-200-299-api-permission-cm2u2fhsh00dowixoih1a33gp) -------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error message: Permission is either not granted or has been removed.** Error Code 200-299 (API Permission) with a 403 Forbidden status means that the app doesn’t have the required permissions to access specific API features or permissions were previously granted but were later removed or revoked. To resolve this error you need to go to the [Access Token Debugger](https://business.facebook.com/business/loginpage/?next=https%3A%2F%2Fdevelopers.facebook.com%2Ftools%2Fdebug%2Faccesstoken%2F) and paste your access token to verify if the required permissions (whatsapp\_business\_management and whatsapp\_business\_messaging) are enabled. ​If your token doesn’t include these permissions, you’ll need to create a new one.  For a step by step solution to troubleshoot WhatsApp API Error Code 200-299, check out this blog on [Troubleshooting WhatsApp Business API Error Code 200-299: API Permission](https://www.heltar.com/blogs/troubleshooting-whatsapp-business-api-error-code-200-299-api-permission-cm2u2fhsh00dowixoih1a33gp). [Error Code 4: API Too Many Calls](https://www.heltar.com/blogs/resolving-whatsapp-business-api-error-code-4-too-many-calls-cm3kncolz000yvnqrmelp0wyt) ------------------------------------------------------------------------------------------------------------------------------------------------------ **Error message: The app has reached its API call rate limit.** Error Code 4 occurs when your app exceeds its allocated rate limit for API calls, tracked on an hourly basis. Each request you make to the WhatsApp Business Management API counts toward this limit, which affects actions related to message templates, phone numbers, and your WhatsApp Business Account (WABA). Your app’s call count is the number of requests allowed per hour, calculated based on activity. Here’s a breakdown of the rate limits: * For all apps, the default rate limit is 200 calls per hour per app, per WABA. * Apps linked to an active WABA with at least one registered phone number can make up to 5000 calls per hour per app, per WABA. For a step by step solution to troubleshoot WhatsApp API Error Code 4, check out this blog on [Resolving WhatsApp Business API Error Code 4: Too Many Calls](https://www.heltar.com/blogs/resolving-whatsapp-business-api-error-code-4-too-many-calls-cm3kncolz000yvnqrmelp0wyt). [Error Code 130429: Rate Limit Hit](https://www.heltar.com/blogs/resolving-whatsapp-business-api-error-code-130429-throughput-reached-cm3knupgu0011vnqrmrppg6uc) ---------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error message: Cloud API message throughput has been reached.** Error Code 130429 is triggered when the API’s throughput limit is exceeded. Throughput is the rate at which messages can be sent per second. The Cloud API allows up to: * 80 messages per second (mps) by default for each registered business phone number. * 1,000 mps for eligible accounts that are automatically upgraded. Throughput includes all message types, both incoming and outgoing. When you exceed this rate, the API temporarily blocks further requests. For a step by step solution to troubleshoot WhatsApp API Error Code 130429, check out this blog on [Resolving WhatsApp Business API Error Code #130429: Throughput Reached](https://www.heltar.com/blogs/resolving-whatsapp-business-api-error-code-130429-throughput-reached-cm3knupgu0011vnqrmrppg6uc). [Error Code 131048: Spam Rate Limit Hit](https://www.heltar.com/blogs/troubleshooting-whatsapp-business-api-error-code-131048-spam-rate-limit-hit-cm3knn0po0010vnqrmpx9oiek) ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **​Error Message: Message failed to send because there are restrictions on how many messages can be sent from this phone number. This may be because too many previous messages were blocked or flagged as spam.** When customers block or report your messages as spam, your account’s quality rating can drop. Once this happens, WhatsApp imposes restrictions to control the number of messages you can send, helping to maintain a positive user experience on the platform. For a detailed explanation on how quality rating works and a step by step solution to troubleshoot WhatsApp API Error Code 131048, check out this blog on [Troubleshooting WhatsApp Business API Error Code #131048: Spam Rate Limit Hit](https://www.heltar.com/blogs/troubleshooting-whatsapp-business-api-error-code-131048-spam-rate-limit-hit-cm3knn0po0010vnqrmpx9oiek). [Error Code 131056: (Business Account, Consumer Account) pair rate limit hit](https://www.heltar.com/blogs/how-to-resolve-whatsapp-business-api-error-code-131056-pair-rate-limit-hit-cm3kmbksu000xvnqr4ql87km1) ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error message: Too many messages sent from the sender phone number to the same recipient phone number in a short period of time.** The pair rate refers to the number of messages that can be sent from your business phone number to a specific customer phone number within a defined time period. WhatsApp’s system limits how many messages a business can send to the same customer in a short span of time to avoid spamming the user. If the message limit is exceeded, this error is triggered. When you hit the pair rate limit, you are temporarily restricted from sending messages to that particular customer number. The error message suggests that you wait before trying again. However, you can still send messages to other phone numbers without any issues. If you're running a marketing campaign or providing support, you can focus on engaging other users without delay. For a step by step solution to troubleshoot WhatsApp API Error Code 131056, check out this blog on [How to Resolve WhatsApp Business API Error Code 131056: Pair Rate Limit Hit](https://www.heltar.com/blogs/how-to-resolve-whatsapp-business-api-error-code-131056-pair-rate-limit-hit-cm3kmbksu000xvnqr4ql87km1). [Error Code 133016: Account register deregister rate limit exceeded](https://www.heltar.com/blogs/whatsapp-business-api-error-code-133016-account-register-deregister-rate-limit-exceeded-cm5xuj7p00004agtqni89zd8s) -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Registration or Deregistration failed because there were too many attempts for this phone number in a short period of time.** This error happens when too many registration or deregistration requests are made for the same phone number in a short time. WhatsApp Business API imposes a limit of 10 requests per business number within a 72-hour moving window. If this limit is reached, the system blocks further registration attempts for the next 72 hours. This measure is in place to prevent abuse and ensure that phone numbers are not repeatedly registered or deregistered in rapid succession, which could cause system instability or misuse. For a step by step solution to troubleshoot WhatsApp API Error Code 131056, check out this blog on [WhatsApp Business API Error Code 133016: Account Register Deregister Rate Limit Exceeded](https://www.heltar.com/blogs/whatsapp-business-api-error-code-133016-account-register-deregister-rate-limit-exceeded-cm5xuj7p00004agtqni89zd8s). [Error Code 368: Temporarily blocked for policies violations](https://www.heltar.com/blogs/error-368-temporarily-blocked-for-policy-violations-on-whatsapp-business-api-all-you-need-to-know-cm4plwf8g00ga10m8oiw6u5la) ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: The WhatsApp Business Account associated with the app has been restricted or disabled for violating a platform policy.** This error indicates your WhatsApp Business Account has been restricted or disabled for violating policies such as the [WhatsApp Business Messaging Policy](https://business.whatsapp.com/policy), the [WhatsApp Commerce Policy](https://business.whatsapp.com/policy), or the [WhatsApp Business Terms of Service](https://www.whatsapp.com/legal/business-terms). Depending on the severity and frequency of violations, your account may face: 1. **Temporary Messaging Restrictions:** 1 to 30-day blocks on initiating conversations. 2. **Account Lock:** Indefinite block, requiring an appeal to unlock. 3. **Permanent Disablement:** For severe violations, such as scams or illegal activities. For a step by step solution to troubleshoot WhatsApp API Error Code 131056, check out this blog on [Error 368: Temporarily Blocked for Policy Violations on WhatsApp Business API \[All You Need to Know\]](https://www.heltar.com/blogs/error-368-temporarily-blocked-for-policy-violations-on-whatsapp-business-api-all-you-need-to-know-cm4plwf8g00ga10m8oiw6u5la). [Error Code 130497: Business account is restricted from messaging users in this country](https://www.heltar.com/blogs/understanding-error-130497-business-account-restricted-from-messaging-users-in-this-country-on-whatsapp-business-api-cm4pm4d7u00gb10m8x5ob95i5) --------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: The WhatsApp Business Account is restricted from messaging to users in certain countries.** Error 130497 often stems from the promotion of regulated or restricted goods and services that WhatsApp prohibits or limits based on their policies. WhatsApp prohibits businesses from promoting specific goods and services globally, even if those goods are legal in certain regions. Additionally, messaging for some regulated items is only permitted in specific countries where local laws allow such practices. To learn about WhatsApp API Error 130497 in detail and how to troubleshoot it check out this blog on [Understanding Error Business Account Restricted from Messaging Users in This Country (130497) on WhatsApp Business API](https://www.heltar.com/blogs/understanding-error-130497-business-account-restricted-from-messaging-users-in-this-country-on-whatsapp-business-api-cm4pm4d7u00gb10m8x5ob95i5). [Error Code 131031: Account has been locked](https://www.heltar.com/blogs/resolving-the-131031-account-has-been-locked-error-on-whatsapp-business-api-cm4plijea00g910m8ovx643vl) -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: The WhatsApp Business Account associated with the app has been restricted or disabled for violating a platform policy, or we were unable to verify data included in the request against data set on the WhatsApp Business Account (e.g, the two-step pin included in the request is incorrect).** Error Code 131031 means that your account has been restricted or disabled due to policy violations or discrepancies in the verification process. Your account might have been locked for breaching WhatsApp’s platform policies like sending spam or inappropriate messages, promoting restricted or prohibited goods/services or receiving excessive user complaints The account lock can also occur if WhatsApp cannot verify the data in your request, such as an incorrect two-step PIN or mismatch between submitted details and account information.  You need to diagnose the violation by Checking Violation Details at Business Support Home. If the Business Support Home shows a policy violation that you feel can be appealed, you can proceed to request a review. When a business submits an appeal for a violation, the WhatsApp team evaluates it against their policies to determine whether the violation should be reconsidered. This process may lead to the violation being overturned. If the account was locked because an incorrect 2-factor authentication pin was entered then you need to reset the 2-factor authentication pin and re-register the phone number. For a step by step solution to troubleshoot WhatsApp API Error Code 131031, check out this blog on [Resolving Error Account Has Been Locked Error (131031) on WhatsApp Business API](https://www.heltar.com/blogs/resolving-the-131031-account-has-been-locked-error-on-whatsapp-business-api-cm4plijea00g910m8ovx643vl). [Error Code 1: API Unknown](https://www.heltar.com/blogs/understanding-the-1-api-unknown-invalid-request-or-possible-server-error-cm4plcnyk00g810m8ergu7251) ------------------------------------------------------------------------------------------------------------------------------------------------------------ **Error Message: Invalid request or possible server error.** The ‘1: API Unknown Error’ on WhatsApp API occurs when either your API request is not formatted correctly or fails to meet endpoint requirements or there’s a temporary issue or outage on WhatsApp's servers.  You first need to visit the [WhatsApp Business Platform Status](https://metastatus.com/whatsapp-business-api) page to confirm if there’s an ongoing server issue. If an outage is reported, wait for WhatsApp to resolve it before retrying. If there is no outage then double-check the [API endpoint](https://developers.facebook.com/docs/whatsapp/cloud-api/reference) you’re using. Ensure it matches the intended action. Verify that all required parameters are included and formatted correctly. For a step by step solution to troubleshoot WhatsApp API Error Code 1, check out this blog on [Understanding the API Unknown - Invalid Request or Possible Server Error (Error Code 1)](https://www.heltar.com/blogs/understanding-the-1-api-unknown-invalid-request-or-possible-server-error-cm4plcnyk00g810m8ergu7251). [Error Code 2: API Service](https://www.heltar.com/blogs/resolving-the-2-api-service-temporary-downtime-or-overload-error-cm4pmekiv00gc10m8vsz5g8aj) ---------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Temporary due to downtime or due to being overloaded.** Error Code 2 indicates that the WhatsApp Business Platform is temporarily unavailable due to service downtime or being overloaded with requests. This issue is typically temporary and resolves on its own and you cannot really do anything to make it go away. You can visit the [WhatsApp Business Platform Status](https://metastatus.com/whatsapp-business-api) page to confirm whether there is a known service outage or maintenance. To understand WhatsApp API Error Code 2 in detail check out this blog on [Resolving the API Service - Temporary Downtime or Overload Error (Error Code 2) on WhatsApp](https://www.heltar.com/blogs/resolving-the-2-api-service-temporary-downtime-or-overload-error-cm4pmekiv00gc10m8vsz5g8aj). [Error Code 33: Parameter value is not valid](https://www.heltar.com/blogs/resolving-the-33-parameter-value-is-not-valid-error-on-whatsapp-business-api-cm4pmiwxo00gd10m88ddle0p9) ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: The business phone number has been deleted.** The ‘33: Parameter Value Is Not Valid’ error occurs when the business phone number in your API request has been deleted or is no longer valid or the phone number entered in the API request was incorrect. To resolve this error you first need to confirm the listed phone numbers under the associated WhatsApp Business Account. If the number is incorrect you need to update your API call to include a correct valid number. For a step by step solution to troubleshoot WhatsApp API Error Code 33, check out this blog on [Resolving the Parameter Value Is Not Valid Error (Error Code 33) on WhatsApp API](https://www.heltar.com/blogs/resolving-the-33-parameter-value-is-not-valid-error-on-whatsapp-business-api-cm4pmiwxo00gd10m88ddle0p9). [Error Code 100: Invalid Parameter](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-invalid-parameter-error) ---------------------------------------------------------------------------------------------------------------------------- **Error Message: The request included one or more unsupported or misspelled parameters.** This error arises when: 1. You’ve included parameters that are either not supported by the API endpoint or contain spelling mistakes. 2. When setting up the business public key, it doesn’t meet the required format: a valid 2048-bit RSA public key in PEM format. 3. The phone\_number\_id in your request does not match the one previously registered. 4. One or more parameters exceed the maximum allowed length for their type. For a detailed step by step solution to troubleshoot WhatsApp API Error Code 100, check out this blog on [Troubleshooting WhatsApp API Error: "Invalid Parameter" (Error Code 100)](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-invalid-parameter-error). [Error Code 130472: User's number is part of an experiment](https://www.heltar.com/blogs/whatsapp-api-error-130472-users-number-is-part-of-an-experiment-everything-you-need-to-know-cm4pmys5q00gg10m810454has) --------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Message was not sent as part of an experiment.** Starting June 14, 2023, WhatsApp began running a Marketing Message Experiment affecting roughly 1% of users. Under this experiment marketing template messages are not delivered to users in the test group unless at least one of these conditions is met: * The customer must have messaged your business within the last 24 hours. * A marketing message conversation must already be ongoing with the customer. * The customer initiated contact via a free-entry point, such as a Click-to-WhatsApp ad or link. If your message is blocked as part of the experiment, you receive a webhook with error code #130472, and the message will be marked as undeliverable. You are not billed for undelivered messages, and resending the message will result in the same error. WhatsApp cannot provide exceptions or opt-outs for users in the experiment group and attempting to resend the message will not bypass the restriction. However, as the experiment applies to a very small percentage of users, most of your messages will still go through. To know more about WhatsApp API Error 130472, check out this blog on [WhatsApp API Error 130472: User's Number is Part of an Experiment \[Everything You Need to Know\]](https://www.heltar.com/blogs/whatsapp-api-error-130472-users-number-is-part-of-an-experiment-everything-you-need-to-know-cm4pmys5q00gg10m810454has). [Error Code 131000: Something went wrong](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131000-something-went-wrong-working-fix-2025-cm4pl581g00g710m878qexdvg) --------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Message failed to send due to an unknown error. When setting a business public key, it either failed to calculate the signature, call the GraphQL endpoint, or the GraphQL endpoint returned an error.** Error 131000 generally occurs when: 1. The API was unable to process the signature when setting a business public key. 2. The request to the GraphQL endpoint failed. 3. The GraphQL endpoint responded with an error. While there is no exact solution prescribed by Meta there is a workaround that has been working for a few clients. Ask your Business Service Provider to create a new app in the developer console, where you'll input your phone numbers and templates. After that, simply reconfigure your permanent token and webhook. This has resolved the issue for a lot of people. For detailed steps to resolve Error 131000, check out this blog on [Troubleshooting WhatsApp API Error 131000: Something Went Wrong \[Working Fix 2025\]](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131000-something-went-wrong-working-fix-2025-cm4pl581g00g710m878qexdvg). [Error Code 131005: Access denied](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131005-access-denied-cm5fbrxvh000akg77bqg73iva) -------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Permission is either not granted or has been removed.** Error code 131005 with the message "Access Denied" means your app does not have the necessary permissions to perform the requested action. To resolve this error you need to check if your token includes the following permissions whatsapp\_business\_management and whatsapp\_business\_messaging. If these permissions are missing, proceed to generate a new access token. For a detailed step by step solution to resolve Error Code 131005, check out this blog on [Troubleshooting WhatsApp API Error 131005: Access Denied](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131005-access-denied-cm5fbrxvh000akg77bqg73iva). [Error Code 131008: Required parameter is missing](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131008-required-parameter-is-missing-cm5fbx1wa000bkg779s2nqn3k) ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: The request is missing a required parameter.** Error 131008 occurs when a required parameter is not included in your API request. This is a common issue that can be easily resolved by ensuring all necessary parameters are included in your request. For a step by step solution to resolve WhatsApp API Error Code 131008, check out this blog on [Troubleshooting WhatsApp API Error 131008: Required Parameter is Missing](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131008-required-parameter-is-missing-cm5fbx1wa000bkg779s2nqn3k). [Error Code 131009: Parameter value is not valid](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131009-parameter-value-is-not-valid-cm5fbz31x000ckg77rnoen8g3) -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: One or more parameter values are invalid.** Error 131009 occurs when either the values you’ve provided for one or more parameters do not meet the expected format or requirements or the phone number used in the request has not been added to your WhatsApp Business Account. To resolve this error visit the [official WhatsApp API documentation for the endpoint](https://developers.facebook.com/docs/whatsapp/cloud-api/reference) you are using and verify that each parameter in your request has a valid and correct value. Also confirm that the phone number in your request has been added to your WhatsApp Business Account. For a step by step solution to resolve WhatsApp API Error Code 131009, check out this blog on [Troubleshooting WhatsApp API Error 131009: Parameter Value Is Not Valid](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131009-parameter-value-is-not-valid-cm5fbz31x000ckg77rnoen8g3). [Error Code 131016: Service unavailable](https://www.heltar.com/blogs/understanding-whatsapp-api-error-131016-service-unavailable-cm5fc8lng000dkg77m07dlh6k) ------------------------------------------------------------------------------------------------------------------------------------------------------------ **Error Message: A service is temporarily unavailable.** This error occurs when a WhatsApp service is temporarily unavailable due to planned maintenance or unexpected issues affecting the WhatsApp Business API or temporary unavailability of services in specific regions. There is nothing you can do to resolve this error. You can Check the [WhatsApp Business Platform Status](https://metastatus.com/whatsapp-business-api) page to see API status information before trying again. For more details about WhatsApp API Error Code 131016, check out this blog on [Understanding WhatsApp API Error 131016: Service Unavailable](https://www.heltar.com/blogs/understanding-whatsapp-api-error-131016-service-unavailable-cm5fc8lng000dkg77m07dlh6k). [Error Code 131021: Recipient Cannot Be Sender](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131021-recipient-cannot-be-sender-cm5fcb1n6000ekg7787swm6e4) ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Sender and recipient phone number is the same.** Error 131021 occurs when the sender and recipient phone numbers are the same. To prevent this error, for testing use a separate phone number or a dedicated testing number instead of your sender number. Validate phone numbers in your application to prevent accidental use of the sender’s number as the recipient. To know more about WhatsApp API Error Code 131021, check out this blog on [Troubleshooting WhatsApp API Error 131021: Recipient Cannot Be Sender](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131021-recipient-cannot-be-sender-cm5fcb1n6000ekg7787swm6e4). [Error Code 131026: Message Undeliverable Error](https://www.heltar.com/blogs/troubleshooting-131026-message-undeliverable-error-in-whatsapp-business-api-cm264zbb5008bqegvrftuynrm) ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ **Error Message: Unable to deliver message. Reasons can include:** * **The recipient phone number is not a WhatsApp phone number.** * **Sending an [authentication template](https://developers.facebook.com/docs/whatsapp/business-management-api/authentication-templates) to a WhatsApp user who has a +91 country calling code (India). Authentication templates currently cannot be sent to WhatsApp users in India.** * **Recipient has not accepted our new Terms of Service and Privacy Policy.** * **Recipient using an old WhatsApp version; must use the following WhatsApp version or greater:** * **Android: 2.21.15.15** * **SMBA: 2.21.15.15** * **iOS: 2.21.170.4** * **SMBI: 2.21.170.4** * **KaiOS: 2.2130.10** * **Web: 2.2132.6** As mentioned in the error message, there could be several reasons for the occurrence of this error. For detailed step by step solution to help you inspect the error and debug it check out this blog on [Troubleshooting #131026 Message Undeliverable Error in WhatsApp Business API](https://www.heltar.com/blogs/troubleshooting-131026-message-undeliverable-error-in-whatsapp-business-api-cm264zbb5008bqegvrftuynrm). [Error Code 131037: WhatsApp provided number needs display name approval before message can be sent.](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131037-display-name-approval-required-cm5fcd3j8000gkg77yurinpkq) -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: The 555 business phone number used to send the request does not have an approved display name.** Error Code 131037 occurs if the business phone number you’re using does not have a display name set or the display name you’ve provided is not yet approved by WhatsApp. Before setting a display name, ensure it meets WhatsApp’s guidelines. If you work with a Business Service Provider (BSP), they will manage the display name setup and approval process. Contact your BSP for assistance. If not check out detailed steps to fix this error in this blog on [Troubleshooting WhatsApp API Error 131037: Display Name Approval Required](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131037-display-name-approval-required-cm5fcd3j8000gkg77yurinpkq). [Error Code 131042: Business eligibility payment issue](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131042-business-eligibility-payment-issue-cm5fcjsc0000ikg77quvc0kja) -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: There was an error related to your payment method.** Error Code 131042 occurs when one or more of the following issues are present: 1. The payment account isn’t linked to your WhatsApp Business Account. 2. Your payment account has exceeded its credit limit. 3. The credit line for the payment account is inactive or not set. 4. Your WhatsApp Business Account is deleted or suspended. 5. Your timezone or currency settings are missing or incorrectly set. 6. Your request to send messages on behalf of another account is pending or declined. 7. You’ve exceeded the free message tier without providing a valid payment method. For detailed steps to fix WhatsApp API Error Code 131042 check out this blog on [Troubleshooting WhatsApp API Error 131042: Business Eligibility Payment Issue](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131042-business-eligibility-payment-issue-cm5fcjsc0000ikg77quvc0kja). [Error Code 131045: Incorrect certificate](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131045-incorrect-certificate-cm5fcnyjb000kkg77aowrbezz) ------------------------------------------------------------------------------------------------------------------------------------------------------------------ Error Message: Message failed to send due to a phone number registration error. Error Code 131045 occurs when the phone number you’re using hasn’t been registered properly with the WhatsApp Business API or the certificate required for phone number registration is incorrect or missing. For detailed steps to fix this error check out this blog on [Troubleshooting WhatsApp API Error 131045: Incorrect Certificate](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131045-incorrect-certificate-cm5fcnyjb000kkg77aowrbezz). [Error Code 131047: Re-engagement message](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131047-re-engagement-message-required-cm5fctgfx000mkg77rgedcamx) --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: More than 24 hours have passed since the recipient last replied to the sender number.** Error code 131047 occurs when you attempt to send a regular message to a recipient after 24 hours have passed since their last reply. Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. The window refreshes every time the customer sends a new message. Once the window closes, you will need to use a template to reach out to the customer again. For more information about WhatsApp API Error Code 131047 check out this blog on [Troubleshooting WhatsApp API Error 131047: Re-Engagement Message Required](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131047-re-engagement-message-required-cm5fctgfx000mkg77rgedcamx). [Error Code 131049: Meta chose not to deliver.](https://www.heltar.com/blogs/troubleshooting-131049-message-not-delivered-to-maintain-a-healthy-ecosystem-error-what-you-need-to-know-cm26g4vzw0093qegv8mjrhg1m) ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: This message was not delivered to maintain healthy ecosystem engagement.** This error usually pops up when a user has received too many marketing messages from businesses within a specific timeframe. This cap for each user adapts based on factors such as how many messages the user has already received or whether they've interacted with previous ones. For example, if six businesses have sent marketing messages to a user within a certain time frame, WhatsApp may block a seventh business from sending a marketing message, even if that business is reaching out to this user for the first time and throw the #131049 Error. Constantly trying to send messages will not solve the problem in this case. As the cap is not permanent, try sending marketing messages at increasing intervals (e.g., after two days, then a week, and so on). If you have something urgent to communicate, consider sending a utility message as they are not affected by Frequency Capping. To read about WhatsApp API Error Code 131049 and its troubleshooting methods in detail check out this blog on [Troubleshooting #131049 Message Not Delivered to Maintain a Healthy Ecosystem Error: What You Need to Know](https://www.heltar.com/blogs/troubleshooting-131049-message-not-delivered-to-maintain-a-healthy-ecosystem-error-what-you-need-to-know-cm26g4vzw0093qegv8mjrhg1m). [Error Code 131051: Unsupported message type](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131051-unsupported-message-type-cm5fcx7dq000nkg7791hewl3j) ------------------------------------------------------------------------------------------------------------------------------------------------------------------------ **Error Message: Unsupported message type.** Error code 131051 occurs when you attempt to send a message type that is not supported by the WhatsApp Business API. Check the [WhatsApp API documentation](https://developers.facebook.com/docs/whatsapp/cloud-api/reference/messages) for the latest list of supported message types to resolve the error. To read about WhatsApp API Error Code 131051 in detail check out this blog on [Troubleshooting WhatsApp API Error 131051: Unsupported Message Type](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131051-unsupported-message-type-cm5fcx7dq000nkg7791hewl3j). [Error Code 131052: Media download error](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131052-media-download-error-cm5fczlk1000okg77j4ecksg4) ---------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Unable to download the media sent by the user.** Error code 131052 on WhatsApp Business API  indicates that the media file sent by a WhatsApp user could not be downloaded. This error occurs when: 1. The media file included in the user's message is inaccessible or corrupted. 2. There are issues with the API attempting to download the media. 3. Network or permissions-related problems prevent successful media retrieval. Detailed steps to debug this error have been explained in the blog [Troubleshooting WhatsApp API Error 131052: Media Download Error](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131052-media-download-error-cm5fczlk1000okg77j4ecksg4). [Error Code 131053: Media upload error](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131053-media-upload-error-cm5fd1roa000pkg775sxeat6e) ------------------------------------------------------------------------------------------------------------------------------------------------------------ **Error Message: Unable to upload the media used in the message.** Error code 131053 occurs when the WhatsApp API fails to upload a media file. The error can happen due to: 1. Unsupported media type or format. 2. Corrupted or invalid media file. 3. Large file size exceeding WhatsApp’s limits. 4. Incorrect API configuration for handling media uploads. Detailed steps to debug this error have been explained in the blog [Troubleshooting WhatsApp API Error 131053: Media Upload Error](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131053-media-upload-error-cm5fd1roa000pkg775sxeat6e). [Error Code 131057: Account in maintenance mode](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131057-account-in-maintenance-mode-cm5fd5t0u000qkg77tmywcphl) ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ **Error Message: Business Account is in maintenance mode.** Error code 131057 occurs when your WhatsApp Business Account enters maintenance mode. When your account is in maintenance mode, it means: 1. The account is temporarily unavailable for use. 2. It may be undergoing system updates or a throughput upgrade. In case of throughput upgrade your account will return to normal functionality within a few minutes. **Maintenance mode is usually brief and most accounts are restored to full functionality within minutes.** If your account remains in maintenance mode for an extended period, contact WhatsApp Business Support through your Meta Business Manager. For details about WhatsApp API Error Code 131057 check out this blog on [Troubleshooting WhatsApp API Error 131057: Account in Maintenance Mode](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131057-account-in-maintenance-mode-cm5fd5t0u000qkg77tmywcphl). [Error Code 132000: Template Param Count Mismatch](https://www.heltar.com/blogs/whatsapp-api-error-132000-template-param-count-mismatch-working-fix-cm5fd7w7s000rkg77w9ubg2n4) ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ **Error Message: The number of variable parameter values included in the request did not match the number of variable parameters defined in the template.** Error code 132000 occurs when the number of variable parameters in your message request does not match the number defined in your template. The message template requires a specific number of variable parameters, but your request includes fewer or extra values. If the error persists, **check the payload structure.** Make sure the components object is nested properly inside the template object. An incorrectly structured payload can trigger this error. For detailed fix to the error code 132000, along with an example of corrected payload, check out the blog [WhatsApp API Error 132000: Template Param Count Mismatch \[Working Fix\]](https://www.heltar.com/blogs/whatsapp-api-error-132000-template-param-count-mismatch-working-fix-cm5fd7w7s000rkg77w9ubg2n4). [Error Code 132001: Template does not exist](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-132001-template-does-not-exist-cm5fdg72c000skg77eoyo7npl) ---------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: The template does not exist in the specified language or the template has not been approved.** Error code 132001 occurs due to the following reasons: 1. The template name in your API request does not match the name in WhatsApp Business Manager. 2. The language specified in your request is not available for the template. 3. The template has not yet been approved by WhatsApp yet. 4. Templates that were recently created or updated may take some time to become usable. For detailed steps to resolve Error 132001 check out this blog on [Troubleshooting WhatsApp API Error 132001: Template Does Not Exist](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-132001-template-does-not-exist-cm5fdg72c000skg77eoyo7npl). [Error Code 132005: Template Hydrated Text Too Long](https://www.heltar.com/blogs/whatsapp-api-error-132005-template-hydrated-text-too-long-simplified-working-fix-cm5fdqbj4000tkg772euw13wb) --------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Translated text is too long.** Error code 132005 occurs when the text in your message template exceeds the allowed character limit after the variables (e.g., {{1}}, {{2}}) are replaced with actual values. The placeholder variables in your template ({{1}}, {{2}}) expand into large chunks of text and the message becomes too long once variables are replaced with actual values pushing the total character count beyond the limit. Although the system may let you create the template and even send it, it fails due to Meta’s character limit policies and you get the error 132005. To resolve this error rephrase or shorten the base template text or limit the length of the variable content by ensuring inputs are concise. For detailed explanation of Error 132005 and its solution with example check out this blog on [WhatsApp API Error 132005: Template Hydrated Text Too Long \[Simplified Working Fix\]](https://www.heltar.com/blogs/whatsapp-api-error-132005-template-hydrated-text-too-long-simplified-working-fix-cm5fdqbj4000tkg772euw13wb). [Error Code 132007: Template Format Character Policy Violated](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-132007-template-format-character-policy-violated-cm5fdtipb000ukg773stmlvgt) ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Template content violates a WhatsApp policy.** Error code 132007 occurs when the content of your message template violates WhatsApp’s policies, leading to its rejection. To resolve this error you first need to review the rejection details on the rejection notification email or at Business Support Home. Then make corrections according to the reason specified for template rejection. For step by step solution to Error 132007 check out this blog on [Troubleshooting WhatsApp API Error 132007: Template Format Character Policy Violated](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-132007-template-format-character-policy-violated-cm5fdtipb000ukg773stmlvgt). [Error Code 132012: Template Parameter Format Mismatch](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-132012-template-parameter-format-mismatch-cm5fdwdyo000vkg7770m5zf3z) -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Variable parameter values formatted incorrectly.** Error 132012 occurs when the variable parameter values in your API request do not match the format specified in your approved message template. To resolve this error identify the variable placeholders (e.g., { {1} }) in the approved message template and confirm their expected data types (e.g., text, image, video). For a more detailed explanation of this error check out this blog on [Troubleshooting WhatsApp API Error 132012: Template Parameter Format Mismatch](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-132012-template-parameter-format-mismatch-cm5fdwdyo000vkg7770m5zf3z). [Error Code 132015: Template is Paused](https://www.heltar.com/blogs/understanding-whatsapp-api-error-132015-template-is-paused-cm5fdzwy8000wkg77nbib14aq) ---------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Template is paused due to low quality so it cannot be sent in a template message.** Error 132015 occurs when a message template has been paused due to low quality, preventing it from being sent. Each message template has a quality rating based on factors such as customer feedback (e.g., complaints or blocking) and engagement rates (e.g., response or open rates). If a template continuously receives negative feedback or low engagement, its status will change. When a template’s quality drops too low, it will be paused to prevent further degradation.  For detailed steps to resolve this error check out this blog on [Understanding WhatsApp API Error 132015: Template is Paused](https://www.heltar.com/blogs/understanding-whatsapp-api-error-132015-template-is-paused-cm5fdzwy8000wkg77nbib14aq). [Error Code 132016: Template is Disabled](https://www.heltar.com/blogs/understanding-whatsapp-api-error-132016-template-is-disabled-cm5fe5deu000ykg77ofqvda5o) -------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Template has been paused too many times due to low quality and is now permanently disabled.** Error 132016 occurs when a message template is permanently disabled because it was paused too many times due to low quality.  If a template receives consistently negative feedback or low engagement, it goes through the following stages: 1. **Active – Low Quality:** The template is flagged for poor performance. 2. **Paused:** Temporarily disabled to protect quality ratings. 3. **Disabled:** If paused multiple times, the template is permanently deactivated. If a template is paused multiple times, it progresses through specific durations: 1st Pause: 3 hours. 2nd Pause: 6 hours. 3rd Pause: Permanently disabled. Once disabled, the template cannot be restored or reactivated. Since a disabled template cannot be used again, you need to create a new one with revised content. Review what caused the low-quality rating to avoid repeating mistakes. To understand Error 132016 and its fix in detail check out this blog on [Understanding WhatsApp API Error 132016: Template is Disabled](https://www.heltar.com/blogs/understanding-whatsapp-api-error-132016-template-is-disabled-cm5fe5deu000ykg77ofqvda5o). [Error Code 132068: Flow is Blocked](https://www.heltar.com/blogs/resolving-whatsapp-api-error-132068-flow-is-blocked-cm5vhjqwo00116bcy1lu9jw3o) ------------------------------------------------------------------------------------------------------------------------------------------------ **Error Message: Flow is in blocked state.** Error 132068 on WhatsApp Business API indicates that the flow associated with your request is currently in a blocked state and cannot proceed. A flow may be blocked due to issues in its configuration, such as: * Missing or invalid inputs in the flow. * Logical errors or incomplete steps in the flow setup. * Dependency on other actions or events that haven’t been triggered. For steps to troubleshoot Error 132068 check out this blog on [Resolving WhatsApp API Error 132068: Flow is Blocked](https://www.heltar.com/blogs/resolving-whatsapp-api-error-132068-flow-is-blocked-cm5vhjqwo00116bcy1lu9jw3o). [Error Code 132069: Flow is throttled](https://www.heltar.com/blogs/resolving-whatsapp-api-error-132069-flow-is-throttled-cm5vhly3800126bcy3qck00ak) ---------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Flow is in throttled state and 10 messages using this flow were already sent in the last hour.** Error 132069 means the flow has been flagged as unhealthy due to endpoint issues or screen navigation metrics deteriorating. When a Flow is throttled: * It can still be opened and used to send messages, but the limit is capped at 10 messages per hour. * If the metrics do not improve, the Flow may eventually be blocked. For a step by step solution to fix throttled flow check out this blog on [Resolving WhatsApp API Error 132069: Flow is Throttled](https://www.heltar.com/blogs/resolving-whatsapp-api-error-132069-flow-is-throttled-cm5vhly3800126bcy3qck00ak). [Error Code 133000: Incomplete Deregistration](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-133000-incomplete-deregistration-cm5feaycf000zkg7743dcfhm9) -------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: A previous deregistration attempt failed.** Error 133000 occurs when a previous attempt to deregister a business phone number from the WhatsApp Business API has failed. Before you can proceed with registering the number again, you need to complete the deregistration process successfully. For step by step solution to troubleshoot Error 133000 check out this blog on [Troubleshooting WhatsApp API Error 133000: Incomplete Deregistration](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-133000-incomplete-deregistration-cm5feaycf000zkg7743dcfhm9). [Error Code 133004: Server Temporarily Unavailable](https://www.heltar.com/blogs/understanding-whatsapp-api-error-133004-server-temporarily-unavailable-cm5feea330010kg77yl2z7m91) ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Server is temporarily unavailable.** Error 133004 with the message Server Temporarily Unavailable typically arises when the WhatsApp Business API server is inaccessible. This is often a temporary issue, and services usually resume within a short time. Most of the time, this issue resolves on its own once the server is back online. Visit the [WhatsApp Business Platform Status](https://metastatus.com/whatsapp-business-api) Page to check API status information and see the response details value before trying again. If sending a message to a user is urgent, use alternate channels of communication.  To read more about this error check out this blog on [Understanding WhatsApp API Error 133004: Server Temporarily Unavailable](https://www.heltar.com/blogs/understanding-whatsapp-api-error-133004-server-temporarily-unavailable-cm5feea330010kg77yl2z7m91). [Error Code 133005: Two step verification PIN Mismatch](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-133005-two-step-verification-pin-mismatch-cm5fegq5k0011kg77ud7smif9) -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Two-step verification PIN incorrect.** Error 133005 occurs when the two-step verification PIN provided in your request does not match the PIN configured for the phone number. Ensure that the two-step verification PIN you’re including in your request matches the one configured for the WhatsApp Business Account (WABA). For a step by step solution to fix WhatsApp API Error Code 133005 check out this blog on [Troubleshooting WhatsApp API Error 133005: Two-Step Verification PIN Mismatch](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-133005-two-step-verification-pin-mismatch-cm5fegq5k0011kg77ud7smif9). [Error Code 133006: Phone number re-verification needed](https://www.heltar.com/blogs/resolving-whatsapp-api-error-133006-phone-number-re-verification-needed-cm5fel6tu0012kg77fhokedh1) ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Phone number needs to be verified before registering.** Error 133006 indicates that a phone number must be verified before it can be registered for use with the WhatsApp Business API. For a step by step guide to resolve this error check out this blog on [Resolving WhatsApp API Error 133006: "Phone Number Re-Verification Needed"](https://www.heltar.com/blogs/resolving-whatsapp-api-error-133006-phone-number-re-verification-needed-cm5fel6tu0012kg77fhokedh1). [Error Code 133008: Too Many two step verification PIN Guesses](https://www.heltar.com/blogs/resolving-whatsapp-api-error-133008-too-many-two-step-verification-pin-guesses-cm5fenw5s0013kg77761jgvtt) ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ **Error Message: Too many two-step verification PIN guesses for this phone number.** Error 133008 occurs when too many incorrect attempts are made to input the two-step verification PIN for a phone number linked to the WhatsApp Business API. The lockout period is specified in the error's details response value. During this time do not attempt to input the PIN again. After the lockout period is over enter the correct PIN. If you have forgotten the PIN set a new one by logging in to WhatsApp Manager. For a detailed solution to resolve WhatsApp API Error 133008 check out this blog on [Resolving WhatsApp API Error 133008: Too Many Two-Step Verification PIN Guesses](https://www.heltar.com/blogs/resolving-whatsapp-api-error-133008-too-many-two-step-verification-pin-guesses-cm5fenw5s0013kg77761jgvtt). [Error Code 133009: Two step verification PIN Guessed Too Fast](https://www.heltar.com/blogs/resolving-whatsapp-api-error-133009-two-step-verification-pin-guessed-too-fast-cm5feqqha0014kg77hmp0zrmv) ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ **Error Message: Two-step verification PIN was entered too quickly.** Error 133009 occurs when the two-step verification PIN is entered too quickly. This error acts as a security measure to prevent automated or brute-force attempts to guess the two-step verification PIN. Rapid retries are flagged as suspicious behavior. Wait for the amount of time specified in the error's details response value. After the wait period, carefully re-enter the two-step verification PIN slowly. To read about WhatsApp API Error 133009 in detail check out this blog on [Resolving WhatsApp API Error 133009: Two-Step Verification PIN Guessed Too Fast](https://www.heltar.com/blogs/resolving-whatsapp-api-error-133009-two-step-verification-pin-guessed-too-fast-cm5feqqha0014kg77hmp0zrmv). [Error Code 133010: Phone number Not Registered](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-133010-phone-number-not-registered-cm5fesvun0015kg77n4zwb52i) ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ **Error Message: Phone number not registered on the WhatsApp Business Platform.** If you're encountering Error 133010 while using the WhatsApp Business API, it means the phone number you're attempting to use has not been registered on the platform. For a step by step guide to help you understand the issue and steps to resolve it check out this blog on [Troubleshooting WhatsApp API Error 133010: Phone Number Not Registered](https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-133010-phone-number-not-registered-cm5fesvun0015kg77n4zwb52i). [Error Code 133015: Please wait a few minutes before attempting to register this phone number](https://www.heltar.com/blogs/resolving-whatsapp-api-error-133015-please-wait-before-registering-cm5feuhq70016kg77zgx8efz2) ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: The phone number you are attempting to register was recently deleted, and deletion has not yet completed.** Error 133015 occurs when you try to register a phone number that was recently deleted but has not yet completed the deletion process. The solution is simple. To resolve this error wait at least 5 minutes before reattempting to register the phone number. After waiting, retry the registration request. To read about this error in detail check out this blog on [Resolving WhatsApp API Error 133015: Please Wait Before Registering](https://www.heltar.com/blogs/resolving-whatsapp-api-error-133015-please-wait-before-registering-cm5feuhq70016kg77zgx8efz2). [Error Code 135000: Generic User Error](https://www.heltar.com/blogs/how-to-fix-the-generic-user-error-135000-in-whatsapp-cloud-api-cm129zpoo0011yafzg16j5v1c) -------------------------------------------------------------------------------------------------------------------------------------------------------------- **Error Message: Message failed to send because of an unknown error with your request parameters.** While there is no clear solution to the generic user error, a simple hack often fixes it for most people: deleting all of the existing templates and creating new ones. If error persists try deleting the phone number and add it again. Detailed solution to Generic User Error has been discussed in the blog [How to Fix the Generic User Error (135000) in WhatsApp Cloud API](https://www.heltar.com/blogs/how-to-fix-the-generic-user-error-135000-in-whatsapp-cloud-api-cm129zpoo0011yafzg16j5v1c). ​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Virtual Numbers Explained Author: Prashant Jangid Published: 2025-01-23 Category: WhatsApp Business API Tags: WhatsApp API URL: https://www.heltar.com/blogs/virtual-numbers-explained-cm69wzaxo000610xtwjatfltx What are Virtual Numbers? ------------------------- A virtual number is a phone number that is not directly connected with a physical phone line. Instead, it routes calls to a pre-set phone or VoIP service. This provides you with better flexibility and mobility in communication. Benefits of using Virtual Numbers --------------------------------- 1. **Cost-Effective** - Virtual Numbers have relatively lower costs as compared to traditional phone lines. 2. **Flexibility** - You can use Virtual Numbers from anywhere, making them popular for remote work and international business. 3. **Scalability** - Easily add or remove numbers as your business grows. 4. **Advanced features** - You have access to a lot of other features like call forwarding, voicemail, and SMS integration. 5. **Masking personal number** - By using a virtual number, you can maintain your privacy for online transactions or social media. Now that you have got an idea about the many benefits of virtual numbers, you might be wondering about choosing the right provider. Don’t worry, we’ve got you covered! Let’s explore some of the best providers on the market. Comparison of Popular Virtual Number Providers ---------------------------------------------- Services Key Features Pricing Google Voice Call Forwarding, Voicemail Transcription, Spam Filtering, Integration, Multi-level Auto Attendants Starter Plan: $10 per user/month Standard Plan: $20 per user/month Premier Plan: $30 per user/month Twilio Global Reach API Integration Call Tracking Masked Calling Direct Inward Dialing (DID) Pay-as-you-go: Pricing varies based on usage and the type of number (local, toll-free, etc.). Ring Central Unified Communications Team Collaboration Video Meetings Essentials Plan: $19.99 per user/month Standard Plan: $24.99 per user/month Premium Plan: $34.99 per user/month Ultimate Plan: $49.99 per user/month Grasshopper Virtual Receptionist Call Forwarding Voicemail Transcription Solo Plan: $29 per month Partner Plan: $49 per month Small Business Plan: $89 per month With all the benefits considered, Virtual Numbers, however, come with certain challenges. For instance, they rely on internet connectivity, which can sometimes lead to poor call quality if the connection is unstable. There also might be some delay in voice transmission, especially for international calls. Before choosing a provider, you should be aware of any potential fraud and scams associated with them. Additionally, ensure data privacy and regulatory compliance to principles. To avoid these extra issues, you can turn towards WhatsApp API, which provides better benefits and services, while maintaining proper privacy. At [Heltar](https://www.heltar.com/), we provide you with a lot of functionalities which will help you to escalate your business to a whole new level. You can automate workflows, send bulk messages, have team inboxes and also use no-code chatbots.  Find more insightful blogs [here](http://heltar.com/blogs).​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Mask Numbers on WhatsApp? Author: Prashant Jangid Published: 2025-01-23 Category: WhatsApp Business API Tags: WhatsApp API URL: https://www.heltar.com/blogs/how-to-mask-numbers-on-whatsapp-cm69wu8k7000510xtaga4wcta Masking numbers in WhatsApp is crucial for several reasons, especially in today’s digital age where privacy and security are paramount. You might not want to expose your personal phone numbers to strangers or unauthorized parties. It helps in safeguarding yourself against potential threats such as phishing attacks, identity theft, and other cybercrimes. Masking numbers also allows companies to use a single, consistent contact number for customer interactions, which can improve brand image and customer trust. Customer service representatives can use masked numbers to handle inquiries without revealing their personal contact details, ensuring a seamless and secure communication process. Here are a couple of strategies to hide your numbers in WhatsApp. Method 1: Using Virtual Numbers ------------------------------- ### What are Virtual Numbers? Virtual Numbers are phone numbers that are not directly associated with a physical phone line but are linked to a pre-existing phone number. They use Voice over Internet Protocol (VoIP) technology, which transmits voice and data over the internet. You can showcase this number in place of your own number in WhatsApp, thereby concealing your actual number. ### How to Get a Virtual Number? 1. Choose a virtual number provider that offers good customer support, competitive pricing, and positive reviews. Some popular providers include Google Voice, Twilio, and Grasshopper. 2. After choosing the provider, sign up for an account and register for a virtual number. ### How to Mask your Number Using a Virtual Number? 1. To set up the virtual number on WhatsApp, first, you need to start the registration process on the app. When asked to provide your phone number, enter the virtual number you registered. 2. WhatsApp will confirm your virtual number after its verification process. 3. Once the verification is complete, you can use WhatsApp with your masked number. By following these steps, you can mask your phone number on WhatsApp using a virtual number, ensuring a secure and private communication experience. However, without proper security measures, virtual numbers can be susceptible to unauthorized access and other online dangers. Using virtual numbers also means relying on third-party providers for service and support, which can be a limitation if the provider experiences issues. Method 2: Using WhatsApp API (Preferred Method) ----------------------------------------------- ### What is WhatsApp API? The WhatsApp API enables businesses to utilize WhatsApp messaging for their communication channels. Unlike the standard WhatsApp and WhatsApp Business apps, which are designed for individual and small business use, the WhatsApp API is tailor-made for medium to large enterprises that require substantial communication. ### Steps to Mask Numbers Using WhatsApp API and Heltar [Heltar](https://www.heltar.com/) provides the WhatsApp Business API with advanced features like automated customer engagement, bulk messaging, and chatbot integration. Masking numbers here is really straightforward, without the need for adjusting any API and no additional cost is incurred. 1. Register for the WhatsApp Business API through a Business Solution Provider like [Heltar](https://www.heltar.com/). 2. After registering, go to settings in your account. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1737671664172-compressed.png) ** 3\. Click on manage team permissions. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1737671665653-compressed.png) ** 4\. There you will find an option to mask your number. Save after making the changes. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1737671667285-compressed.png) ** 5\. Once everything is set up, you can begin using WhatsApp with the masked number, which is displayed in a format like 9177\*\*\*\*\*143, ensuring that your personal or business phone number remains private.  By following these steps, you can hide your phone number on WhatsApp using the API, ensuring better privacy and security in your conversations. The WhatsApp API easily integrates with existing systems, providing a seamless workflow. With it, you can also create team inboxes and no-code chatbots, send bulk messages on a single click and more. Additionally, it is incredibly cost-effective, making it an excellent choice for businesses of all sizes. ### Conclusion While virtual numbers provide privacy and flexibility, they rely heavily on internet and can be complex to set up. WhatsApp API, with its enhanced capabilities and integration features, offers seamless service with automated messaging workflows. Additionally, the API ensures compliance with WhatsApp's policies, enhancing security and reliability. With [Heltar](https://www.heltar.com/), businesses can automate workflows, send targeted bulk messages, and provide efficient customer support. The platform easily integrates with existing systems, providing a cohesive communication workflow. By using Heltar's solutions, businesses can enhance their customer service, boost engagement, and maintain a professional image while ensuring privacy and security. Find more insightful blogs [here](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Set Up Shared WhatsApp Inbox & Its Benefits with Heltar Author: Manav Mahajan Published: 2025-01-22 Category: WhatsApp Business API Tags: Whatsapp Inbox, WhatsApp API, Bulk Messaging URL: https://www.heltar.com/blogs/how-to-set-up-shared-whatsapp-inbox-and-its-benefits-with-heltar-cm685r7ne003f33uy54gwp1jc ​​Managing customer interactions across multiple channels can be overwhelming, especially as your business grows. That’s where a **shared WhatsApp inbox** comes in. Think of it as an advanced tool that centralizes all WhatsApp communications, enabling seamless team collaboration. If you're looking to boost efficiency and customer satisfaction, Heltar’s shared WhatsApp inbox, powered by the **WhatsApp Business API**, is the solution you need. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-22-230005-1737567027906-compressed.png) What is a Shared WhatsApp Inbox? A **shared WhatsApp inbox** is a collaborative platform where your team can manage and respond to WhatsApp conversations from a unified dashboard. Beyond just WhatsApp, modern solutions like Heltar’s inbox integrate other channels, such as emails and live chat, streamlining your customer support workflow. With a shared inbox, you can: * Assign conversations to team members for accountability. * Track message progress and query resolution in real-time. * Collaborate on customer queries without switching tools, by using tags and attributes for your chats. When Should You Consider a Shared WhatsApp Inbox? ------------------------------------------------- If you’re managing customer communications alone or handling less than 20 messages daily, you might not need a dedicated tool. However, if your business is scaling or you’re experiencing any of the following, it’s time to invest in a shared inbox: * **High Message Volume:** Answering over 30 queries daily. * **Team Collaboration Needs:** Sharing communication responsibilities across a team. * **Omnichannel Support:** Handling inquiries from WhatsApp, email, and social media. Benefits of a Shared WhatsApp Inbox with Heltar ----------------------------------------------- 1. **Efficient Team Collaboration** Your team can log into a centralized dashboard, assign tickets, and manage conversations without confusion. Features like internal notes and private chats within Heltar’s inbox ensure smooth communication. 2. **Streamlined Operations** Convert customer messages into tickets for better tracking. Mark tickets as resolved once customer issues are addressed, ensuring nothing slips through the cracks. 3. **Customer Satisfaction** Respond faster with quick-reply templates and automated workflows, creating a seamless support experience that delights your customers. 4. **Scalability Without Overheads** Unlike traditional CRM systems, shared inboxes are cost-effective for growing businesses. Add team members as your business scales, without incurring prohibitive costs. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-22-225552-1737566797194-compressed.png) How to Set Up a WhatsApp Team Inbox ----------------------------------- Setting up a WhatsApp team inbox may sound complicated, but with the right tools and guidance, it’s a breeze. Follow these simple steps: ### 1\. Pick the Right Tool The first step is to choose a WhatsApp Business API provider that offers a shared inbox solution. Look for features such as quick replies, analytics, and team collaboration tools. ​[Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm685r7ne003f33uy54gwp1jc/heltar.com) offers a robust shared inbox platform tailored for businesses of all sizes. From customizable workflows to actionable analytics, it ensures your team is always equipped to provide the best customer service. ### 2\. Create a WhatsApp Business Account Setting up a WhatsApp Business Profile is essential. This account serves as the foundation for your shared inbox. Be sure to complete your business profile with accurate details, including: * Business name and description * Address * Contact information A verified and well-detailed profile helps build trust with your customers. ### 3\. Connect to Heltar’s Shared Inbox Tool Once your WhatsApp Business Account is ready, connect it to Heltar’s shared inbox solution. This process involves: * Verifying your business on WhatsApp. * Linking your WhatsApp number to Heltar’s platform. * Configuring the tool to align with your business workflows. Heltar simplifies this integration and even assists with applying for the coveted **WhatsApp Green Tick Verification** to enhance your brand’s credibility. ### 4\. Add Your Team Members Invite your team members to the shared inbox and assign roles based on their responsibilities. For example: * **Admins:** Have full control over the inbox, including user management and settings. * **Agents:** Handle customer queries without access to administrative controls. Assigning roles ensures efficient query management while maintaining security. Why Choose Heltar for Your Shared WhatsApp Inbox? ------------------------------------------------- At Heltar, we offer more than just technology. Our affordable solutions come with unmatched customer support and knowledge transfer to help your team maximize the platform's potential. Features like analytics dashboards, real-time insights, and API integrations ensure your business stays ahead. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-22-225424-1737567053567-compressed.png) Try Heltar Today > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm4gxdnp8003hksvy3tptr7rm/heltar.com) for a straightforward, feature-rich approach to WhatsApp Business communications and Bulk Messaging that won't strain your budget. **[Get Started Now](https://www.heltar.com/blogs/how-to-get-a-whatsapp-business-api-account-explained-in-simple-steps-2025-cm53qefrk000erl59qp6mrk0p) and Simplify Your Business Communications!** --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Complete Guide to Increasing WhatsApp Business Account Phone Number Limits Author: Prashant Jangid Published: 2025-01-16 Tags: Phone Number Error, WhatsApp Business in 2025, Meta Support, Meta Business URL: https://www.heltar.com/blogs/complete-guide-to-increasing-whatsapp-business-account-phone-number-limits-cm5z5oqpo0002xb8jibwdlvqn Introduction ------------ Your business might need multiple phone numbers to be operated on a single WhatsApp Business Account(WABA). For example, your business might need different number for different customer-facing functions of your business, from complaint resolution to new bookings to catering premium customers.  With such diversity in the operations of a typical customer-facing business, it becomes a necessity to get multiple numbers for your WABA. In this article we will explain how you can increase the WABA phone number limit from  Registered Number Limit on WhatsApp Business Account ---------------------------------------------------- Business phone numbers can only be registered for use with one API at a time: Cloud API or On-Premises API. Business portfolios are initially limited to 2 registered business phone numbers, but this limit can be increased to up to 20. If your business has been verified, or if you open 1,000 or more business-initiated conversations in a 30-day moving period using templates with a high-quality rating, Meta determines if your API usage warrants a phone number limit increase. If an increase is warranted, Meta automatically increases your limit and notifies you via a webhook and a notification in the Meta Business Suite. If more than a week has passed since your business verification and your limit is still 2, monitor phone number and message quality, and take steps to improve your quality scores. For businesses needing limits beyond 20 and having access to Enterprise Support, a [Direct Support Ticket](https://developers.facebook.com/micro_site/url/?click_from_context_menu=true&country=IN&destination=https%3A%2F%2Fbusiness.facebook.com%2Fdirect-support%2F&event_type=click&last_nav_impression_id=0zA4WPFkyco9WJu13&max_percent_page_viewed=70&max_viewport_height_px=737&max_viewport_width_px=1536&orig_http_referrer=https%3A%2F%2Fdevelopers.facebook.com%2Fdocs%2Fwhatsapp%2Fcloud-api%2Fphone-numbers%2F&orig_request_uri=https%3A%2F%2Fdevelopers.facebook.com%2Fajax%2Fdocs%2Fnav%2F%3Fpath1%3Dwhatsapp%26path2%3Dcloud-api%26path3%3Dphone-numbers®ion=apac&scrolled=true&session_id=0ErrNeCjTXfNsdyky&site=developers) must be submitted with the following selections: **WABiz: Account & WABA > Request type > Increase Phone Number Limits** Step-by-Step Guide on How to Increase the Limit ----------------------------------------------- ### **Go to the "Direct Support Questions" tab** Log in to your Meta Business Account and locate the "Direct Support Questions" tab. This tab is where you can submit inquiries or requests for your account. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/numinc1-1737094651872-compressed.png) ​ ### **Click on "Ask a Question" and Select "Dev: Account & WABA"** Within the "Direct Support Questions" tab, click on the "Ask a Question" button. From the dropdown menu, choose "Dev: Account & WABA" as the category that best matches your request. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/numinc2-1737094664934-compressed.png) ​ ### **Fill out the Form with the Necessary Details** Provide all required information in the form, including the reason for the request and any supporting data. Ensure the details are accurate and clear to avoid delays in processing your request. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/numinc3-1737094678193-compressed.png) Conclusion Scaling your WhatsApp Business capabilities by increasing the phone number limit is a straightforward process if you follow Meta’s guidelines and provide a strong justification. With more numbers, your business can enhance customer support, streamline operations, and expand its reach effortlessly. Start the process today and unlock the full potential of your WhatsApp Business API! Try Heltar Today ---------------- > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm4gxdnp8003hksvy3tptr7rm/heltar.com) for a straightforward, feature-rich approach to WhatsApp Business communications and Shopify Integration that won't strain your budget. > > To leverage the full benefit of this payment ecosystem as a business, setup your [WhatsApp business API](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg) account with [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm5ckx8za004cyitv5qbw8xrw/heltar.com) today. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Business API Error Code 133016: Account Register Deregister Rate Limit Exceeded Author: Prashant Jangid Published: 2025-01-15 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/whatsapp-business-api-error-code-133016-account-register-deregister-rate-limit-exceeded-cm5xuj7p00004agtqni89zd8s Error Code 133016 occurs when you’ve exceeded the limit of registration or deregistration attempts for a specific business phone number in a short period. This error, with a 400 Bad Request status, is accompanied by the message, “Registration or Deregistration failed because there were too many attempts for this phone number in a short period of time.” Here's what you need to know about this error and how to handle it. Why Does Error Code 133016 Happen? ---------------------------------- This error happens when too many registration or deregistration requests are made for the same phone number in a short time. WhatsApp Business API imposes a limit of 10 requests per business number within a 72-hour moving window. If this limit is reached, the system blocks further registration attempts for the next 72 hours. This measure is in place to prevent abuse and ensure that phone numbers are not repeatedly registered or deregistered in rapid succession, which could cause system instability or misuse. What Happens When You Hit the Registration/Deregistration Rate Limit? --------------------------------------------------------------------- When you exceed the allowed number of registration attempts (10 in a 72-hour period), WhatsApp’s API will block further attempts to register or deregister the business phone number. This block will last for 72 hours, meaning you won’t be able to make any new registration or deregistration requests for that number during this time. How to Resolve Error Code 133016 -------------------------------- 1. The most straightforward solution is to wait until the 72-hour window resets. After this period, you can try the registration or deregistration request again. 2. Before making multiple attempts, ensure that you actually need to register or deregister the phone number. If you're unsure, double-check the number's status and consider avoiding unnecessary requests to prevent hitting the rate limit in the future. 3. If your previous attempts have failed or encountered issues, try to fix the root cause before reattempting the registration. Constantly retrying without addressing the issue may only extend the block. For more troubleshooting tips or insights on how to optimize your business using WhatsApp Business API check out our other blogs at [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Send WhatsApp Messages from Google Sheets in 2025 Author: Manav Mahajan Published: 2025-01-15 Category: WhatsApp Business API Tags: Automation, Google Sheets, WhatsApp API URL: https://www.heltar.com/blogs/send-whatsapp-messages-from-google-sheets-in-2025-cm5xtye7g01n2z0a6pv1cjdvr ​​In this tutorial, we’ll guide you through the process of sending WhatsApp messages directly from Google Sheets. This integration uses the WhatsApp API and can be completed in a few simple steps. Follow along to automate your messaging workflow! How to Send WhatsApp Messages from Google Sheets ------------------------------------------------ There are 2 ways to do this - Method 1 involves a tedious setup using google sheets and WhatsApp API links, while Method 2 is a completely automated one, via [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm5xtye7g01n2z0a6pv1cjdvr/heltar.com). Method 1 - Google Sheets Setup via API Link ------------------------------------------- ### **Step 1: Download WhatsApp** Visit [WhatsApp’s download page](https://www.whatsapp.com/download) and install the application compatible with your operating system. Alternatively, you can use WhatsApp Web in your browser. * Open WhatsApp on your mobile device. * Scan the QR code displayed on your desktop to connect your account. ### **Step 2: Create a Google Sheets Workbook** Prepare your Google Sheets workbook to organize your recipient details. Include the following columns: 1. **Name** 2. **Phone Number** 3. **Message** > 💡 _Tip_: For phone numbers, include the area code. Use this format to prevent errors: **+(_Area Code_)(_10 digit number_)** ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-15-171737-1736941684791-compressed.png) ### **Step 3: Create Dynamic Messages** To personalize your messages, you can use a formula that dynamically references other cells. * Example formula: * **A2** refers to the column containing recipient names. * Adjust the formula to suit your message (= "Hey " &A2& ". We hope you are doing great. Checkout our brand new collection!") ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-15-171858-1736941751751-compressed.png) > Drag the formula down to apply it to all rows in your sheet. ### **Step 4: Generate Hyperlinks to WhatsApp API** Next, create clickable links to send messages using the WhatsApp API. * Use this formula in the **Hyperlink** column:  =hyperlink("https://api.whatsapp.com/send?phone=" &D2& "&text=" &E2,"Click to Send") * **D2**: Cell containing the phone number. * ​**E2**: Cell containing the dynamic message. * **F2**: Text displayed as the clickable link. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-15-172116-1736941921671-compressed.png) > Drag this formula down to create hyperlinks for all rows. ### **Step 5: Send Messages** Click on the "Click to Send" hyperlink for the desired row. This will open the WhatsApp application or web interface. * Grant browser permissions to open WhatsApp. * Review the pre-filled message in the WhatsApp chat. * Press the **Send** button to dispatch the message.  ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-15-172450-1736942132576-compressed.png) Method 2 - Using a WhatsApp Business API Provider i.e. Heltar ------------------------------------------------------------- This method helps us **overcome the limitations** of the above mentioned method. Unlike the regular google sheets method, which is extremely tedious, Heltar allows your business to send bulk messages efficiently without a risk of getting banned. It enables seamless communication, whether for customer support, or for marketing campaigns. All you have to do is **upload your google sheet** on our platform! ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-15-173344-1736942645724-compressed.png) Setting up and using the WhatsApp Business API for bulk messaging can significantly streamline your business communication, Here’s how you can do it: ### **Registration and Verification**  First, register with a WhatsApp Business Solution Provider (BSP) like [Heltar- Best WhatsApp Business API](https://www.heltar.com/). This step involves submitting your business details and verifying your Facebook Business Manager account. ### **Creating Message Templates** WhatsApp requires pre-approved message templates for bulk messaging to ensure compliance. These templates can include messages from across categories - **marketing**, **utility**, **service**, or **authentication**. They should be clear, non-spammy, and valuable to the recipient. ### **Launching Campaigns** After setting up the API and templates with Heltar, you can **start sending bulk messages** to your customers. The API enables you to automate message delivery, personalize content, and schedule campaigns for optimal engagement. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-15-173435-1736942698270-compressed.png) This way you also get access to an interface (Heltar's CRM) to tag, attribute, and keep a track of whatever is being sent from your business account, hence simplifying communication. If you are interested in getting access to this method, [_explore more here_](https://www.heltar.com/blogs/how-to-get-a-whatsapp-business-api-account-explained-in-simple-steps-2025-cm53qefrk000erl59qp6mrk0p). ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-12-203429-1736694290506-compressed.png) At **Heltar**, we specialize in providing businesses with the tools and expertise to leverage WhatsApp Business API to its fullest. Here’s what sets us apart: * **Affordable Solutions**: Our pricing is transparent and competitive. * **Enhanced Delivery Rates**: We optimize message delivery for maximum impact. * **Streamlined Workflows**: Simplify customer communication with our intuitive tools. * **Tailored Integration**: Seamlessly integrate with platforms like CleverTap for advanced automation. Try Heltar Today ---------------- > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm4gxdnp8003hksvy3tptr7rm/heltar.com) for a straightforward, feature-rich approach to WhatsApp Business communications and Bulk Messaging that won't strain your budget. **[Get Started Now](https://www.heltar.com/blogs/how-to-get-a-whatsapp-business-api-account-explained-in-simple-steps-2025-cm53qefrk000erl59qp6mrk0p) and Simplify Your Business Communications!** --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Resolving WhatsApp API Error 132069: Flow is Throttled Author: Prashant Jangid Published: 2025-01-13 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/resolving-whatsapp-api-error-132069-flow-is-throttled-cm5vhly3800126bcy3qck00ak **Error 132069** error occurs when WhatsApp detects issues with a Flow’s performance or endpoint health and you get the error message, “Flow is in a throttled state, and 10 messages using this flow were already sent in the last hour.”  What Does This Error Mean? -------------------------- The Flow has been flagged as unhealthy due to endpoint issues or screen navigation metrics deteriorating. When a Flow is throttled: * It can still be opened and used to send messages, but the limit is capped at 10 messages per hour. * If the metrics do not improve, the Flow may eventually be blocked. Causes of a Throttled Flow -------------------------- ### 1\. Unhealthy Endpoint or Screen Navigation: * The Flow’s endpoints fail to perform efficiently or return expected results. * Navigations between screens in the Flow experience significant delays or errors. ### 2\. Deteriorating Endpoint Metrics: * Metrics such as response time or success rate drop below acceptable thresholds. * High traffic or poorly optimized API calls can lead to degraded performance. How to Fix a Throttled Flow? ---------------------------- ### 1\. Review the Flow Configuration * Check the flow in WhatsApp Manager or the tool you are using to create flows. * Ensure all required inputs and parameters are correctly configured. * Fix any logical errors or missing steps. ### 2\. Resolve Any Blockages * If the flow is dependent on other actions or triggers, ensure they are completed successfully. * Modify or update the flow as necessary to resolve the blockage. ### 3\. Review Request * Review the number of requests being sent to the Flow’s endpoints. Optimize API calls to reduce unnecessary traffic. * Test the Flow’s endpoints to ensure they respond efficiently. Address performance issues, such as long response times or error rates. ### 4\. Contact Support * If issues persist, contact WhatsApp Business Platform support through the Support Portal. For more troubleshooting tips or insights related to WhatsApp Business API check out [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Resolving WhatsApp API Error 132068: Flow is Blocked Author: Prashant Jangid Published: 2025-01-13 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/resolving-whatsapp-api-error-132068-flow-is-blocked-cm5vhjqwo00116bcy1lu9jw3o **Error 132068** on WhatsApp Business API indicates that the flow associated with your request is currently in a blocked state and cannot proceed and you get the error message, **“Flow is in blocked state.”** This issue requires you to address the problem with the flow before making the request again. What Causes a Blocked Flow? --------------------------- A flow may be blocked due to issues in its configuration, such as: * Missing or invalid inputs in the flow. * Logical errors or incomplete steps in the flow setup. * Dependency on other actions or events that haven’t been triggered. **How to Resolve Error 132068?** -------------------------------- ### 1\. Review the Flow Configuration * Check the flow in WhatsApp Manager or the tool you are using to create flows. * Ensure all required inputs and parameters are correctly configured. * Fix any logical errors or missing steps. ### 2\. Resolve Any Blockages * If the flow is dependent on other actions or triggers, ensure they are completed successfully. * Modify or update the flow as necessary to resolve the blockage. ### 3\. Retry the Request * Once the flow has been corrected and tested, retry the API request. By addressing the underlying issues in the flow, you can eliminate error 132068 and ensure smooth execution of your WhatsApp Business interactions. For more troubleshooting tips or insights related to WhatsApp Business API check out [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to send Interactive Messages on WhatsApp in 2025? Author: Manav Mahajan Published: 2025-01-12 Category: HeltarBot Tags: Whatsapp Marketing, Interactive Messages, Automation, Whatsapp Business API URL: https://www.heltar.com/blogs/how-to-send-interactive-messages-on-whatsapp-in-2025-cm5tqfs7e007wwirg0iqt55pf In today’s fast-paced digital world, where customer expectations are at an all-time high, businesses need tools that deliver both efficiency and personalization. Enter **WhatsApp Interactive Messages**—a groundbreaking feature that transforms static, text-heavy conversations into dynamic, engaging, and action-oriented interactions. Interactive messages enable businesses to present **predefined options**, product showcases, and even **native forms** directly within a WhatsApp chat. They simplify communication, enhance engagement, and reduce decision-making time for customers. Whether it’s a reply button to select a delivery time, a list message showcasing product options, or a location request for seamless logistics, interactive messages revolutionize how businesses communicate with their audience. This guide dives deep into everything you need to know about WhatsApp Interactive Messages: how they work, why they matter, and how they can elevate your customer communication. If you're a business that values effective, personalized, and efficient interactions, this blog is your ultimate resource. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-12-203603-1736694386465-compressed.png) Why do we need Interactive Messages? Gone are the days of clunky, text-heavy conversations. WhatsApp interactive messages provide businesses with an opportunity to: 1. **Simplify Communication**: With predefined buttons and lists, customers can navigate their journey effortlessly. 2. **Personalize Engagement**: Dynamic templates allow for tailored interactions that feel unique. 3. **Increase Conversion Rates**: By reducing friction, interactive messages help customers make decisions faster. Whether you're assisting customers with a product inquiry or nudging them toward a purchase, these features can create a seamless communication flow. Types of WhatsApp Interactive Messages for Service Conversations ---------------------------------------------------------------- Let’s explore the five types of interactive messages that can enhance your service conversations: #### 1\. **Reply Buttons** Reply buttons offer up to _**three**_ clickable options, making it easy for customers to select their preferences without typing. For example: * **Use Case**: Flight time changes, payment method selection, or personal detail updates. * **Example**: > Choose your preferred delivery time: > > * Morning > > * Afternoon > > * Evening > #### 2\. **List Messages** When you need to offer _**more than three**_ choices, list messages are the way to go. These allow customers to select from a menu of up to 10 options. * **Use Case**: FAQ menus, store locations, or restaurant menus. * **Example**: > Select your nearest store: > > 1. Sector 11 > > 2. Sector 15 > > 3. Sector 16 > > 4. Sector 23 > ![Interactive WhatsApp messages](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/interactivemessageexample-1736694198661-compressed.png) #### 3\. **Single-Product Messages** Showcase a specific product from your catalog to encourage a purchase. This is perfect for _**targeted promotions**_. * **Use Case**: Highlighting a bestseller or an item of interest. * **Example**: > Check out our featured product: > > ‘Wireless Earbuds’ for $99. Click to purchase! #### 4\. **Multi-Product Messages** Display up to _**30 items**_ from your catalog in one message, making it ideal for promoting product categories or smaller inventories. * **Use Case**: Seasonal collections or product bundles. * **Example**: > Explore our holiday collection: > > * Sweaters > > * Scarves > > * Gloves > > * Jackets > ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-12-203653-1736694429936-compressed.png) #### 5\. **Location Request Messages** Streamline logistics by requesting customers’ locations with a single tap. * **Use Case**: Delivery coordination or store visits. * **Example**: > "Please share your location for delivery." Interactive Message Templates: Beyond the 24-Hour Window -------------------------------------------------------- WhatsApp’s 24-hour messaging rule means businesses must be strategic about starting conversations. Interactive message templates allow you to: * Engage with customers even outside the 24-hour window. * Personalize communication with placeholders like names or product details. #### Types of Interactive Templates **1\. Call-to-Action (CTA) Buttons** Guide customers to take action with two types of buttons: * **Call your business**: Connects to a landline or mobile number (not the API number). * **Visit your website**: Directs to a landing page or specific URL. **2\. Quick Reply Buttons** Provide up to three preset options for customers to choose from, making responses swift and easy. * **Example**: > How can we assist you? > > * Track my order > > * Speak to support > > * View products > WhatsApp Native Forms: Simplifying Data Collection -------------------------------------------------- WhatsApp Native Forms revolutionize the way businesses interact with customers, providing a streamlined approach to collect information directly within the chat interface. These forms eliminate the need for external tools, reducing friction and creating a smoother customer experience. Here are some practical use cases of WhatsApp Native Forms across industries: 1. **Talk to Sales** Facilitate conversations with your sales team by gathering essential customer details upfront. Use forms to capture lead information, their requirements, and the best time to connect. 2. **Placing Orders** Allow customers to specify product choices, quantities, and delivery preferences. Integrate payment options into the workflow for a complete shopping experience, all within WhatsApp. 3. **Event Registration** Customize forms to collect attendee details for events. Automatically confirm registrations and share event-specific information like venue details, timings, or digital tickets directly via WhatsApp. 4. **Booking Appointments** Streamline appointment scheduling for health centers, salons, or other service-based industries. Use the forms to collect customer names, contact details, and preferred timings, and confirm bookings instantly through WhatsApp. 5. **Restaurant Reservations** Simplify table reservations by capturing details like date, time, party size, and any specific requests. Confirm reservations automatically and provide timely reminders. 6. **Gathering Client Feedback** Design forms to collect ratings, comments, and suggestions from customers. Use the data to analyze performance and make informed improvements to your services. 7. **General Contact Form** Collect basic contact information and details about the customer’s inquiry. Route these queries to the appropriate teams for prompt follow-ups. 8. **Travel Booking** Personalize travel arrangements by capturing trip preferences like destination, dates, and budget. Simplify the booking process with interactive workflows and add a personal touch to customer communication. By leveraging WhatsApp Native Forms, businesses can ensure that data collection is both efficient and user-friendly, enhancing overall engagement and simplifying interactions at every step. Whether it’s generating leads, collecting payments, or managing reservations, these forms serve as a powerful tool for improving customer service and streamlining operations. Benefits of WhatsApp Interactive Messages ----------------------------------------- #### 1\. **Enhanced Customer Experience** Interactive messages guide customers through their journey with ease. Personalized experiences, like displaying saved delivery addresses or appointment slots, make interactions smoother. #### 2\. **Reduced Human Error** Predefined buttons eliminate the risk of typos and miscommunication, ensuring clear and accurate responses. #### 3\. **Higher Response & Conversion Rates** By simplifying decision-making, interactive messages lead to increased engagement. WhatsApp’s testing has shown these formats yield higher conversions than traditional text messages. Setting Up WhatsApp Interactive Messages with Heltar ---------------------------------------------------- Heltar makes it simple to create and deploy interactive messages without heavy coding, using our [drag and drop Chatbot Builder](https://www.heltar.com/automation.html). Here’s how to get started: ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-12-203429-1736694290506-compressed.png) ### Steps to Create Service Conversation Messages 1. **Navigate to Workflows**: Click ‘Add Workflow’ on the platform. 2. **Set the Trigger**: Choose ‘Conversation Opened’ to initiate the flow. 3. **Add a Greeting**: Welcome your customers with a friendly message. 4. **Ask a Question**: Use this step for reply buttons or list messages. 5. **Save Responses**: Store customer inputs as variables for future use. 6. **Branch Out**: Create branches for different customer choices to personalize interactions further. Why Choose Heltar for WhatsApp Business API? -------------------------------------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-12-203516-1736694334475-compressed.png) At **Heltar**, we specialize in providing businesses with the tools and expertise to leverage WhatsApp Business API to its fullest. Here’s what sets us apart: * **Affordable Solutions**: Our pricing is transparent and competitive. * **Enhanced Delivery Rates**: We optimize message delivery for maximum impact. * **Streamlined Workflows**: Simplify customer communication with our intuitive tools. * **Tailored Integration**: Seamlessly integrate with platforms like CleverTap for advanced automation. Try Heltar Today ---------------- > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm4gxdnp8003hksvy3tptr7rm/heltar.com) for a straightforward, feature-rich approach to WhatsApp Business communications and Interactive Messages that won't strain your budget. **[Get Started Now](https://www.heltar.com/blogs/how-to-get-a-whatsapp-business-api-account-explained-in-simple-steps-2025-cm53qefrk000erl59qp6mrk0p) and Simplify Your Business Communications!** --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Best WhatsApp API for Shopify Integration: A Comprehensive Comparison Author: Manav Mahajan Published: 2025-01-05 Category: WhatsApp Business API Tags: Shopify Integration, E-Commerce, WhatsApp API Integration, Shopify URL: https://www.heltar.com/blogs/best-whatsapp-api-for-shopify-integration-a-comprehensive-comparison-cm5jiqmfm000zz5tic9haxkvj When integrating WhatsApp with your Shopify store, choosing the right WhatsApp Business API provider is crucial. This comparison will help you make an informed decision by analyzing the top providers based on their Shopify integration capabilities, pricing, and features. 1\. Heltar ---------- ![Heltar](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/logo-heltar-1726748584992-compressed.png) **​** Heltar allows your business to reach, notify, and engage your customers with just one click.  Being an Official Meta Partner Heltar allows you to send 1,000,000+ messages with just one-click without facing the risk of getting banned.  Being an up-and-coming company, Heltar's client service is one of the best in the Industry. ### **Base Platform Pricing** * **Starter:** ₹999/month (₹8,999/year) - includes WhatsApp CRM + Bulk Messaging * **Growth:** ₹1,999/month (₹17,999/year) - includes Heltar Bot as well * **Enterprise:** Custom ### WhatsApp Conversation Charges  Heltar charges a flat 5% markup over conversation charges levied by Meta. ### Shopify Integration Features 1. **Free Integration** \- When you sign up for Heltar Bot, you get access to free Shopify Integration. This ensures businesses of all sizes can seamlessly connect their Shopify stores with Heltar without worrying about hidden fees. 2. **Native Abandoned Cart Recovery** - Re-engage potential customers with automated abandoned cart recovery messages. Heltar allows you to send personalized WhatsApp notifications to remind customers of the items left in their cart, often leading to increased conversions. 3. **Automated Order Updates** - Keep your customers informed at every step of their purchase journey. Heltar enables automated order confirmations, payment updates, delivery notifications, and more, enhancing transparency and customer satisfaction. 4. **Product Catalog Sync** - Easily sync your Shopify product catalog with Heltar to streamline messaging and promotions. This feature ensures your product details are always up-to-date and ready for targeted campaigns. 5. **One-Click Checkout Links** - Simplify the buying process with one-click checkout links. Customers can instantly complete their purchases through WhatsApp, reducing friction and improving the shopping experience. ### Key Advantages 1. **Most Competitive Pricing in the Market** - Heltar offers one of the most affordable pricing structures, making advanced Shopify and WhatsApp integrations accessible for businesses of all sizes. 2. **Unlimited Users Included in All Plans** \- Whether you’re a solo entrepreneur or managing a large team, Heltar accommodates unlimited users on all plans, allowing seamless collaboration without user-based restrictions. 3. **Free Chatbot Responses** - Automate customer interactions with Heltar’s free chatbot feature. From answering FAQs to assisting with orders, the chatbot enhances efficiency while reducing manual workload. 4. **24/7 Customer Support** - Heltar ensures you’re never left in the dark with round-the-clock customer support. Whether you need technical assistance or have queries about features, help is always just a message away. 2\. Wati -------- ![Wati | Business Messaging Made Simple on Your Favourite App!](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1736076836895-compressed.png) ### Base Platform Pricing * **Growth** \- ₹2,499/month (₹23,988/year) * **Pro** \- ₹5,999/month (₹53,988/year) * **Business** \- ₹13,499/month (₹1,61,988/year) ### WhatsApp Conversation Charges Only a _**flat 5% markup**_ on your Meta conversation charges - lowest in the entire industry! ### Shopify Integration Features * Automated order tracking for seamless updates * Integration of product catalog with Shopify * Basic abandoned cart recovery notifications * Automated customer support for faster resolutions ### Limitations * Tiered Features in Shopify Integration across planbs * Maximum of 5 users per plan * Chatbot session limits restrict usage * Extra charges for exceeding chatbot response limits ### 3\. AiSensy ![AiSensy - WhatsApp Business API & Engagement Platform](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/o23jhxuys457hg29-1736076857772-compressed.png) ### Base Platform Pricing * **Basic**: ₹999/month (₹10,788/year) * **Pro**: ₹2,399/month (₹25,908/year) * **Enterprise**: Custom pricing ### WhatsApp Conversation Charges * **Marketing**: 81p/24 hours * **Utility**: 12.5p/24 hours * **Authentication**: 35p/24 hours ### Shopify Integration Features * ₹1,999/month for chatbots with 5 workflows * Paid Shopify integration as a premium feature * Basic order notifications for customer updates * Product catalog sync for streamlined operations * Customer support automation for faster query resolutions ### Limitations * Shopify integration only in higher-tier plans * Limited campaign scheduling in basic plans * Advanced analytics available with extra charges * Restricted number of attributes and tags ### 4\. Interakt ![Transform your business with WhatsApp Business API Interakt - WhatsApp for Business | WhatsApp API Pricing | WhatsApp Business Account](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/cropped-interakt-logo-1-white-01-1736076877549-compressed.png) ### Base Platform Pricing * **Basic**: ₹2,499/month (₹23,988/year) * **Pro**: ₹3,499/month (₹33,588/year) * **Enterprise**: Custom pricing ### WhatsApp Conversation Charges * **Marketing**: 82p/24 hours * **Utility**: 16p/24 hours * **Service**: 35p/24 hours ### Integration-Specific Features * Deep Shopify integration for seamless operations * Automated order updates to enhance customer communication * Catalog management for efficient product handling * Payment processing integration for smoother transactions ### Limitations * Separate charges for automated checkout flow * Higher base pricing for chatbot functionality * Additional costs for advanced features ### 5\. Doubletick ![WhatsApp API Pricing of All the Top WABA Providers](https://superblog.supercdn.cloud/site_cuid_cl9pmahic552151jpq6mko9ans/images/1-1702048157143-compressed.webp) ### Platform Pricing * **Starter**: ₹2,500/month (exclusive of GST@18%) * **Pro**: ₹3,500/month (exclusive of GST@18%) * **Enterprise**: Custom pricing ### WhatsApp Conversation Charges * **Marketing**: 89p/24 hours * **Utility**: 12p/24 hours * **Service**: 32p/24 hours ### Shopify Integration Features * Basic order notifications * Simple product catalog sync * Customer support automation ### Limitations * Shopify Integration not available in Starter Plan * Agent Limit restricted to 5 in Starter plan and 10 in Pro plan * Limited automation capabilities * Basic integration features Conclusion ---------- After analyzing these WhatsApp Business API providers for Shopify integration, Heltar emerges as the most cost-effective and feature-rich solution.  **Key differentiators include:** 1. Lowest total cost of ownership (platform + conversation charges) 2. No additional integration charges 3. Comprehensive feature set included in base pricing 4. Unlimited users across all plans 5. Free chatbot functionality 6. 24/7 customer support For Shopify store owners looking for the best value proposition, Heltar provides the most comprehensive solution without hidden costs or limitations. While other providers offer similar core functionalities, their additional charges for basic features and higher conversation rates make them less cost-effective for growing businesses. Recommendation -------------- For small to medium-sized Shopify stores, Heltar's Growth plan offers the best balance of features and cost. Larger enterprises might consider Heltar's Enterprise plan, which provides advanced features while maintaining cost advantages over competitors' similar offerings. ![Heltar](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/home1-1736076756766-compressed.webp) Consider your specific needs, but remember that hidden costs for basic features can significantly impact your total expenses. Heltar's transparent pricing and comprehensive feature set make it the recommended choice for most Shopify stores looking to integrate WhatsApp Business API. Try Heltar Today ---------------- > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm4gxdnp8003hksvy3tptr7rm/heltar.com) for a straightforward, feature-rich approach to WhatsApp Business communications and Shopify Integration that won't strain your budget. **[Get Started Now](https://www.heltar.com/blogs/how-to-get-a-whatsapp-business-api-account-explained-in-simple-steps-2025-cm53qefrk000erl59qp6mrk0p) and Simplify Your Business Communications!** --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## What is a WhatsApp Business API - Complete guide 2025 Author: Prashant Jangid Published: 2025-01-03 Tags: WhatsApp Business in 2025, WhatsApp API Integration URL: https://www.heltar.com/blogs/what-is-a-whatsapp-business-api-complete-guide-2025-cm5gwuofn00jgb972drxarf3g Introduction to WhatsApp Business API ------------------------------------- The WhatsApp Business API allows businesses to send messages to their users and non-users (for marketing) in bulk using code. Unlike the WhatsApp Business App, which does not allow bulk messaging and chat-bots, the API offers advanced features for scalability, automation, and integration with other business systems. Although there is a [conversation cost](https://www.heltar.com/pricing-calculator.html) associated with the WhatsApp business API. As of 2025, the API remains one of the most effective tools for enhancing customer engagement and delivering personalized experiences. Key Features of WhatsApp Business API ------------------------------------- ### **Broadcast Messaging:** Send bulk messages to a large number of users who have opted in. Perfect for announcements, promotions, or updates. Allows businesses to reach their audience efficiently without breaching WhatsApp’s policies.  ### **Multi-Agent Support**: Enables multiple agents to handle conversations simultaneously within a single WhatsApp Business account. Improves customer support efficiency and reduces response times. Allows role-based access and team collaboration. ### **Chatbots**: Automate responses to common queries with AI-powered bots. Provide instant support and guide users through predefined workflows. Seamlessly transfer complex issues to human agents when necessary. ### **Blue Tick Verification**: Displays a verified business badge next to the business name, building trust with customers. Helps customers identify legitimate businesses on WhatsApp. Requires businesses to meet WhatsApp’s eligibility criteria and maintain high-quality interactions. How to Get Started ------------------ 1. **Choose a BSP**: Partner with an official WhatsApp Business Service Provider. 2. **Verify Your Business**: Submit necessary documents for approval. 3. **Integrate the API**: Connect with your existing systems or use third-party tools for a seamless setup. 4. **Start Messaging**: Use the platform to engage, inform, and support your customers effectively How to Use Heltar for Broadcast Messaging ----------------------------------------- ### **Sign Up with Heltar**: Visit the Heltar website, [app.heltar.com](https://app.heltar.com) and do an embedded signup. Complete the onboarding process to set up your WhatsApp Business API, if you are stuck **_contact us_**! ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/apiguide1-1735921396012-compressed.png) ​**Set Up Templates**: Navigate to the settings > template manager in the Heltar dashboard. Design message templates and submit them for WhatsApp approval. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/apiguide2-1735921529144-compressed.png) ​**Build Your Audience**: Import your contact list into Heltar’s system by heading over to _contacts_ tab. Segment your audience based on criteria like location, preferences, or engagement history. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/apiguide3-1735921810116-compressed.png) **Schedule or Send Immediately**: Select a specific date and time for your broadcast or send it immediately. Use Heltar’s scheduling tool to manage multiple campaigns efficiently. **Monitor Performance**: Access Heltar’s analytics dashboard to track delivery rates, open rates, and engagement metrics. Use the insights to optimize future broadcasts and improve campaign effectiveness. What are the eligibility requirements to use the WhatsApp Business API? --------------------------------------------------------------------------  To start with WhatsApp Business API, a business should have: 1. A business website (with legal business name mentioned on it)/ business email address. 2. A phone number, not to be linked with any WhatsApp account. You can use a new number or delete the WhatsApp account from an old one to use it for WhatsApp Business API account. 3. Legal business documents which include: Certificate of Incorporation or an equivalent documents, MSME Certificate, GST Certificate Need Additional Support? ------------------------ If you’re still experiencing issues after following these steps, visit our blog for more insights and troubleshooting tips: [Heltar.com/blogs](https://heltar.com/blogs). Our resources are designed to help you maximize the potential of your WhatsApp Business API. To leverage the full benefit of this payment ecosystem as a business, setup your [WhatsApp business API](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg) account with [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm5ckx8za004cyitv5qbw8xrw/heltar.com) today. ​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Integrate Shopify with WhatsApp API: A Complete Guide Author: Manav Mahajan Published: 2025-01-03 Category: WhatsApp Business API Tags: Shopify Integration, E-Commerce, WhatsApp API Integration URL: https://www.heltar.com/blogs/how-to-integrate-shopify-with-whatsapp-api-a-complete-guide-cm5gga1it00076ac4vaga9vig This guide will walk you through integrating WhatsApp API with your Shopify store, helping you leverage this powerful combination for enhanced customer engagement. Introduction ------------ WhatsApp has revolutionized how businesses interact with their customers, offering a personal touch that traditional communication channels often lack. With over 175 million people messaging business accounts daily, WhatsApp has become an indispensable tool for creating personalized shopping experiences. Its high open rates (often exceeding 95%) and engagement levels make it an ideal channel for e-commerce businesses looking to enhance customer communication and drive sales. ![Heltar](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/home1-1736071076035-compressed.webp) What is the WhatsApp Shopify Integration? ----------------------------------------- WhatsApp Shopify integration is a technological bridge that connects your Shopify e-commerce store with WhatsApp Business API. This integration enables automated communication between your store and customers through WhatsApp, allowing you to send order updates, promotional messages, and provide real-time customer support. The integration transforms WhatsApp into a powerful sales and customer service channel that works seamlessly with your existing Shopify infrastructure. Steps to Integrate WhatsApp with Shopify ---------------------------------------- In order to integrate shopify with whatsapp API, we must follow the following steps. ### Step 1: Create an Official WhatsApp API Account on Heltar Before beginning the integration process, you'll need to set up an official WhatsApp Business API account. Here's what you need to do: 1. Partner with an official WhatsApp Business Solution Provider (BSP) like Heltar 2. Prepare required documentation including: * Business registration documents * Business phone number * Valid business email address 4. Complete the WhatsApp verification process 5. Set up your business profile with: * Business description * Profile picture * Business category ### **Step 2: Integrate Shopify with Heltar** To connect your Shopify store with Heltar: 1. Log in to your Shopify admin panel 2. Authorize the app with your Shopify credentials (Shopify Store Name and Access Key) 3. Configure the necessary permissions 4. Link your Heltar account with Shopify, and then you can access Shopify APIs like Order Delivery, Cart Abandonment etc. ### **Step 3: Automate Shopify Order Updates on WhatsApp ** Integrating Shopify with WhatsApp can help streamline customer communication and improve engagement. Here's how you can automate key workflows: ### **1\. New Order Placed** **Trigger: **When a customer places a new order on Shopify. **Action: **Automatically send a personalized order confirmation message to the customer via WhatsApp.  **Include:** * Order details * Estimated delivery time * A thank-you note to express appreciation ### **2\. Order Payment Completed** **Trigger: **When a customer completes their payment on Shopify. **Action: **Send a WhatsApp message confirming the payment.  **Include:** * A digital receipt * Payment summary * Order details ### **3\. Order Delivered** **Trigger: **When an order is marked as delivered in Shopify. **Action: **Send a delivery confirmation message via WhatsApp.  **Include:** * Confirmation of delivery * An option for the customer to provide feedback * Upsell or cross-sell suggestions ### **4\. Abandoned Cart** **Trigger: **When a customer abandons their cart on Shopify. **Action: **Send a cart recovery reminder on WhatsApp.  **Include:** * A list of items left in the cart * A link to complete the purchase * An incentive, such as a discount or free shipping, to encourage the transaction ### **5\. Customer Adds a Product to Wishlist** **Trigger: **When a customer adds a product to their wishlist on Shopify. **Action: **Send a WhatsApp notification reminding them of the wishlist item.  **Include:** * A link to purchase the item * Any applicable discount or promotion ### **6\. 2 Days After Delivery** **Trigger: **Two days after the order is delivered. **Action: **Send a follow-up message on WhatsApp to request feedback. **Include:** * A prompt to rate the order quality * A link to provide detailed feedback ![Heltar](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/home2-1736071037333-compressed.webp) **Benefits of Integrating WhatsApp with Shopify**​ -------------------------------------------------------- ### Real-Time Customer Engagement & Support The integration revolutionizes customer communication by enabling instant two-way conversations. When customers have questions about products, shipping, or returns, they receive immediate responses through WhatsApp - their preferred messaging platform. This eliminates the frustration of email delays or phone queues. Your support team can handle multiple conversations simultaneously, share product images, send quick links, and resolve issues faster. With features like quick replies and saved responses, you can maintain consistent service quality while reducing response times from hours to minutes. ### Enhanced Order Communication & Transparency Traditional email order updates often fail to deliver timely information, with open rates averaging just 20%. WhatsApp transformes this with instant, high-visibility notifications that achieve 95% open rates. Customers receive real-time updates at every stage - from order confirmation to delivery completion. Each message includes actionable information like tracking links, delivery estimates, and direct support options. This proactive communication reduces "where is my order" queries by up to 70% and significantly improves customer confidence in your brand. ### Data-Driven Personalization & Marketing By combining Shopify's rich customer data with WhatsApp's direct messaging capabilities, you can deliver hyper-personalized experiences that drive sales. The integration analyzes purchase history, browsing behavior, and customer preferences to trigger relevant communications. For example, you can automatically notify customers when their frequently bought items are back in stock, send personalized product recommendations based on past purchases, or offer exclusive discounts on categories they're interested in. This intelligent use of data results in marketing messages that feel less like promotions and more like helpful updates, leading to engagement rates 3-4 times higher than email campaigns. ### Streamlined Shopping Experience The integration removes friction from the shopping journey by enabling commerce directly through WhatsApp. Customers can browse products, ask questions, and complete purchases without leaving the chat. Features like quick product cards, instant checkout links, and secured payment processing make buying as simple as sending a message. This streamlined experience is particularly powerful for repeat purchases, where customers can reorder items with just a few taps. ### Automated Customer Lifecycle Management Beyond individual transactions, the integration enables sophisticated customer lifecycle management. Automated workflows nurture relationships through timely, relevant interactions. New customers receive welcome messages and onboarding support. Regular buyers get loyalty rewards and early access to sales. Inactive customers are re-engaged with personalized offers. The system also identifies and flags critical moments - like potential churn signals or opportunities for upselling - allowing your team to intervene strategically. ### Measurable Business Impact The integration provides clear metrics to track its business value. Monitor metrics like: \- 40-50% reduction in customer service response times \- 25-35% increase in customer satisfaction scores \- 15-20% higher conversion rates on promotional campaigns \- 30% reduction in cart abandonment through timely reminders \- 60% decrease in order status queries These improvements directly impact your bottom line through increased sales, higher customer retention, and reduced support costs. Frequently Asked Questions -------------------------- ### Is WhatsApp Shopify integration possible? Yes, WhatsApp Shopify integration is possible through official WhatsApp Business Solution Providers like Heltar. The integration enables automated messaging, order updates, and customer support through WhatsApp. ### How do I set up WhatsApp Shopify integration? Follow these main steps: 1. Get a WhatsApp Business API account 2. Connect with a solution provider like Heltar 3. Install the integration app on Shopify 4. Configure automated messages and workflows 5. Test the integration thoroughly ### **Can I send automated messages or updates to customers through Shopify WhatsApp integration?** Yes, you can automate various types of messages including: * Order confirmations * Shipping updates * Delivery notifications * Abandoned cart reminders * Promotional messages * Customer support responses ### **Can WhatsApp integration help drive sales and conversions?** Yes, through personalized messaging, cart recovery, targeted campaigns, and real-time support, it improves conversions and boosts revenue. ### **Is it easy to set up WhatsApp integration in Shopify?** With guidance and the right tools, setup is straightforward. Shopify plugins and third-party solutions like [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm5gga1it00076ac4vaga9vig/heltar,com) simplify the process. ### **Can I track and analyze the effectiveness of WhatsApp integration in Shopify?** Yes, monitor metrics like open rates, conversions, and customer feedback to measure effectiveness. ### **Is WhatsApp integration secure for e-commerce transactions?** Yes, it uses end-to-end encryption and secure APIs, ensuring data confidentiality. ### **What is the future potential of WhatsApp integration in Shopify?** It offers advanced personalization, AI-driven support, social commerce, AR integration, and global reach, enhancing customer experience and driving growth. ### **Which are the best WhatsApp apps for Shopify?** While several apps are available, [Heltar, best WhatsApp Business API Provider](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg), is your go to business service provider for any sort of WhatsApp API Integration. Take a Demo Today! **Conclusion** -------------- Integrating WhatsApp with Shopify can significantly enhance your e-commerce business's communication capabilities and customer service quality. By following this guide and implementing the suggested automation strategies, you can create a more engaging and efficient shopping experience for your customers while streamlining your business operations. > Ready to start? Set up WhatsApp API today and enjoy hassle-free transactions. To leverage the full benefit of WhatsApp Communication as a business, setup your [WhatsApp business API](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg) account with [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm5ckx8za004cyitv5qbw8xrw/heltar.com) today. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Resolving WhatsApp API Error 133015: Please Wait Before Registering Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/resolving-whatsapp-api-error-133015-please-wait-before-registering-cm5feuhq70016kg77zgx8efz2 **Error 133015** occurs when you try to register a phone number that was recently deleted but has not yet completed the deletion process. It is accompanied by the following error message, **“Please wait a few minutes before attempting to register this phone number.”** How to Resolve 133015? ---------------------- The solution is simple. To resolve this error wait at least **5 minutes** before reattempting to register the phone number. After waiting, retry the registration request. By following these steps, you can successfully register the phone number after the deletion process is complete. For more troubleshooting tips related to WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 133010: Phone Number Not Registered Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-133010-phone-number-not-registered-cm5fesvun0015kg77n4zwb52i If you're encountering **Error 133010** while using the WhatsApp Business API, it means the phone number you're attempting to use has not been registered on the platform. This guide will help you understand the issue and provide steps to resolve it. Steps to Resolve Error 133010 ----------------------------- 1. Make a POST request to the PHONE\_NUMBER\_ID/register endpoint. 2. Include the following in your request: * Phone Number ID: The unique identifier for your business phone number. * Access Token: Must have the whatsapp\_business\_management permission. * Additional parameters required by the API which include messaging\_product, pin, data\_localization\_region(optional). #### Example Request curl 'https://graph.facebook.com/v21.0/106540352242922/register ' \\-H 'Content-Type: application/json' \\-H 'Authorization: Bearer EAAJB...' \\-d '{"messaging\_product": "whatsapp","pin": "212834"} For more details, refer to the [official WhatsApp Business API endpoint documentation](https://developers.facebook.com/docs/whatsapp/cloud-api/reference/registration). For more troubleshooting tips related to WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Resolving WhatsApp API Error 133009: Two-Step Verification PIN Guessed Too Fast Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/resolving-whatsapp-api-error-133009-two-step-verification-pin-guessed-too-fast-cm5feqqha0014kg77hmp0zrmv **Error 133009** occurs when the two-step verification PIN is entered too quickly, likely indicating multiple rapid attempts. The error is accompanied by the message, **“Two-step verification PIN was entered too quickly.”** This blog will help you understand the error, its causes, and how to resolve it. Why Does This Error Occur? -------------------------- This error acts as a security measure to prevent automated or brute-force attempts to guess the two-step verification PIN. Rapid retries are flagged as suspicious behavior. How to Resolve Error 133009? ---------------------------- 1\. Wait for the amount of time specified in the error's **details** response value. Avoid making further attempts during this period. 2\. After the wait period, carefully re-enter the two-step verification PIN slowly. For more troubleshooting tips related to WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Resolving WhatsApp API Error 133008: Too Many Two-Step Verification PIN Guesses Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/resolving-whatsapp-api-error-133008-too-many-two-step-verification-pin-guesses-cm5fenw5s0013kg77761jgvtt **Error 133008** occurs when too many incorrect attempts are made to input the two-step verification PIN for a phone number linked to the WhatsApp Business API. The error is accompanied by the error message, **“Too many two-step verification PIN guesses for this phone number.”** This blog explains the error, its causes, and how to resolve it effectively. Why Does This Error Happen? --------------------------- This error serves as a security measure to prevent unauthorized access or misuse of a WhatsApp Business Account. If multiple incorrect PIN attempts are made in a short period, the account is temporarily locked to safeguard it. How to Resolve the Error? ------------------------- The lockout period is specified in the error's **details** response value. During this time do not attempt to input the PIN again. After the lockout period is over enter the correct PIN. If you cannot recall the PIN: 1. Log in to the **[WhatsApp Manager](https://www.heltar.com/blogs/how-to-access-whatsapp-manager-on-meta-business-manager-cm58dt4sr001sx9tqqhi8rmgo)** with the account linked to your phone number. 2. Navigate to **Account Tools > Phone Numbers** from the left-hand menu. 3. Select the correct WhatsApp Business Account (WABA) from the dropdown. 4. Click the gear icon next to the phone number. 5. Click **Turn off Two-Step Verification** to disable it. 6. Set the new PIN by sending a POST request to the Phone Number endpoint. Include the new PIN in the request.. For more troubleshooting tips related to WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Resolving WhatsApp API Error 133006: "Phone Number Re-Verification Needed" Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/resolving-whatsapp-api-error-133006-phone-number-re-verification-needed-cm5fel6tu0012kg77fhokedh1 Error 133006 indicates that a phone number must be verified before it can be registered for use with the WhatsApp Business API. It is accompanied by the error message, **“Phone number needs to be verified before registering.”** This blog provides a step-by-step guide to verify a phone number and resolve the issue effectively. How to Verify a Phone Number? ----------------------------- To verify a phone number using the Graph API, follow these steps: ### 1\. Request a Verification Code Use the PHONE\_NUMBER\_ID/request\_code endpoint to request a verification code. * HTTP Method: POST * Parameters to Include: * code\_method: Your preferred verification method (e.g., SMS or voice call). * language: The two-character language code for the desired language of the verification message (e.g., en for English). * Use a system user access token to authenticate the request. If Acting on Behalf of Another Business: The access token must have Advanced Access to the whatsapp\_business\_management permission. #### Example Request curl -X POST \\'https://graph.facebook.com/v21.0/FROM\_PHONE\_NUMBER\_ID/request\_code' \\-H 'Authorization: Bearer ACCESS\_TOKEN' \\-F 'code\_method=SMS' \\-F 'language=en' ### 2\. Complete the Verification Once you receive the verification code via the chosen method, enter it to complete the verification process. By following the outlined steps, you can ensure your phone number is verified and ready for use with the WhatsApp Business API. For more troubleshooting tips related to WhatsApp Business API check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 133005: Two-Step Verification PIN Mismatch Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-133005-two-step-verification-pin-mismatch-cm5fegq5k0011kg77ud7smif9 **​Error 133005** occurs when the two-step verification PIN provided in your request does not match the PIN configured for the phone number. This blog will guide you on identifying and resolving this issue, including steps to reset or disable the two-step verification PIN. Steps to Resolve the Error -------------------------- ### 1\. Verify the PIN Ensure that the two-step verification PIN you’re including in your request matches the one configured for the WhatsApp Business Account (WABA). ### 2\. Reset the Two-Step Verification PIN If you’ve forgotten the PIN or need to set a new one, follow these steps: * **Disable Two-Step Verification:** * Open [WhatsApp Manager](https://www.heltar.com/blogs/how-to-access-whatsapp-manager-on-meta-business-manager-cm58dt4sr001sx9tqqhi8rmgo) and load the WABA associated with the phone number. * Navigate to **Account Tools > Phone Numbers** from the menu on the left. * Use the dropdown in the top-right corner to select the correct WABA if you have multiple portfolios. * Locate the phone number and click its Settings (gear) icon. * Click **Turn off Two-Step Verification**. * **Set a New PIN:** * After disabling two-step verification, send a POST request to the Phone Number endpoint. Include the new PIN in the request. For more troubleshooting tips related to WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Understanding WhatsApp API Error 133004: Server Temporarily Unavailable Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/understanding-whatsapp-api-error-133004-server-temporarily-unavailable-cm5feea330010kg77yl2z7m91 If you encounter Error 133004 while using the WhatsApp Business API, it indicates that the server is temporarily unavailable. This could be due to system maintenance or temporary downtime on the platform's end. **There is no particular step that you can take to make this error go away.** What Does Error 133004 Mean? ---------------------------- Error 133004 with the message Server Temporarily Unavailable typically arises when the WhatsApp Business API server is inaccessible. This is often a temporary issue, and services usually resume within a short time. What Can You Do?  ----------------- 1\. Visit the [WhatsApp Business Platform Status](https://metastatus.com/whatsapp-business-api) Page to check API status information and see the response details value before trying again.  2\. If sending a message to a user is urgent, use alternate channels of communication. Most of the time, this issue resolves on its own once the server is back online. For more troubleshooting tips related to WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 133000: Incomplete Deregistration Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-133000-incomplete-deregistration-cm5feaycf000zkg7743dcfhm9 **Error 133000** occurs when a previous attempt to deregister a business phone number from the WhatsApp Business API has failed and you get the following error message, **"A previous deregistration attempt failed."** Before you can proceed with registering the number again, you need to complete the deregistration process successfully. Here's a step-by-step guide to understanding and fixing this error. What Does This Error Mean? -------------------------- When you try to register a business phone number but encounter Error 133000, it indicates that the phone number has not been fully deregistered from its previous configuration. This incomplete deregistration prevents the new registration process from proceeding. How to Fix This Issue? ---------------------- To resolve the error, you must deregister the phone number manually. Make a POST Call. Use the following endpoint to initiate the deregistration process: PHONE\_NUMBER\_ID/deregister.  The access token must have the **whatsapp\_business\_management** permission. For more troubleshooting tips related to WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Understanding WhatsApp API Error 132016: Template is Disabled Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/understanding-whatsapp-api-error-132016-template-is-disabled-cm5fe5deu000ykg77ofqvda5o **Error 132016** occurs when a message template is permanently disabled because it was paused too many times due to low quality. You get the following error message, **“Template has been paused too many times due to** **and is now permanently disabled.”** This means the template can no longer be used, and you will need to create a new one. Here’s everything you need to know about this error and how to handle it. Why Does This Happen? --------------------- Each message template has a quality rating based on factors such as: * Customer feedback (e.g., complaints or blocking). * Engagement rates (e.g., response or open rates).  If a template receives consistently negative feedback or low engagement, it goes through the following stages: 1. Active – Low Quality: The template is flagged for poor performance. 2. Paused: Temporarily disabled to protect quality ratings. 3. Disabled: If paused multiple times, the template is permanently deactivated. If a template is paused multiple times, it progresses through specific durations: * 1st Pause: 3 hours. * 2nd Pause: 6 hours. * 3rd Pause: Permanently disabled. Once disabled, the template cannot be restored or reactivated. How to Fix This Issue? ---------------------- ### Step 1: Understand Why the Previous Template Failed Review what caused the low-quality rating to avoid repeating mistakes. Common issues include: * Irrelevant or overly promotional content. * Messages sent to users who didn’t opt in. * High customer complaints or blocking rates. ### Step 2: Create a New Template Since a disabled template cannot be used again, you need to create a new one with revised content. * Go to [WhatsApp Manager](https://www.heltar.com/blogs/how-to-access-whatsapp-manager-on-meta-business-manager-cm58dt4sr001sx9tqqhi8rmgo) or the API dashboard. * Ensure the new template adheres to WhatsApp's Message Template Guidelines. * Focus on clear, concise, and valuable content for your audience. ### Step 3: Improve Targeting and Delivery Even with high-quality templates, poor targeting can lead to negative feedback. Adjust your business logic by sending messages only to engaged users, timing messages appropriately and avoiding spam-like behavior. For more troubleshooting tips related to WhatsApp Business API, check out our blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Understanding WhatsApp API Error 132015: Template is Paused Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/understanding-whatsapp-api-error-132015-template-is-paused-cm5fdzwy8000wkg77nbib14aq **Error 132015** occurs when a message template has been paused due to low quality, preventing it from being sent and you get the following error message, **“Template is paused due to low quality so it cannot be sent in a template message.”** This happens because WhatsApp prioritizes customer experience and engagement. Below, we break down everything you need to know about this error, why it happens, and how to resolve it. Why Does This Error Happen? --------------------------- Each message template has a quality rating based on factors such as: * Customer feedback (e.g., complaints or blocking). * Engagement rates (e.g., response or open rates). If a template continuously receives negative feedback or low engagement, its status will change: 1. **Active – Low Quality:** The template still works but is nearing the threshold for being paused. 2. **Paused:** The template is temporarily disabled and cannot be sent. 3. **Disabled:** The template is permanently inactive and cannot be reactivated. What Happens When a Template is Paused? --------------------------------------- When a template’s quality drops too low, it will be paused to prevent further degradation. During this time: * Automated messaging campaigns using the template will fail. * You won’t be charged for attempting to send paused templates. * Paused templates cannot count against your messaging limit. Pausing Durations: ------------------ * 1st Instance: Paused for 3 hours. * 2nd Instance: Paused for 6 hours. * 3rd Instance: Permanently disabled. How to Fix and Avoid This Issue? -------------------------------- ​Step 1: Review Notifications WhatsApp will notify you of paused templates via WhatsApp Manager notification, Email alerts and Webhooks. Check these channels to confirm the reasons. ### Step 2: Stop Campaigns If a template is paused, stop any campaigns or automated messages relying on it. Resuming campaigns prematurely will result in rejection by the API. ### Step 3: Edit and Improve the Template If you believe the template content is causing low quality, follow these steps: 1. **Edit the Template Content:** * Simplify the message. * Remove any content likely to irritate or confuse users. * Avoid overuse of placeholders and irrelevant information. 3. **Resubmit for Approval:** * Once you edit the template, its status will change to **In Review**. * The template cannot be used again until it’s approved and becomes **Active**. ### Step 4: Adjust Business Logic If targeting or delivery practices are contributing to negative feedback, consider changes like narrowing your audience to better-targeted recipients or adjusting the timing or frequency of your messages. For more troubleshooting tips related to WhatsApp Business API, check out [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 132012: Template Parameter Format Mismatch Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-132012-template-parameter-format-mismatch-cm5fdwdyo000vkg7770m5zf3z ​**Error 132012** occurs when the variable parameter values in your API request do not match the format specified in your approved message template and you get the error message, **“Variable parameter values formatted incorrectly.”** Ensuring the proper formatting of parameters is crucial for successful API calls. Understanding the Problem ------------------------- Message templates on the WhatsApp Business Platform include variables (e.g., {{1}}, {{2}}) to personalize messages. Each variable must adhere to a specific format based on its intended use (e.g., text, media, etc.). If the API request contains variables in the wrong format, the platform rejects the request. Steps to Resolve ---------------- 1. ### Check the Template Guidelines * Review the approved message template in WhatsApp Manager. * Identify the variable placeholders (e.g., {{1}}) and confirm their expected data types (e.g., text, image, video). 3. **Format Parameters Correctly** * Ensure each variable value in the API request matches the expected format. * For example: * Text: "text": "John Doe" * Media: "type": "image", "link": "https://example.com/image.jpg" 3\. **Correct the API Request** * Adjust your API call to include the correctly formatted parameters. By following these steps, you can easily resolve error 132012 and send messages using properly formatted template parameters. For more troubleshooting tips related to WhatsApp Business API check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 132007: Template Format Character Policy Violated Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-132007-template-format-character-policy-violated-cm5fdtipb000ukg773stmlvgt **Error code 132007** occurs when the content of your message template violates WhatsApp’s policies, leading to its rejection. This error is accompanied by the message, **“Template content violates a WhatsApp policy.”** This issue is commonly tied to improper formatting or non-compliance with WhatsApp’s messaging guidelines. Here’s an easy-to-follow guide to understand and resolve this error. How to Fix Error 132007? ------------------------ ### Step 1: Review the Rejection Notification * A rejection notification is sent via email, specifying the reasons for rejection. * You can also check rejection details in the **Business Support Home**: 1. Navigate to **Account Overview**. 2. Click **View my accounts**. 3. Select your **Meta Business Account**. 4. Choose your **WhatsApp Business Account (WABA)**. 5. Locate **Rejected Message Templates** for detailed feedback. ### Step 2: Correct & Resubmit Template Make corrections according to the reason specified for template rejection. Once corrections are made, resubmit the template for approval in WhatsApp Manager. Wait for approval before attempting to use the template again. For more troubleshooting tips related to WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Error 132005: Template Hydrated Text Too Long [Simplified Working Fix] Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/whatsapp-api-error-132005-template-hydrated-text-too-long-simplified-working-fix-cm5fdqbj4000tkg772euw13wb Error code 132005 occurs when the text in your message template exceeds the allowed character limit after the variables (e.g., {{1}}, {{2}}) are replaced with actual values. Although the system may let you create the template and even send it, it fails due to Meta’s character limit policies and you get the error message, “Translated text is too long.” Here’s a guide to understanding and fixing this issue. What Causes Error 132005? ------------------------- The placeholder variables in your template ({{1}}, {{2}}) expand into large chunks of text and the message becomes too long once variables are replaced with actual values pushing the total character count beyond the limit. As Meta enforces strict limits on message lengths for better delivery and user experience your template message cannot get delivered and you see the error 132005. ### Example **Original Template Base Text:** > Hello {{1}}, we are excited to let you know that your order ({{2}}) has been successfully confirmed! We truly appreciate your trust in {{3}} and thank you for choosing to shop with us. We look forward to serving you again soon!  **Issue** If variables expand as follows: * {{1}} = "Amit Kumar" * {{2}} = "Electronics and Accessories Package #12345" * {{3}} = "Super Tech Store" The **final text** becomes: > Hello Amit Kumar, we are excited to let you know that your order (Electronics and Accessories Package #12345) has been successfully confirmed! We truly appreciate your trust in Super Tech Store and thank you for choosing to shop with us. We look forward to serving you again soon!   This may exceed the character limit. How to Fix Error 132005? ------------------------ Rephrase or shorten the base template text or limit the length of the variable content by ensuring inputs are concise. The example taken can be simplified into: > Hi {{1}}, your order {{2}} is confirmed. Thanks for choosing {{3}}!   ​By reviewing and shortening your template text and controlling variable content, you can resolve error 132005. For more troubleshooting tips related to WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 132001: Template Does Not Exist Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-132001-template-does-not-exist-cm5fdg72c000skg77eoyo7npl **Error code 132001** occurs when the template you are trying to use: 1. Does not exist in the specified language. 2. Has not been approved by WhatsApp. 3. Has recently been created or modified and is not yet available. This leads to the following error message, **“The template does not exist in the specified language or the template has not been approved.”** Here’s a simple guide to understanding and fixing this error. Why Does This Error Occur? -------------------------- 1. The template name in your API request does not match the name in WhatsApp Business Manager. 2. The language specified in your request is not available for the template. 3. The template has not yet been approved by WhatsApp yet. 4. Templates that were recently created or updated may take some time to become usable. Steps to Fix Error 132001 ------------------------- ### 1\. Verify the Template Name * Log in to your WhatsApp Business Manager. * Navigate to Message Templates and check the exact name of the template you’re trying to use. * Ensure the template name in your API request matches exactly, including case sensitivity. ### 2\. Check the Language Locale Confirm that the language locale has correctly been specified. Language codes (e.g., en\_US for US English) must match the approved locale. ### 3\. Confirm Template Approval Go to your WhatsApp Business Manager and verify that the template’s status is Approved. If it’s still pending approval, wait until WhatsApp approves it before trying again. ### 4\. Wait for Processing Recently created or modified templates may take a few minutes to sync. Wait and retry the request after some time. For more troubleshooting tips related to WhatsApp Business API, check out our other blogs on [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Error 132000: Template Param Count Mismatch [Working Fix] Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/whatsapp-api-error-132000-template-param-count-mismatch-working-fix-cm5fd7w7s000rkg77w9ubg2n4 Error code 132000 occurs when the number of variable parameters in your message request does not match the number defined in your template. This issue prevents your template message from being sent successfully and gives the following error message, **“The number of variable parameter values included in the request did not match the number of variable parameters defined in the template.”** Here’s a straightforward guide to fixing this error. What Causes Error 132000? ------------------------- 1. The message template requires a specific number of variable parameters, but your request includes fewer or extra values. 2. The payload structure is incorrect. Steps to Resolve Error 132000 ----------------------------- ### Step 1: Verify Your Message Template Check the template definition in your WhatsApp Business Manager. Note how many variable parameters (placeholders like {{1}}, {{2}}) the template expects. Ensure that your API request includes the correct number of parameter values to match the placeholders. For example, if your template has two placeholders ({{1}} and {{2}}), your request must include two values. ### Step 2: Correct the Payload Structure If the error persists, check the payload structure. Make sure the **components** object is nested properly inside the **template** object. An incorrectly structured payload can trigger this error. #### Incorrect Payload Example {   "messaging\_product": "whatsapp",    "to": "91987654321",     "type": "template",    "template": {        "name": "order\_notification",       "language": {            "code": "en\_US"        }   },   "components": \[         {           "type": "body",           "parameters": \[               {                   "type": "text",                   "text": "xyz"                 }           \]       }   \] } #### Corrected Payload Example {   "messaging\_product": "whatsapp",    "to": "91987654321",     "type": "template",    "template": {        "name": "order\_notification",       "language": {            "code": "en\_US"        },       "components": \[           {               "type": "body",               "parameters": \[                   {                       "type": "text",                       "text": "xyz"                     }               \]           }       \]   } } Notice that the **components** object is inside the **template** object in the corrected example. For more troubleshooting tips related to WhatsApp Business API errors, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 131057: Account in Maintenance Mode Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131057-account-in-maintenance-mode-cm5fd5t0u000qkg77tmywcphl **Error code 131057** occurs when your WhatsApp Business Account enters maintenance mode. During this time, you may be unable to send messages or perform other account-related actions and get the following error message: **“Business Account is in maintenance mode”.** What Does Maintenance Mode Mean? -------------------------------- When your account is in maintenance mode, it means: 1. The account is temporarily unavailable for use. 2. It may be undergoing system updates or a throughput upgrade. In case of throughput upgrade your account will return to normal functionality within a few minutes. What to Do When You Encounter This Error? ----------------------------------------- ### 1\. Wait for a Few Minutes Maintenance mode is usually brief and most accounts are restored to full functionality within minutes. ### 2\. Contact Support If your account remains in maintenance mode for an extended period, contact WhatsApp Business Support through your Meta Business Manager. For more troubleshooting tips related to WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 131053: Media Upload Error Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131053-media-upload-error-cm5fd1roa000pkg775sxeat6e Error code 131053 occurs when the WhatsApp API fails to upload a media file and you get the following error message, **“Unable to upload the media used in the message.”** This usually happens because the media file is in an unsupported format, has an issue, or doesn't comply with WhatsApp's media guidelines. Here’s a simple, step-by-step guide to understanding and resolving this error. Why Does Error 131053 Occur? ---------------------------- The error can happen due to: 1. Unsupported media type or format. 2. Corrupted or invalid media file. 3. Large file size exceeding WhatsApp’s limits. 4. Incorrect API configuration for handling media uploads. **Steps to Resolve Error 131053** --------------------------------- ### **1\. Inspect the Error Details** Look at the error.error\_data.details value in the webhook triggered by the failed message. This will give you more information about why the upload failed. ### 2\. Use Command Line to Check MIME Type If you’re unsure about the file type, use the command line to inspect the file’s MIME type: On Unix or macOS use code:  file -I rejected-file.mov On Windows use code:  Get-Content rejected-file.mov -Raw | Format-Hex If it doesn’t work, use third-party tools to figure out the file type. ### 3\. Verify the Media File Check if the file meets WhatsApp's supported media requirements. Confirm the file type (e.g., JPG, MP4, PDF) and ensure the file size is within the limit as specified in [WhatsApp Supported Media Types](https://developers.facebook.com/docs/whatsapp/cloud-api/reference/media#supported-media-types). 4\. Test the File ----------------- Verify that the media file opens and works correctly on your system. If the file is unsupported or corrupted, re-save it in a supported format using a reliable tool. 5\. Retry the Upload Once the file is confirmed to be valid, use the WhatsApp API to re-upload the media file. Ensure the API call is structured correctly, with the appropriate parameters. For more troubleshooting tips related to WhatsApp Business API check out our other blogs on [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 131052: Media Download Error Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131052-media-download-error-cm5fczlk1000okg77j4ecksg4 Error code 131052 on WhatsApp Business API  indicates that the media file sent by a WhatsApp user could not be downloaded. This issue can prevent you from accessing attachments such as images, videos, or documents sent by your customers through WhatsApp. Here’s a simple guide to understanding and resolving this error. What Causes Error 131052? ------------------------- This error occurs when: 1. The media file included in the user's message is inaccessible or corrupted. 2. There are issues with the API attempting to download the media. 3. Network or permissions-related problems prevent successful media retrieval. How to Fix Error 131052 ----------------------- ### Step 1: Check the Error Details Inspect the error.error\_data.details value in the webhook triggered when the message was received. This will provide specific details about why the download failed. ### Step 2: Test Media Downloads Try downloading other media files from different users to check if the issue is specific to the current file. ### Step 3: Verify API Setup If you face issue while downloading media from other users too ensure your WhatsApp Business API instance is set up correctly: * Confirm your access token has the required permissions. * Verify the endpoint for downloading media is correctly configured. ### Step 4: Ask the User to Resend the Media File If the error persists, ask the WhatsApp user to resend the file or suggest they send the file through another method, such as email, if necessary. For more troubleshooting tips related to WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 131051: Unsupported Message Type Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131051-unsupported-message-type-cm5fcx7dq000nkg7791hewl3j **Error code 131051** occurs when you attempt to send a message type that is not supported by the WhatsApp Business API. This issue prevents the message from being delivered and shows the message, **“Unsupported Message Type.”** Here’s a simple guide to understanding and fixing this error. What Causes Error 131051? ------------------------- This error happens when: 1. You send a message using an unsupported format or type. 2. There’s a mistake in the API call, such as incorrect parameters or syntax. Check the [WhatsApp API documentation](https://developers.facebook.com/docs/whatsapp/cloud-api/reference/messages) for the latest list of supported message types to resolve the error. By verifying the message type, correcting the API call, and adhering to supported formats, you can resolve this error. For more troubleshooting tips related to WhatsApp Business API check out our other blogs on [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 131047: Re-Engagement Message Required Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131047-re-engagement-message-required-cm5fctgfx000mkg77rgedcamx **Error code 131047** usually occurs when you attempt to send a regular message to a recipient after 24 hours have passed since their last reply and you get the following error message, **“More than 24 hours have passed since the recipient last replied to the sender number.”** WhatsApp enforces the 24-hour customer service window, and messages sent outside this window require a pre-approved message template. Here’s how to fix this issue and successfully re-engage your customers. What Causes Error 131047? ------------------------- This error happens when: 1. More than 24 hours have passed since the recipient last responded to your WhatsApp Business number. Error 131047 is a reminder of WhatsApp's **24-hour customer service window** policy. Whenever a customer sends you a message, a 24-hour window opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. 2. The sender's WhatsApp number or other parameters are not properly updated. **How to Fix Error 131047** --------------------------- ### **1\. Use a Pre-Approved Message Template** To re-engage the customer, send a business-initiated message using a WhatsApp-approved message template. * Go to your WhatsApp Business Manager and choose an appropriate message template. * Use the WhatsApp API to send the message. ### 2\. Verify Your WhatsApp Number and Parameters If you try replying to a user-initiated message within the 24-hour window and still get this error then check that your WhatsApp Business number is correctly registered and ensure all parameters are accurate. For more troubleshooting tips related to WhatsApp Business API check out [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 131045: Incorrect Certificate Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131045-incorrect-certificate-cm5fcnyjb000kkg77aowrbezz **Error code 131045** with the message **"Incorrect certificate"** occurs when there’s a problem with the registration of your business phone number. This error prevents your message from being sent and is categorized as a 500 Internal Server Error. Here’s a step-by-step guide to understanding and resolving this issue. What Causes Error 131045? ------------------------- This error occurs when: 1. The phone number you’re using hasn’t been registered properly with the WhatsApp Business API. 2. The certificate required for phone number registration is incorrect or missing. **How to Fix Error 131045** --------------------------- ### 1\. Register Your Phone Number You need to register the phone number you plan to use. To do this: Use the endpoint: PHONE\_NUMBER\_ID/register. Replace PHONE\_NUMBER\_ID with the actual ID of your phone number. Ensure your API request includes an access token with the following permission: whatsapp\_business\_management. If you’re working as a Solution Partner, confirm that your token has the required permission. ### 2\. Verify the Certificate Check the certificate used for registration. Ensure it matches the phone number and is formatted correctly. This should resolve the Error 131045. For more troubleshooting tips related to WhatsApp Business API check out our other blogs on [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 131042: Business Eligibility Payment Issue Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131042-business-eligibility-payment-issue-cm5fcjsc0000ikg77quvc0kja **Error code 131042** with the message **"Business eligibility payment issue"** happens when there is an issue related to the payment method linked to your WhatsApp Business Account. This error prevents you from using WhatsApp Business API until the payment issue is resolved. Here’s a simple guide to fix the error. What Causes Error 131042? ------------------------- This error occurs when one or more of the following issues are present: 1. The payment account isn’t linked to your WhatsApp Business Account. 2. Your payment account has exceeded its credit limit. 3. The credit line for the payment account is inactive or not set. 4. Your WhatsApp Business Account is deleted or suspended. 5. Your timezone or currency settings are missing or incorrectly set. 6. Your request to send messages on behalf of another account is pending or declined. 7. You’ve exceeded the free message tier without providing a valid payment method. How to Fix Error 131042 ----------------------- ### 1\. Verify Your Payment Account * Go to your **WhatsApp Business Account settings** in the Meta Business Suite. * Ensure that your **payment account is attached** to your WhatsApp Business Account. * If your credit line is over the limit, update your payment method or increase the credit limit. ### 2\. Check Your Account Status * Verify that your WhatsApp Business Account is active and has not been deleted or suspended. ### 3\. Update Timezone and Currency Settings * In your WhatsApp Business Account settings, ensure that the **timezone** and **currency** are correctly set for your region. ### 4\. Check Messaging On Behalf Of Requests * If you're sending messages on behalf of another business, make sure the **MessagingFor request** is approved. ### 5\. Ensure Payment Method for Paid Conversations * If you’ve exceeded the free conversation tier, make sure you’ve added a valid payment method to cover the costs of additional messages. By following these steps, you can quickly resolve the payment issues and continue using the WhatsApp Business API without interruptions. For more troubleshooting tips related to WhatsApp Business API check out [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 131037: Display Name Approval Required Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131037-display-name-approval-required-cm5fcd3j8000gkg77yurinpkq **Error code 131037** with the message **"WhatsApp provided number needs display name approval before message can be sent"** occurs when the business phone number you’re using to send messages does not have an approved display name. This error prevents you from sending messages until the issue is resolved. Here’s a step-by-step guide to fix the error and get your display name approved. What Causes Error 131037? ------------------------- This error occurs if: 1. The business phone number you’re using does not have a display name set. 2. The display name you’ve provided is not yet approved by WhatsApp. **Steps to Fix Error 131037** ----------------------------- 1\. Understand Display Name Requirements ---------------------------------------- Before setting a display name, ensure it meets WhatsApp’s guidelines: * The display name must be related to your business. * It must not violate WhatsApp’s [Business Messaging Policy](https://business.whatsapp.com/policy). * It should follow WhatsApp’s [display name guidelines](https://www.facebook.com/business/help/757569725593362). 2\. Change or Set Your Display Name ----------------------------------- **For Direct Users (No BSP):** 1. Open WhatsApp Business Manager. 2. In the left menu, click Phone Numbers.  3. Under the Name column, hover over your current display name and click the pencil icon. Provide the updated display name in the Edit Display Name section and click Next. 4. WhatsApp will review the display name. Once approved, you’ll receive confirmation. **For Businesses Using BSPs:** If you work with a Business Service Provider (BSP), they will manage the display name setup and approval process. Contact your BSP for assistance. 3\. Update Your Registration ---------------------------- Once the display name is approved: **For Cloud API Users:** No additional certificate is required. Register your phone number using the [Registration Endpoint](https://developers.facebook.com/docs/whatsapp/cloud-api/reference/registration#register-phone). **For On-Premises API Users:** You’ll need to register the updated certificate using the [Account Endpoint](https://developers.facebook.com/docs/whatsapp/on-premises/reference/account). By following these steps, you can resolve error 131037 and ensure your messages are successfully sent through the WhatsApp Business API. For more troubleshooting tips related to WhatsApp Business API check out [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 131021: Recipient Cannot Be Sender Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131021-recipient-cannot-be-sender-cm5fcb1n6000ekg7787swm6e4 When using the WhatsApp Business API, error code **131021** with the message **"Recipient cannot be sender"** occurs when the sender and recipient phone numbers are the same. This is a 400 Bad Request error, and it happens because the API does not allow sending messages to the sender’s own phone number. What Causes Error 131021? ------------------------- This error occurs if: 1. The recipient phone number matches the sender's number. 2. An invalid recipient number is accidentally set to the sender’s number. The WhatsApp API does not permit sending messages to the same number registered as the sender. **Things to Keep in Mind** -------------------------- * If testing, use a separate phone number or a dedicated testing number instead of your sender number. * Validate phone numbers in your application to prevent accidental use of the sender’s number as the recipient. For more troubleshooting tips related to WhatsApp Business API check out [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Understanding WhatsApp API Error 131016: Service Unavailable Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/understanding-whatsapp-api-error-131016-service-unavailable-cm5fc8lng000dkg77m07dlh6k **Error code 131016** with the message **"Service unavailable"** indicates that a WhatsApp Business API service is temporarily down. This error is categorized as a 500 Internal Server Error and usually resolves itself once the issue is addressed on the server side. Here’s how to understand and handle this error effectively. What Does Error 131016 Mean? ---------------------------- This error occurs when a WhatsApp service is **temporarily** unavailable due to planned maintenance or unexpected issues affecting the WhatsApp Business API or temporary unavailability of services in specific regions. **There is nothing you can do to resolve this error.** You can Check the [WhatsApp Business Platform Status](https://metastatus.com/whatsapp-business-api) page to see API status information before trying again. For more troubleshooting tips check out [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 131009: Parameter Value Is Not Valid Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: Whatsapp Business API URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131009-parameter-value-is-not-valid-cm5fbz31x000ckg77rnoen8g3 When using the WhatsApp Business API, error code 131009 with the message "Parameter value is not valid" indicates that one or more of the values in your API request parameters are incorrect. This blog explains why this error occurs and how to fix it. When Does Error 131009 Occur? ----------------------------- This error happens when: 1. The values you’ve provided for one or more parameters do not meet the expected format or requirements. 2. The phone number used in the request has not been added to your WhatsApp Business Account. **How to Fix Error 131009?** ---------------------------- ### **1\. Check the API Endpoint Reference** Visit the [official WhatsApp API documentation for the endpoint](https://developers.facebook.com/docs/whatsapp/cloud-api/reference) you are using and verify that each parameter in your request has a valid and correct value. 2\. Verify Phone Numbers ------------------------ Confirm that the phone number in your request has been added to your WhatsApp Business Account. To add a phone number: * Open **WhatsApp Business Manager**. Check steps to open WhatsApp Manager [here](https://www.heltar.com/blogs/how-to-access-whatsapp-manager-on-meta-business-manager-cm58dt4sr001sx9tqqhi8rmgo). * In the left menu, click **Phone Numbers** and select **Add Phone Number**. * Provide your WhatsApp Business display name and category, then click **Next**. * Input your phone number, choose a verification method, and enter the verification code. * Add the verified number to your phone number list. By reviewing your parameters and making necessary adjustments, you can resolve this error and ensure your messages are sent successfully. For more troubleshooting tips check out [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 131008: Required Parameter is Missing Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: Whatsapp Business API URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131008-required-parameter-is-missing-cm5fbx1wa000bkg779s2nqn3k **Error 131008** occurs when a required parameter is not included in your API request and you get the error message, **"The request is missing a required parameter."** This is a common issue that can be easily resolved by ensuring all necessary parameters are included in your request. How to Resolve? To resolve this error, follow these steps: 1. Refer to the specific endpoint's reference in the [WhatsApp Business API documentation](https://developers.facebook.com/docs/whatsapp/cloud-api/reference). 2. Check the list of required parameters for the API call you are making. 3. Add any missing parameters to your API request and ensure each parameter is correctly formatted and contains valid values. This should resolve Error 131008. For more troubleshooting tips related to WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 131005: Access Denied Author: Prashant Jangid Published: 2025-01-02 Category: Troubleshoot Tags: Whatsapp Business API URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131005-access-denied-cm5fbrxvh000akg77bqg73iva ​When using the WhatsApp Business API, error code **131005** with the message **"Access Denied"** means your app does not have the necessary permissions to perform the requested action. This guide explains what causes the error and how to fix it. When Does Error 131005 Occur? ----------------------------- This error occurs when: 1. **Permissions Are Missing:** Your access token doesn’t include the required permissions (whatsapp\_business\_management and whatsapp\_business\_messaging). 2. **Permissions Were Revoked:** Permissions previously granted to your app have been removed. **How to Fix Error 131005** --------------------------- ### **1\.** Debug Your Access Token * Visit the **Access Token Debugger** tool: [https://developers.facebook.com/tools/debug/accesstoken/](https://developers.facebook.com/tools/debug/accesstoken/) * Paste your current access token into the debugger. * Check if your token includes the following permissions: * whatsapp\_business\_management * whatsapp\_business\_messaging If these permissions are missing, proceed to generate a new access token. ### 2\. Generate a New Access Token * Log in to the **Meta App Dashboard** connected to your WhatsApp Business API account. * Select the app you are using for API calls. * Generate a new token and ensure you select: * whatsapp\_business\_management * whatsapp\_business\_messaging By following these steps, you can quickly resolve this error and continue using the WhatsApp Business API without interruptions. For more troubleshooting tips check out [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Raise a support ticket on Meta Business in 2025 Author: Prashant Jangid Published: 2025-01-02 Category: Meta Business Support Tags: Meta Support, Meta Business, Meta Advertising URL: https://www.heltar.com/blogs/how-to-raise-a-support-ticket-on-meta-business-in-2025-cm5ezmb8l00em51ztj2uu34mc Meta Business provides robust support options for resolving issues with its suite of tools and services. This guide outlines the process for raising a support ticket, ensuring your concerns are addressed efficiently. By following these steps and tips, you’ll streamline your communication with Meta’s support team. Why Contact Meta Support? ------------------------- Meta’s support team is equipped to handle a variety of issues, from account access problems to ad performance troubleshooting. Knowing how to effectively raise a ticket can save time and help resolve your concerns swiftly. Steps to Raise a Support Ticket ------------------------------- **Step 1:** Open your **Meta Business Suite** and click on "Help and Support" in the bottom left corner ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/step1-1735813645375-compressed.PNG) **Step 2:** You will see the Meta App dialog box open as shown in the image below, click on the help and support option again on the bottom left.   ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/step2-1735813857676-compressed.PNG) **Step 3:** Make sure the dialog box on the right opens up as shown in the image below ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/step3-1735814382335-compressed.PNG) **Step 4:** Scroll down on the left pane and click on "Contact Support" ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/step-4-1735818181601-compressed.PNG) **Step 5:** Select the application you are having an issue with and click on "It's Something Else" ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/step5-1735818563084-compressed.PNG) **Step 6:**  Share the rest of the details and click on "submit" and your meta ticket would go for a review! Common Issues Resolved by Meta Support -------------------------------------- * **Ad Account Disapprovals**: Get assistance in understanding and appealing disapproved ads or accounts. * **Billing Errors**: Resolve incorrect charges or understand billing cycles and payment methods. * **Technical Bugs**: Report and troubleshoot technical glitches on the platform. * **Access Problems**: Recover accounts or troubleshoot login issues efficiently. * **Policy Clarifications**: Get detailed explanations of Meta’s advertising and community standards to ensure compliance. Conclusion ---------- Raising a support ticket on Meta Business is a straightforward process when you follow the right steps. By providing clear details, attaching relevant evidence, and responding promptly to support team inquiries, you can ensure a smooth resolution to your issue. Whether it's account management or technical assistance, Meta’s support team is there to help. Need Additional Support? ------------------------ If you’re still experiencing issues after following these steps, visit our blog for more insights and troubleshooting tips: [Heltar.com/blogs](https://heltar.com/blogs). Our resources are designed to help you maximize the potential of your WhatsApp Business API. To leverage the full benefit of this payment ecosystem as a business, setup your [WhatsApp business API](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg) account with [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm5ckx8za004cyitv5qbw8xrw/heltar.com) today. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## A Complete guide to WhatsApp Payments in 2025 Author: Manav Mahajan Published: 2024-12-31 Category: WhatsApp Business API Tags: Whatsapp Marketing, WhatsApp Business in 2025, WhatsApp Payments URL: https://www.heltar.com/blogs/a-complete-guide-to-whatsapp-payments-in-2025-cm5ckx8za004cyitv5qbw8xrw In 2025, WhatsApp continues to make digital payments easier and more secure through its UPI-based service, WhatsApp Pay. Whether you're sending money to friends or making payments to businesses, WhatsApp Pay offers a seamless, cashless experience directly within the app. Why Choose WhatsApp Pay? ------------------------ WhatsApp Pay provides a simple, quick, and secure way to transfer funds. Using UPI (Unified Payments Interface), it ensures fast transactions without leaving the app. You can send money to anyone with a WhatsApp account or pay bills, split expenses, and more—all with just a few taps. ![WhatsApp to Launch Digital Payment Service in India!](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735656758488-compressed.jpeg) How to Set Up WhatsApp Pay -------------------------- Setting up WhatsApp Pay is easy and can be done in a few simple steps: 1. **Open WhatsApp:** Launch the app on your phone or tablet. 2. **Go to Settings:** Tap on the three dots (Android) or the gear icon (iPhone) to access settings. 3. **Select Payments:** In the settings menu, select "Payments." 4. **Add Payment Method:** Tap on "Add new payment method" and choose your bank from the list of supported banks. 5. **Verify Your Number:** You’ll receive an OTP to verify your phone number. 6. **Link Your Bank Account:** Allow WhatsApp to access your bank details and complete the verification process. Once verified, your bank account will be linked to WhatsApp Pay. **Sending Money via WhatsApp Pay** ---------------------------------- Once your account is set up, sending money is just as easy as sending a message: 1. **Choose the Recipient:** Open the chat of the person you want to send money to. 2. **Tap the ₹ Icon:** Located in the bottom-right corner, this is where you’ll input the payment details. 3. **Enter the Amount:** Specify how much you want to send. 4. **Enter Your UPI PIN:** For security, you’ll need to enter your UPI PIN to complete the payment. 5. **Confirmation:** A message will confirm the successful transaction.**​** **Receiving Money** ------------------- To receive money, ensure your WhatsApp is up to date. Here's how to accept payments: 1. **Open WhatsApp:** Make sure you have the latest version of WhatsApp. 2. **Select 'Accept Payment':** If it's your first time, you’ll need to accept the terms and conditions. 3. **Verify Your Account:** WhatsApp will ask you to verify via SMS. 4. **Link Your Bank:** Choose the bank you want to link for receiving payments. **Key Benefits of WhatsApp Pay** -------------------------------- * **Instant Transactions:** Send and receive money in real-time, making it ideal for both personal and business use. * **Secure:** Powered by UPI, every transaction is encrypted and requires an additional PIN for added security. * **Convenient:** No need to switch between apps—everything happens right within your WhatsApp chat. * **Cashless and Cost-Free:** Enjoy easy, cashless transactions with no hidden fees. ![What is WhatsApp Pay for Businesses? Explained with Examples](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/whatsapp-payment-in-singapore-1735656828650-compressed.png) **WhatsApp Business API Integration** ------------------------------------- If your business gets an official WhatsApp API with a platform like Heltar. They could automate their customers’ entire buying journeys, making the entire process extremely convenient and efficient. Imagine a payment solution right within the app you use for everyday communication. That’s exactly what WhatsApp Payments offers, making transactions as simple as sending a message. Whether you're in e-commerce, education, or running a subscription service, WhatsApp Payments can be a game changer for your business. ### E-commerce: A Seamless Shopping Experience Imagine a customer browsing your product catalog on WhatsApp, selecting items, and completing the entire purchase—all within the chat. No need to visit an external website, just a smooth, direct payment through WhatsApp. This frictionless experience not only increases conversion rates but also enhances customer satisfaction, making your e-commerce process simpler and more efficient. ### Travel Agencies: Easy Booking & Payment Travel agencies can make booking and payments simpler with WhatsApp Payments. From booking flights to securing hotel stays or tour packages, everything can be handled within the same WhatsApp chat—from discussing itineraries to confirming payments. This streamlined approach reduces complexity and offers travelers a smooth, hassle-free experience. ### Healthcare: Hassle-Free Payment for Appointments For healthcare providers offering telemedicine or online consultations, WhatsApp Payments offers a convenient way to collect payments. Patients can pay consultation fees before or after their appointments, all within the WhatsApp chat, eliminating the need for switching apps or navigating complicated payment systems. This streamlined process improves patient satisfaction and helps healthcare professionals manage billing efficiently. ### Fintech: Simplifying Recurring Payments Managing recurring payments or service fees is often a headache for fintech businesses. WhatsApp Payments simplifies this process by automating transactions. Whether it’s monthly account maintenance fees or premium service charges, businesses can send automatic reminders and collect payments directly through WhatsApp—making it easier for customers to stay on top of their payments. ### Restaurants & QSR: Speedy Ordering & Payment Restaurants and takeaways can benefit from WhatsApp Payments by allowing customers to browse menus, place orders, and pay—all within the same chat. No more long phone calls or navigating complicated apps. This makes the ordering process faster and more convenient for customers, ensuring a smoother experience and happier diners. ### Online Classes & Workshops: Effortless Fee Collection For tutors, trainers, and workshop organizers, collecting fees can be time-consuming. WhatsApp Payments allows you to send instant payment requests to students, streamlining the process. Your students can register for courses and pay their fees within the same conversation—leaving more time for learning and less for managing payments. ### Event Organizers: Streamlined Ticket Sales For event organizers, WhatsApp Payments simplifies ticket sales and reservations. You can send payment requests directly through WhatsApp, eliminating the need for external ticketing platforms. With this simple, direct method, both organizers and attendees enjoy a seamless, hassle-free experience. **Conclusion** -------------- WhatsApp Pay is revolutionizing digital payments, offering a seamless, secure, and fast method of transferring money. With an easy setup process and a user-friendly interface, WhatsApp Pay makes financial transactions convenient for everyone. Whether you’re sending money to family, paying bills, or running a business, WhatsApp Pay is a go-to solution for fast, cashless payments. > Ready to start? Set up WhatsApp Pay today and enjoy hassle-free transactions. To leverage the full benefit of this payment ecosystem as a business, setup your [WhatsApp business API](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg) account with [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm5ckx8za004cyitv5qbw8xrw/heltar.com) today. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to use carts on Whatsapp Business - 2025 Author: Prashant Jangid Published: 2024-12-29 Tags: WhatsApp Business in 2025, Whatsapp business carts URL: https://www.heltar.com/blogs/how-to-use-carts-on-whatsapp-business-2025-cm59o9hlj003ax9tqnodwf2oj WhatsApp Business is revolutionizing how small and medium-sized businesses interact with customers, making sales seamless with tools like catalogs and carts. Carts, in particular, simplify the ordering process, encouraging more conversions. Here’s how you can effectively use carts on WhatsApp to grow your business: **What Are WhatsApp Carts?** ---------------------------- WhatsApp carts are a feature that allows customers to browse your catalog, select multiple products, and send the order as a single message. Think of it as a virtual shopping cart built into WhatsApp chats. **Why Use Carts for Your Business?** ------------------------------------ 1. **Enhanced Customer Experience**: Customers can explore products and order directly within the app and simplifies bulk orders which ideal for businesses selling multiple products. 2. **Streamlines Order Management**: Orders are consolidated, reducing errors and making fulfillment faster and personalized interactions which you can review the cart, confirm availability, and suggest alternatives if needed. **How to Set Up and Use Carts on WhatsApp** ------------------------------------------- **Step 1:** Click on the options button in the interface to access additional settings and features. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/catalog1-1735481883269-compressed.png) **Step 2:** Navigate to "Settings" from the dropdown menu to manage your account preferences. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/catalog2-1735482695929-compressed.png) **Step 3:** Click on "Business Tools", there click on "Business Profile" and complete your business profile before moving forward. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/catalog3-1735482841922-compressed.png) **Step 4:** Return to the previous screen and click "Catalog" to start adding your products or services. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/capture4-1735483031648-compressed.png) **Step 5:** Click on "Add New Item" in the catalog dialog box and complete business details.  ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/catalog5-1735483224871-compressed.png) **Step 6:** Finalize the item details, review for accuracy, and save to publish in your catalog. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/catalog6-1735483397368-compressed.png) **Best Practices for Using Carts** ---------------------------------- 1. **Keep Your Catalog Updated**: Regularly refresh products, prices, and availability and be responsive, replying promptly to cart orders helps maintain customer trust. 2. **Encourage Feedback**: After fulfilling orders, ask for reviews to improve your service and promote the feature by using WhatsApp status updates, social media posts, and broadcast messages to inform customers about carts. **Examples of Businesses Benefiting from WhatsApp Carts** --------------------------------------------------------- 1. **Boutiques**: Customers can select outfits and accessories in one order. 2. **Grocery Stores**: Shoppers can choose various items for weekly needs. 3. **Restaurants**: Diners can order meals, sides, and drinks in a single message. By leveraging WhatsApp carts, businesses can make shopping easier and more enjoyable for customers. Start integrating carts today to boost your sales and enhance customer satisfaction! Need Additional Support? ------------------------ If you’re still experiencing issues after following these steps, visit our blog for more insights and troubleshooting tips: [Heltar.com/blogs](https://heltar.com/blogs). Our resources are designed to help you maximize the potential of your WhatsApp Business API. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Business portfolio is Ineligible for verification - Meta Author: Prashant Jangid Published: 2024-12-29 Tags: WhatsApp Business Verification, Unverified Status Guide, WhatsApp Business in 2025 URL: https://www.heltar.com/blogs/troubleshoot-whatsapp-business-verification-status-unverified-in-2025-cm592gs8e002kx9tqtqcswfgo Having trouble getting your WhatsApp Business account verified? Don’t worry—we’ve outlined a step-by-step guide to help you resolve the "Unverified" status quickly. Follow these steps to ensure your account is set up and verified properly. Step-by-Step Solution to Fix "Unverified" Status ------------------------------------------------ ### **Step 1**: Ensure your account details are accurate Before starting the verification process, double-check all your business details, such as the business name, address, and contact information. Accurate information is essential for successful verification. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/verification1-1735443958771-compressed.png) ### **Step 2**: Go to the Security Centre Log in to your Facebook Business Manager and navigate to the **Security Centre**. This is where you will manage your verification settings. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/verif2-1735444098587-compressed.png) ### **Step 3**: Enable two-factor authentication Under the Security Centre, locate the option titled **"Who’s required to turn on two-factor authentication"**. Set it to **"Everyone"**. This ensures your account has the necessary security features in place for verification. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/verif3-1735444188312-compressed.png) ### **Step 4**: Add an app under the "Accounts" section Go to the **"Apps"** tab, located under the **"Accounts Section"**, and click on **"Add"**. This allows you to link your business app to the verification process. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/verif4-1735444583728-compressed.png) ### **Step 5**: Add app details Select **"Business"** as the app type. Enter the app details carefully, including its name, purpose, and other required fields. Once done, click **"Next"** to proceed. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/verif-5-1735445379860-compressed.png) ### **Step 6**: Complete basic settings Navigate to the **Settings** section and click on **"Basic"**. Fill out all the fields correctly, such as your app's privacy policy URL, app icon, and description. Ensure all fields meet Facebook’s guidelines. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/verif6-1735447948084-compressed.png) ### **Step 7**: Return to the Security Centre and verify Once the app details are complete, head back to the **Security Centre**. Look for the **"Verify"** option and click on it. This will initiate the verification process for your account. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/verif7-1735448625367-compressed.png) ### **Step 8**: Complete the verification process Follow the on-screen instructions carefully. Click on **"Continue"** and provide any additional details if required. Once all steps are completed, your account should transition from "Unverified" to "Verified." **Understanding the "Unverified" Status** ----------------------------------------- The "Unverified" status often appears when certain mandatory fields or security settings are incomplete. This status indicates that your business has not yet met WhatsApp’s verification criteria. Key factors include missing information, lack of compliance with Facebook’s policies, or security vulnerabilities in your account. Resolving this requires a thorough review of your setup. Need Additional Support? ------------------------ If you’re still experiencing issues after following these steps, visit our blog for more insights and troubleshooting tips: [Heltar.com/blogs](https://heltar.com/blogs). Our resources are designed to help you maximize the potential of your WhatsApp Business API. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Automate Messages on WhatsApp? Author: Prashant Jangid Published: 2024-12-28 Category: WhatsApp Business API Tags: Whatsapp Marketing URL: https://www.heltar.com/blogs/how-to-automate-messages-on-whatsapp-cm58eaivi001ux9tqsi9o3zoy As a business owner, managing customer communication can often feel overwhelming—especially when the same customer queries flood your inbox daily. That’s where WhatsApp automation steps in as the ultimate solution. By automating your messages on WhatsApp, you can instantly respond to FAQs, send timely order updates, and schedule reminders without lifting a finger. This not only keeps your customers informed and satisfied but also frees up valuable time for you to focus on growing your business. With 85% of consumers favoring businesses that provide fast, relevant updates on WhatsApp, leveraging automation isn’t just an option; it’s a necessity. It boosts efficiency, enhances customer satisfaction, and directly impacts your sales. In this guide, we’ll break down all existing methods to automate WhatsApp messages along with their pros and cons. 1. WhatsApp Business API from Official Business Service Providers \[Best Suited for Businesses\] ------------------------------------------------------------------------------------------------ Few Business Solution Providers (BSPs) are affiliated by Meta to offer the complete automation solution in the form of WhatsApp Business APIs. You get the option to **schedule messages** (which could even be personalized), **bulk broadcasts**, **personalized rich media messages (like carousels)** and **team inbox**. A few BSPs like [Heltar](https://www.heltar.com) also give you access to building and deploying **no-code whatsapp chatbots for automated response** and support **custom integrations with third-party apps**. They also offer dedicated customer support which means you never have to worry about getting stuck with tech at any point.  WhatsApp Business API allows you to automate several things which include: answering FAQs, assisting with purchases, sending order updates, reminding users about abandoned carts, streamlining order tracking. ### Pros: * Multiple **advanced features** to boost your business significantly. * **Easy troubleshooting** and support as you can always contact the provider. * A few BSPs like [Heltar](https://www.heltar.com) allow you to build no-code whatsapp chatbots and set up custom third-party integrations. * You **save a lot of developer hours** as all of the frontend and backend has already been built by the providers. ### Cons: * Since the user interface needs to be developed for each feature, few advanced features may roll out later than when they are available on WhatsApp Cloud API. You can access the official WhatsApp Business API through any Meta-affiliated BSP, such as [Heltar](https://www.heltar.com). [Sign Up for a Free Trial](https://app.heltar.com/register) or [Book a Demo](https://www.heltar.com/demo.html) to explore its capabilities. 2. Using WhatsApp Cloud API  ---------------------------- The WhatsApp Cloud API is a cloud-hosted version of the WhatsApp Business API, designed to help businesses and developers create customized customer experiences. The Cloud API eliminates the need and cost for managing your own servers and also provides instant access to functionalities like scheduling messages, bulk broadcast and other advanced features.  ### Pros: * Accessible almost instantly with less verification. * Free of cost (except for the billing per message). ### Cons: * Lacks built-in database support or a user interface (front-end environment), requiring businesses to build these functionalities from scratch. * If you would like to build chatbots for automation they will have to be built from scratch requiring extensive coding. ### Step-by-Step Guide to Set Up WhatsApp Cloud API 1. Register at [Meta for Developers](https://developers.facebook.com) and create a new app. 2. Set your app type to “Business” and complete account verification. 3. Navigate to the Developer Dashboard and open the WhatsApp settings. 4. Obtain your API key and a sandbox phone number for initial testing. 5. Set up webhooks to receive real-time updates, such as message delivery statuses and incoming conversations. 6. Enter your server's callback URL to enable event notifications. 7. Use the sandbox to send and receive test messages. 8. Analyze logs to troubleshoot issues and refine configurations. 9. After successful testing, switch from sandbox mode to production. 10. Begin using the Cloud API for real-time interactions with your customers. **The WhatsApp Cloud API could be a great tool for businesses looking to leverage WhatsApp for customer engagement, but it requires a solid technical foundation for effective integration.** 3\. Using Unofficial WhatsApp Business API ------------------------------------------ Several unofficial WhatsApp Business APIs enable features like sending and receiving messages via HTTP requests, bulk broadcasting, media-rich messages (images, audio, video, files), notifications through webhooks, and chat usage data export. They are often cheaper and require less verification than official APIs. Examples include whatsapp-web.js, Maytapi, SMSGatewayHub, and ChatWA. ### Pros: * Most unofficial APIs are either free for developers or charge less money than official WhatsApp APIs. ### Cons: * As unofficial APIs violate WhatsApp's terms of service, using them puts your account under high risk of getting banned. * You might have to deal with security vulnerabilities, and unreliable performance. 4\. Using Third-Party Modules ----------------------------- The **pywhatkit** module allows you to send WhatsApp messages at a specific time. To proceed with this method firstly ensure that you have Google Chrome installed on your laptop and are logged in to [WhatsApp Web](http://web.whatsapp.com). Follow these steps: * Run the following command in your terminal: pip install pywhatkit * Download the ChromeDriver for your Chrome version from [chromedriver.chromium.org](https://chromedriver.chromium.org/). * Extract the file and copy the path of the chromedriver.exe file. (e.g., C:/Users/…/chromedriver.exe). * Use pywhatkit.add\_driver\_path(path) to set the driver path. * Call pywhatkit.load\_QRcode() to generate a QR code. * Scan the QR code using your WhatsApp app. Here’s the implementation for sending a message to +91987xxxxxxx at 5:20 PM: import pywhatkit pywhatkit.sendwhatmsg("+91987xxxxxxx", "Hi! This is XYZ Solution. How can we help you?", 17, 20) **Note: Parameters are the recipient's phone number, message, hour (24-hour time notation), and minute.** There are other libraries too that you can explore for this purpose: youwsoup, WhatsAPIDriver, WhatsAPI. ### Pros: * Simple and straightforward method of automating messages. * Does not cost you any money. ### Cons: * As your device must remain switched on and you need to stay logged in to WhatsApp Web for this method to work, this method unsuitable for businesses. * You might have to scan the QR code for login again and again which means there is no real automation here. * There’s a very high chance that WhatsApp might ban or suspend your account for trying to automate messages using this method. For other methods of scheduling messages on WhatsApp check out this blog  on [Step-by-step Guide to Scheduling Messages on WhatsApp](https://www.heltar.com/blogs/step-by-step-guide-to-scheduling-messages-on-whatsapp-cm42ujpm80006wk5871kljacx) and for more insights on WhatsApp Business API check out our other blogs at [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Send Messages on WhatsApp Using Code? Author: Prashant Jangid Published: 2024-12-28 Category: WhatsApp Business API Tags: Whatsapp Marketing URL: https://www.heltar.com/blogs/how-to-send-messages-on-whatsapp-using-code-cm58dz7i8001tx9tqkqp4u6u5 If you are wondering about how to send messages on WhatsApp using code, in this blog we break down four different methods to help you achieve just that. Each approach comes with its own advantages and limitations, all clearly outlined to help you choose the one that best fits your needs. Let’s get started! 1\. Using Python Libraries ----------------------------- This is the most straightforward method to send WhatsApp messages by writing a code snippet. The **pywhatkit** module allows you to send WhatsApp messages at a specific time. To proceed with this method firstly ensure that you have Google Chrome installed on your laptop and are logged in to [WhatsApp Web](http://web.whatsapp.com). Follow these steps: * Run the following command in your terminal:  pip install pywhatkit * Download the ChromeDriver for your Chrome version from [chromedriver.chromium.org](https://chromedriver.chromium.org/). * Extract the file and copy the path of the chromedriver.exe file. (e.g., C:/Users/…/chromedriver.exe). * Use pywhatkit.add\_driver\_path(path) to set the driver path. * Call pywhatkit.load\_QRcode() to generate a QR code. * Scan the QR code using your WhatsApp app. Here’s the implementation for sending a message to +91987xxxxxxx at 5:20 PM: import pywhatkit pywhatkit.sendwhatmsg("+91987xxxxxxx", "Hi! This is XYZ Solution. How can we help you?", 17, 20) **Note:** **Parameters are the recipient's phone number, message, hour (24-hour time notation), and minute.** To send multiple messages to a specific number, you can simply use a loop. If your goal is to send the same message to multiple numbers, start by creating an array (of string type) containing all the numbers. Then, loop through the array to send your message to each contact. While this approach is free, it comes with risks. **WhatsApp may ban or suspend your account for automating messages this way.** Additionally, your device needs to stay powered on and logged into WhatsApp Web for the method to work. There are other libraries too that you can explore for this purpose: youwsoup, WhatsAPIDriver, WhatsAPI. 2. Using Unofficial WhatsApp Business API -------------------------------------------- Several unofficial WhatsApp Business APIs allow you to enable features like sending and receiving messages via HTTP requests, bulk broadcasting, media-rich messages (images, audio, video, files), notifications through webhooks, and chat usage data export. They are often cheaper and require less verification than official APIs. However, **using unofficial APIs violates WhatsApp's terms of service and carries risks like high chances of your account getting banned, security vulnerabilities, and unreliable performance.** Examples include Maytapi, SMSGatewayHub, whatsapp-web.js and ChatWA. 3\. Using WhatsApp Cloud API ------------------------------- The WhatsApp Cloud API is a cloud-hosted version of the WhatsApp Business API, designed to help businesses and developers create customized customer experiences. The Cloud API eliminates the need and cost for managing your own servers and also provides instant access to functionalities like scheduling messages, bulk broadcast and other advanced features. **The major downside however is that it lacks a built-in user interface (front-end environment), requiring you to build it from scratch.** ### Step-by-Step Guide to Set Up WhatsApp Cloud API 1. Register at [Meta for Developers](https://developers.facebook.com) and create a new app. 2. Set your app type to “Business” and complete account verification. 3. Navigate to the Developer Dashboard and open the WhatsApp settings. 4. Obtain your API key and a sandbox phone number for initial testing. 5. Set up webhooks to receive real-time updates, such as message delivery statuses and incoming conversations. 6. Enter your server's callback URL to enable event notifications. 7. Use the sandbox to send and receive test messages. 8. Analyze logs to troubleshoot issues and refine configurations. 9. After successful testing, switch from sandbox mode to production. 10. Begin using the Cloud API for real-time interactions with your customers. 4\. Official BSP APIs \[Best Suited for Businesses\] Meta-affiliated Business Solution Providers (BSPs) offer advanced WhatsApp Business APIs  with the option to schedule messages which could even be personalized. A few BSPs like [Heltar](https://www.heltar.com) give you access to building and deploying no-code WhatsApp chatbots for automated response. These chatbots can be used for handling FAQs, sending cart abandonment reminders, and streamlining order tracking. WhatsApp APIs give you the complete automation solution with features like bulk broadcasts, personalized rich media messages (like carousels), team inboxes. They also provide dedicated customer support to assist you with any problem you face. You can access the official WhatsApp Business API through any Meta-affiliated BSP, such as [Heltar](https://www.heltar.com). [Sign Up for a Free Trial](https://app.heltar.com/register) or [Book a Demo](https://www.heltar.com/demo.html) to explore its capabilities. For other methods of scheduling messages on WhatsApp check out this blog  on [Step-by-step Guide to Scheduling Messages on Whatsapp](https://www.heltar.com/blogs/step-by-step-guide-to-scheduling-messages-on-whatsapp-cm42ujpm80006wk5871kljacx) and for more insights on WhatsApp Business API check out our other blogs at [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Access WhatsApp Manager on Meta Business Manager? Author: Prashant Jangid Published: 2024-12-28 Category: WhatsApp Business API Tags: WhatsApp API URL: https://www.heltar.com/blogs/how-to-access-whatsapp-manager-on-meta-business-manager-cm58dt4sr001sx9tqqhi8rmgo Navigating to WhatsApp Business Manager through the Meta Business dashboard can feel a bit tricky, as there isn’t a direct link available. In this blog we’ve broken it down into clear, simple steps so you can access it without getting lost. Which Account Should You Use to Log In? --------------------------------------- A common question people have is: **“Do you need to log in to Business Manager using your personal Facebook account or the credentials of your business’s Facebook Page?”** The answer is straightforward: * You can log in with your **personal Facebook account** as long as you’ve been added to the Business Manager for the business. * Alternatively, you can use the credentials of your **business’s Facebook Page** to log in. **Both options work, provided the account has the necessary access permissions.** Step-by-Step Guide to Access WhatsApp Manager --------------------------------------------- 1\. Go to **Meta Business Suite** by logging in to [business.facebook.com](http://business.facebook.com). 2\. Click on the dropdown at the top in the left-hand panel. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735402467003-compressed.jpeg) ** 3\. The dropdown will expand and you’ll be able to see the names of your business portfolios. Find the portfolio whose Business Manager you want to open and click the settings (gear) icon next to its name. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735402468880-compressed.jpeg) ** 4\. From the side panel that appears on the left click on **WhatsApp accounts** which is present in the **Accounts** section. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735402470597-compressed.jpeg) ** 5\. After that simply click on the **WhatsApp Manager** button which is present at the bottom of the screen. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735402472383-compressed.jpeg) ** 6\. You should now be able to see your WhatsApp Manager. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735402474134-compressed.jpeg) ** If you follow these steps, you’ll have no trouble getting to WhatsApp Manager whenever you need it. Check out [**Heltar Blogs**](https://heltar.com/blogs) for tips and strategies to help you get the most out of WhatsApp for your business. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Set Auto-Replies and Out-of-Office Messages in WATI Author: Prashant Jangid Published: 2024-12-27 Category: WhatsApp Business API Tags: WhatsApp API URL: https://www.heltar.com/blogs/how-to-set-auto-replies-and-out-of-office-messages-in-wati-cm575npm50004nwgi2dz799hv Auto-replies and out-of-office messages are important for staying connected with customers, even when your team is unavailable. They ensure prompt responses to inquiries whether you need to handle frequent queries or let customers know your business hours. If you are a WATI user, then here’s a comprehensive guide on how to automate replies in WATI to keep communication seamless, even outside working hours: Step 1: Set Your Office Hours ----------------------------- 1. Open the **Automation** menu from the dashboard and navigate to **Default Action**. Then, click on the **Set Working Hours** button. 2. Select your working days and adjust the working hours as needed. 3. Click the **Save** button to confirm your office hours. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735328343577-compressed.png) ** **Step 2: Set an Out-of-Office (OOO) Message** ---------------------------------------------- 1. From the **Automation** menu from the dashboard navigate to **Reply Material**.  2. Click the **Add Text** button to create a new reply. 3. Enter the Name and Content for your out-of-office message, then click **Save**. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735328348042-compressed.png) ** 4\. Navigate back to **Default Actions**, enable the **Non-Working Hours** checkbox, and select the **out-of-office** reply material you just created. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735328353755-compressed.png) ** But WATI has a lot of limitations: ---------------------------------- * WATI allows **only 5** users per plan, which is difficult for larger teams. * Extra chatbot responses come with **additional charges**, increasing costs. * The plans are **expensive** and have high charges for messages. * WATI **lacks advanced features** like custom JavaScript workflows, unlike tools like Heltar, making it less flexible. Choosing the right WhatsApp Business API provider is crucial for scaling your business. You can explore free trials of different BSPs to find what works best for you. To save some time and effort, here’s a comprehensive comparison of features, limitations, and pricing. **Feature Comparison: Wati vs. Heltar:** Feature Wati Heltar Broadcast Messaging Supports campaigns with restrictions. 1M+ messages in one click, risk-free. Chatbots No code with OpenAI, Claude, or Gemini. Drag-and-drop with OpenAI & Javascript. Shared Team Inbox Limited to 5 users per plan. Unlimited users, intuitive dashboard. Customer Support Basic, extra chatbot responses cost more. 24/7 support via call, WhatsApp, or email. Integrations Limited, no Javascript support. OpenAI & Javascript-ready integrations. Green Tick Badge Not included. Free with all plans. Pricing Transparency High 20% conversation markup. Transparent, competitive rates. Pricing Comparison: Wati vs. Heltar: ------------------------------------ Plan Wati (Monthly) Heltar (Monthly) Starter ₹2,499 ₹999 CRM + Chatbot ₹5,999 ₹1,999 Enterprise ₹16,999 Custom Conversation Pricing: Wati vs. Heltar: -------------------------------------- Conversation Type Wati (Per 24 Hours) Heltar (Per 24 Hours) Marketing ₹0.90 ₹0.76 Utility ₹0.34 ₹0.32 Service ₹0.34 ₹0.32 Heltar stands out as a **cost-effective**, **feature-rich**, and **scalable solution** for small and medium enterprises (SMEs). It offers: * **Affordable Pricing:** Heltar’s plans are significantly cheaper than Wati’s, starting at just **₹999/month**. * **Unlimited Scalability:** No cap on chatbot responses or users in any plan. * **Advanced Integrations:** OpenAI and Javascript compatibility for enhanced functionality. * **Customer-Centric Features:** 24/7 support and a free green tick badge for credibility. * **High Volume Messaging:** Send over 1,000,000 messages with just one click, ensuring efficiency without risks. You can [**start a free trial**](https://app.heltar.com/register) to explore the features by yourself or [**book a free demo**](https://heltar.com/demo.html)!  If you have any questions about migrating from one BSP to another, read this blog on [All You Need to Know About WhatsApp Business API BSP Migration](https://www.heltar.com/blogs/all-you-need-to-know-about-whatsapp-business-bsp-migration-cm43dovm20002pn0vlj30ssa9). For more insights, tips, and strategies to make the most of your WhatsApp Business API, explore [**Heltar Blogs**](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Why Is My WATI Chatbot Not Working? Complete Troubleshooting Guide Author: Prashant Jangid Published: 2024-12-27 Category: WhatsApp Business API Tags: WhatsApp API URL: https://www.heltar.com/blogs/why-is-my-wati-chatbot-not-working-complete-troubleshooting-guide-cm575cjl60003nwgi7s3sfajy Is your **WATI chatbot** not responding or malfunctioning? Chatbots are powerful tools for automating communication and improving customer service, but sometimes technical issues can prevent them from functioning properly. In this **complete troubleshooting guide**, we'll help you identify and fix the reasons your WATI chatbot isn't working, ensuring you can get your business back on track. Once configured, there may be several reasons why the chatbot is not triggered. We will look into them one-by-one covering all the scenarios: #1 Why is my chatbot not triggering? ------------------------------------ **Reason:** The starting Node is not connected or not properly set **To rectify this error:** Click the **three dots** button on the node, then select **Set Start Node**. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735327795171-compressed.png) #2 Keyword not Configured ------------------------- * Ensure the keyword is correctly configured to trigger the chatbot. * Some keywords are set to **Exact Match**, then even small differences (e.g., missing or extra letters) will prevent the chatbot from triggering. **#3 Chat Assignment** ---------------------- * For the chatbot to work via keywords or default actions, the chat must be assigned to a **Bot**. Automation won’t work if the chat is assigned to an operator. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735327799243-compressed.png) ** **Common Issues When a Chatbot Stops Working** ---------------------------------------------- ### **1\. Media Response Not Configured** * If a customer sends a media file (e.g., photo or video), and the chatbot node isn't set to accept media responses, the chatbot will stop. * Learn how to configure media responses here: [Accept Media Responses](https://support.wati.io/l/en/article/j6va74rglr-how-to-use-questions-for-flowbuilder#accept_a_media_response). ### **2\. Expired Chatbot Timer** * Each chatbot has an expiration time. The chatbot will end if the customer doesn’t respond within the set time. * Configure the expiration time: * The minimum allowed time is **1 minute**, and the maximum is **1440 minutes** (24 hours). * Click on **Chatbot Timer** in the upper-right corner to set the expiration time. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735327804228-compressed.png) ** ### **3\. Misconfigured Nodes** Ensure subsequent nodes, such as Webhook or Google Spreadsheet nodes, are properly configured. Misconfigured nodes can cause the chatbot to stop functioning. ### **4\. Unexpected Responses** * If the chatbot expects specific responses (e.g., “1,” “2,” or “3”), but the user replies with something unexpected like “4” or “hello,” the chatbot will stop. * Use buttons or list messages in earlier steps to guide user responses. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735327811277-compressed.png) But WATI has a lot of limitations: ---------------------------------- * WATI allows **only 5** users per plan, which is difficult for larger teams. * Extra chatbot responses come with **additional charges**, increasing costs. * The plans are **expensive** and have high charges for messages. * WATI **lacks advanced features** like custom JavaScript workflows, unlike tools like Heltar, making it less flexible. Choosing the right WhatsApp Business API provider is crucial for scaling your business. You can explore free trials of different BSPs to find what works best for you. To save some time and effort, here’s a comprehensive comparison of features, limitations, and pricing. **Feature Comparison: Wati vs. Heltar:** ---------------------------------------- Feature Wati Heltar Broadcast Messaging Supports campaigns with restrictions. 1M+ messages in one click, risk-free. Chatbots No code with OpenAI, Claude, or Gemini. Drag-and-drop with OpenAI & Javascript. Shared Team Inbox Limited to 5 users per plan. Unlimited users, intuitive dashboard. Customer Support Basic, extra chatbot responses cost more. 24/7 support via call, WhatsApp, or email. Integrations Limited, no Javascript support. OpenAI & Javascript-ready integrations. Green Tick Badge Not included. Free with all plans. Pricing Transparency High 20% conversation markup. Transparent, competitive rates. Pricing Comparison: Wati vs. Heltar: ------------------------------------ Plan Wati (Monthly) Heltar (Monthly) Starter ₹2,499 ₹999 CRM + Chatbot ₹5,999 ₹1,999 Enterprise ₹16,999 Custom Conversation Pricing: Wati vs. Heltar: -------------------------------------- Conversation Type Wati (Per 24 Hours) Heltar (Per 24 Hours) Marketing ₹0.90 ₹0.76 Utility ₹0.34 ₹0.32 Service ₹0.34 ₹0.32 Heltar stands out as a **cost-effective**, **feature-rich**, and **scalable solution** for small and medium enterprises (SMEs). It offers: * **Affordable Pricing:** Heltar’s plans are significantly cheaper than Wati’s, starting at just **₹999/month**. * **Unlimited Scalability:** No cap on chatbot responses or users in any plan. * **Advanced Integrations:** OpenAI and Javascript compatibility for enhanced functionality. * **Customer-Centric Features:** 24/7 support and a free green tick badge for credibility. * **High Volume Messaging:** Send over 1,000,000 messages with just one click, ensuring efficiency without risks. You can [**start a free trial**](https://app.heltar.com/register) to explore the features by yourself or [**book a free demo**](https://heltar.com/demo.html)!  If you have any questions about migrating from one BSP to another, read this blog on [All You Need to Know About WhatsApp Business API BSP Migration](https://www.heltar.com/blogs/all-you-need-to-know-about-whatsapp-business-bsp-migration-cm43dovm20002pn0vlj30ssa9). For more insights, tips, and strategies to make the most of your WhatsApp Business API, explore [**Heltar Blogs**](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Scheduling Broadcast in WATI- One-stop guide for Editing and Managing Broadcast Author: Prashant Jangid Published: 2024-12-27 Category: WhatsApp Business API Tags: WhatsApp API URL: https://www.heltar.com/blogs/scheduling-broadcast-in-wati-one-stop-guide-for-editing-and-managing-broadcast-cm574s6pe0002nwgi9lkiw1ii Sending scheduled broadcasts allows you to communicate with multiple contacts simultaneously. At times, you might need to modify or cancel a scheduled broadcast due to updates in messaging or timing. This guide provides simple steps to help you edit or delete your scheduled broadcasts effectively. Step 1: Locate Scheduled Broadcasts ----------------------------------- Broadcasts scheduled for a specific time will appear under Scheduled Broadcasts in your dashboard. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735327568149-compressed.png) Step 2: Edit or Delete the Broadcast ------------------------------------ * To edit, click on the scheduled broadcast and make the necessary changes. * To delete, select the broadcast and click the delete option. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735327572948-compressed.png) ** Step 3: Automatic Delivery -------------------------- Once the scheduled time arrives, the broadcast will automatically deliver the template message to the intended recipients. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735327578685-compressed.png) But WATI has a lot of limitations: ---------------------------------- * WATI allows **only 5** users per plan, which is difficult for larger teams. * Extra chatbot responses come with **additional charges**, increasing costs. * The plans are **expensive** and have high charges for messages. * WATI **lacks advanced features** like custom JavaScript workflows, unlike tools like Heltar, making it less flexible. Choosing the right WhatsApp Business API provider is crucial for scaling your business. You can explore free trials of different BSPs to find what works best for you. To save some time and effort, here’s a comprehensive comparison of features, limitations, and pricing. **Feature Comparison: Wati vs. Heltar:** ---------------------------------------- Feature Wati Heltar Broadcast Messaging Supports campaigns with restrictions. 1M+ messages in one click, risk-free. Chatbots No code with OpenAI, Claude, or Gemini. Drag-and-drop with OpenAI & Javascript. Shared Team Inbox Limited to 5 users per plan. Unlimited users, intuitive dashboard. Customer Support Basic, extra chatbot responses cost more. 24/7 support via call, WhatsApp, or email. Integrations Limited, no Javascript support. OpenAI & Javascript-ready integrations. Green Tick Badge Not included. Free with all plans. Pricing Transparency High 20% conversation markup. Transparent, competitive rates. Pricing Comparison: Wati vs. Heltar: ------------------------------------ Plan Wati (Monthly) Heltar (Monthly) Starter ₹2,499 ₹999 CRM + Chatbot ₹5,999 ₹1,999 Enterprise ₹16,999 Custom Conversation Pricing: Wati vs. Heltar: -------------------------------------- Conversation Type Wati (Per 24 Hours) Heltar (Per 24 Hours) Marketing ₹0.90 ₹0.76 Utility ₹0.34 ₹0.32 Service ₹0.34 ₹0.32 Heltar stands out as a **cost-effective**, **feature-rich**, and **scalable solution** for small and medium enterprises (SMEs). It offers: * **Affordable Pricing:** Heltar’s plans are significantly cheaper than Wati’s, starting at just **₹999/month**. * **Unlimited Scalability:** No cap on chatbot responses or users in any plan. * **Advanced Integrations:** OpenAI and Javascript compatibility for enhanced functionality. * **Customer-Centric Features:** 24/7 support and a free green tick badge for credibility. * **High Volume Messaging:** Send over 1,000,000 messages with just one click, ensuring efficiency without risks. You can [**start a free trial**](https://app.heltar.com/register) to explore the features by yourself or [**book a free demo**](https://heltar.com/demo.html)!  If you have any questions about migrating from one BSP to another, read this blog on [All You Need to Know About WhatsApp Business API BSP Migration](https://www.heltar.com/blogs/all-you-need-to-know-about-whatsapp-business-bsp-migration-cm43dovm20002pn0vlj30ssa9). For more insights, tips, and strategies to make the most of your WhatsApp Business API, explore [**Heltar Blogs**](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Add Operators and Create Teams on WATI? Author: Prashant Jangid Published: 2024-12-27 Category: WhatsApp Business API Tags: WhatsApp API URL: https://www.heltar.com/blogs/how-to-add-operators-and-create-teams-on-wati-cm574o71b0001nwgi9laoy60d By organising your team on WATI, you can assign specific roles, track performance, and ensure smoother collaboration. Here’s how you can add operators and create teams in WATI. How to Add a User/Operator to form teams on WATI? ------------------------------------------------- **Step 1:** Log in to your **WATI Dashboard** and click on the **User Management** section in the top panel. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735326640403-compressed.png) **Step 2:** Ensure you are in the **Operators** tab, then click the **Add User** button. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735326645026-compressed.png) Step 3: Fill in the required operator details and click **Save** to complete the process. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735326647873-compressed.png) But WATI has a lot of limitations: ---------------------------------- * WATI allows **only 5** users per plan, which is difficult for larger teams. * Extra chatbot responses come with **additional charges**, increasing costs. * The plans are **expensive** and have high charges for messages. * WATI **lacks advanced features** like custom JavaScript workflows, unlike tools like Heltar, making it less flexible. Choosing the right WhatsApp Business API provider is crucial for scaling your business. You can explore free trials of different BSPs to find what works best for you. To save some time and effort, here’s a comprehensive comparison of features, limitations, and pricing. **Feature Comparison: Wati vs. Heltar:** ---------------------------------------- Feature Wati Heltar Broadcast Messaging Supports campaigns with restrictions. 1M+ messages in one click, risk-free. Chatbots No code with OpenAI, Claude, or Gemini. Drag-and-drop with OpenAI & Javascript. Shared Team Inbox Limited to 5 users per plan. Unlimited users, intuitive dashboard. Customer Support Basic, extra chatbot responses cost more. 24/7 support via call, WhatsApp, or email. Integrations Limited, no Javascript support. OpenAI & Javascript-ready integrations. Green Tick Badge Not included. Free with all plans. Pricing Transparency High 20% conversation markup. Transparent, competitive rates. Pricing Comparison: Wati vs. Heltar: ------------------------------------ Plan Wati (Monthly) Heltar (Monthly) Starter ₹2,499 ₹999 CRM + Chatbot ₹5,999 ₹1,999 Enterprise ₹16,999 Custom Conversation Pricing: Wati vs. Heltar: -------------------------------------- Conversation Type Wati (Per 24 Hours) Heltar (Per 24 Hours) Marketing ₹0.90 ₹0.76 Utility ₹0.34 ₹0.32 Service ₹0.34 ₹0.32 Heltar stands out as a **cost-effective**, **feature-rich**, and **scalable solution** for small and medium enterprises (SMEs). It offers: * **Affordable Pricing:** Heltar’s plans are significantly cheaper than Wati’s, starting at just **₹999/month**. * **Unlimited Scalability:** No cap on chatbot responses or users in any plan. * **Advanced Integrations:** OpenAI and Javascript compatibility for enhanced functionality. * **Customer-Centric Features:** 24/7 support and a free green tick badge for credibility. * **High Volume Messaging:** Send over 1,000,000 messages with just one click, ensuring efficiency without risks. You can [**start a free trial**](https://app.heltar.com/register) to explore the features by yourself or [**book a free demo**](https://heltar.com/demo.html)!  If you have any questions about migrating from one BSP to another, read this blog on [All You Need to Know About WhatsApp Business API BSP Migration](https://www.heltar.com/blogs/all-you-need-to-know-about-whatsapp-business-bsp-migration-cm43dovm20002pn0vlj30ssa9). For more insights, tips, and strategies to make the most of your WhatsApp Business API, explore [**Heltar Blogs**](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Start a New Chat in WATI: A Step-by-Step Guide Author: Prashant Jangid Published: 2024-12-27 Category: WhatsApp Business API Tags: WhatsApp API URL: https://www.heltar.com/blogs/how-to-start-a-new-chat-in-wati-a-step-by-step-guide-cm574h6rr0000nwgifc0v6eik If you want to send a message to someone for the first time or continue a conversation with a contact, this guide will help you. Here’s how you can start a new chat in WATI. Follow these steps to message a new contact or reconnect with an existing one: ### Step 1: Log in to Your WATI Account Begin by logging in to your **WATI** account using your credentials. Once logged in, you’ll be directed to the main dashboard. ### Step 2: Navigate to the Team Inbox The **Team Inbox** is where all conversations are managed. ### Step 3: Click on the New Message Button In the Team Inbox, locate the **New Message** button. Clicking on this button will open a dialogue box to create a new conversation. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735326317075-compressed.png) Now, there are two ways of choosing Your Contact: 1. **Type in the Contact Number:** If you know the recipient's contact number, you can simply type it into the input field. If the number doesn’t exist in your contact list, WATI will automatically add it to your Contacts once the message is sent.  2. **Select an Existing Contact:** If the person you wish to message is already in your Contacts, you can choose their name from the list. This option is especially convenient for reaching out to frequent contacts. If you want to create a new contact for a chat, here’s a complete guide to help you: [Read the full blog here](https://www.heltar.com/blogs/easy-steps-for-adding-contacts-on-wati-one-stop-guide-cm53tcx43000orl59ckrbxv9h). ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735326320472-compressed.png) ** ### Step 4: Click "Next" After selecting or typing the contact number, click on the **Next** button to proceed. ### Step 5: Select a Pre-Approved Template You can choose a **pre-approved template** that suits the purpose of your message (e.g., greetings, updates, offers). Then, to personalise the message, fill in the necessary variables (such as the recipient's name, order details, or specific dates). ### Step 6: Send the Message Once you've filled out the template, hit **Send**. The message will be delivered to the contact, and a new conversation will appear in your Team Inbox with a **Broadcast** status. But WATI has a lot of limitations: * WATI allows **only 5** users per plan, which is difficult for larger teams. * Extra chatbot responses come with **additional charges**, increasing costs. * The plans are **expensive** and have high charges for messages. * WATI **lacks advanced features** like custom JavaScript workflows, unlike tools like Heltar, making it less flexible. Choosing the right WhatsApp Business API provider is crucial for scaling your business. You can explore free trials of different BSPs to find what works best for you. To save some time and effort, here’s a comprehensive comparison of features, limitations, and pricing. Feature Comparison: Wati vs. Heltar: ------------------------------------ Feature Wati Heltar Broadcast Messaging Supports campaigns with restrictions. 1M+ messages in one click, risk-free. Chatbots No code with OpenAI, Claude, or Gemini. Drag-and-drop with OpenAI & Javascript. Shared Team Inbox Limited to 5 users per plan. Unlimited users, intuitive dashboard. Customer Support Basic, extra chatbot responses cost more. 24/7 support via call, WhatsApp, or email. Integrations Limited, no Javascript support. OpenAI & Javascript-ready integrations. Green Tick Badge Not included. Free with all plans. Pricing Transparency High 20% conversation markup. Transparent, competitive rates. Pricing Comparison: Wati vs. Heltar: ------------------------------------ Plan Wati (Monthly) Heltar (Monthly) Starter ₹2,499 ₹999 CRM + Chatbot ₹5,999 ₹1,999 Enterprise ₹16,999 Custom Conversation Pricing: Wati vs. Heltar: -------------------------------------- Conversation Type Wati (Per 24 Hours) Heltar (Per 24 Hours) Marketing ₹0.90 ₹0.76 Utility ₹0.34 ₹0.32 Service ₹0.34 ₹0.32 Heltar stands out as a **cost-effective**, **feature-rich**, and **scalable solution** for small and medium enterprises (SMEs). It offers: * **Affordable Pricing:** Heltar’s plans are significantly cheaper than Wati’s, starting at just **₹999/month**. * **Unlimited Scalability:** No cap on chatbot responses or users in any plan. * **Advanced Integrations:** OpenAI and Javascript compatibility for enhanced functionality. * **Customer-Centric Features:** 24/7 support and a free green tick badge for credibility. * **High Volume Messaging:** Send over 1,000,000 messages with just one click, ensuring efficiency without risks. You can [**start a free trial**](https://app.heltar.com/register) to explore the features by yourself or [**book a free demo**](https://heltar.com/demo.html)!  If you have any questions about migrating from one BSP to another, read this blog on [All You Need to Know About WhatsApp Business API BSP Migration](https://www.heltar.com/blogs/all-you-need-to-know-about-whatsapp-business-bsp-migration-cm43dovm20002pn0vlj30ssa9). For more insights, tips, and strategies to make the most of your WhatsApp Business API, explore [**Heltar Blogs**](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## A Complete guide on CTWA (Click-to-WhatsApp Ads) in 2025 Author: Manav Mahajan Published: 2024-12-27 Category: WhatsApp Business API Tags: CTWA, Whatsapp Marketing, Whatsapp Business API URL: https://www.heltar.com/blogs/a-complete-guide-on-ctwa-click-to-whatsapp-ads-in-2024-cm56r52a10000ijdwa3mm67f6 In the digital marketing landscape, Click-to-WhatsApp (CTWA) ads have emerged as a game-changing tool, enabling businesses to establish direct communication with their audience through WhatsApp. This guide delves deep into everything you need to know about CTWA ads—from their setup process to their benefits—making it your **[one-stop resource](https://www.heltar.com/marketing.html)** for leveraging this powerful marketing strategy. What Are Click-to-WhatsApp Ads? ------------------------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2024-12-27-183626-1735304830758-compressed.png) Simply put, Click-to-WhatsApp ads are digital advertisements displayed across Facebook and Instagram, featuring a WhatsApp CTA (Click-to-Action) button. When clicked, these ads seamlessly redirect users to WhatsApp, enabling real-time conversations between businesses and their target audience. It helps in lead generation and customer acquisition via WhatsApp. Setting Up Your Click-to-WhatsApp Ads Campaign ### Step 1: **Create a Facebook Business Account** 1. Go to the [Facebook Business Suite](https://business.facebook.com/). 2. Follow the prompts to set up your business account. 3. Ensure your WhatsApp Business account is linked to your Facebook account for seamless integration. > _Pro Tip: If you don’t have a WhatsApp Business account, WhatsApp API Provider platforms like [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm56r52a10000ijdwa3mm67f6/heltar.com) provide a free trial account with a WhatsApp Business number._ ### Step 2: **Navigate to Ads Manager** 1. Log in to Facebook Ads Manager. 2. Click the **Create** button to start a new campaign. ### Step 3: **Choose the Campaign Objective** Select one of the following objectives: * **Traffic** * **Engagement** * **Sales** The "Engagement" objective is highly recommended, especially when paired with retargeting features for better results. ### Step 4: **Set Up Your Campaign** 1. Opt for a **Manual Traffic Campaign** for greater control. 2. Adjust settings like budget allocation, campaign duration, and audience targeting. ### Step 5: **Configure the Ad Set** 1. Under **Conversion Location**, select **Messaging Apps**. 2. From the **Performance Goal** dropdown, choose the goal aligned with your traffic objectives. 3. In the **Messaging Apps** section, select **WhatsApp** as your preferred platform. ### Step 6: **Design Your Ad** 1. Upload high-quality visuals (images or videos) to grab attention. 2. Craft compelling ad copy that addresses your audience’s pain points. 3. In the **Message Template** section, define pre-filled messages to simplify customer interactions. #### Example of Pre-Filled Options: * "I want to learn more about WhatsApp Business API." * "I want to book a demo with Heltar." * "I'm interested in this product." > _Pro Tip: Keep the message options concise to fit within one line for better user experience._ Advanced Features for CTWA Ads ------------------------------ ### 1\. **WhatsApp Flows** Streamline interactions with structured conversations. For example, a hotel reservation ad can trigger a form within WhatsApp, enabling users to select room types, dates, and guest numbers seamlessly. ### 2\. **WhatsApp Catalogue** Create a virtual storefront within WhatsApp to showcase your products with prices and descriptions. Catalogues can be triggered automatically based on the ad’s content, enhancing user experience. ### 3\. **Chatbots** Automate responses to frequently asked questions or guide users through the sales funnel. Modern chatbots can handle complex queries, improving engagement and reducing manual workload. Benefits of Click-to-WhatsApp Ads --------------------------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/b64-1735304897600-compressed.png) ### 1. **Lower Marketing Costs** Meta categorizes conversations initiated through CTWA ads as free entry-point conversations, eliminating the cost per marketing conversation for up to 72 hours after the first message. This significantly reduces overall campaign expenses compared to alternatives like QR codes or WhatsApp links. ### 2. **High-Quality Leads** By targeting specific audiences through Meta’s advanced ad tools, businesses can attract high-quality leads, increasing the likelihood of conversions. ### 3. **Higher Conversion Rates** CTWA ads create a direct communication channel, fostering trust and engagement. The convenience of real-time interaction often translates to higher conversion rates. ### 4. **Positive ROAS (Return on Ad Spend)** Thanks to lower costs and better audience targeting, businesses can achieve a positive ROAS, maximizing the impact of their advertising budget. Optimizing Your CTWA Ads ------------------------ ### Monitor Key Performance Metrics 1. **CTR (Click-Through Rate):** Indicates the ad’s effectiveness in driving clicks. 2. **CPC (Cost Per Click):** Measures the cost efficiency of your ad. 3. **Conversion Rate:** Tracks the percentage of users completing desired actions. ### Refresh Ad Creatives Avoid ad fatigue by regularly updating visuals and copy. Experiment with different formats to determine what resonates most with your audience. ### Leverage Meta Ads Reporting Analyze demographic insights to tailor your ads more effectively. For example, adjust targeting based on age groups or regions showing higher engagement. ### A/B Testing Run tests with variations in ad copy, visuals, or targeting to identify the most impactful combination. Practical Applications across Industries ---------------------------------------- **Hospitality** - Hotels can use CTWA ads to manage bookings, inquiries, and promotions directly through WhatsApp. **Retail** **D2C** \- Drive foot traffic to stores by offering exclusive WhatsApp-only deals. **Education**  \- Educational institutions can leverage CTWA ads to streamline inquiries, admissions, and course registrations. **F&B (Food & Beverage)** - Promote food delivery services or special offers, enhancing customer convenience. **Healthcare** \- Can use CTWA ads to enhance & streamline services like appointment scheduling and patient support. Try Heltar Today ---------------- > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm4gxdnp8003hksvy3tptr7rm/heltar.com) for a straightforward, feature-rich approach to WhatsApp Business communications and CTWA that won't strain your budget. **[Get Started Now](https://www.heltar.com/blogs/how-to-get-a-whatsapp-business-api-account-explained-in-simple-steps-2025-cm53qefrk000erl59qp6mrk0p) and Simplify Your Business Communications!** --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Easy Steps for Adding Contacts on WATI - One-stop Guide Author: Prashant Jangid Published: 2024-12-25 Category: WhatsApp Business API Tags: WhatsApp API URL: https://www.heltar.com/blogs/easy-steps-for-adding-contacts-on-wati-one-stop-guide-cm53tcx43000orl59ckrbxv9h ​Managing contacts is important and helps businesses stay connected with their audience. In this guide, we’ll give you a step-by-step guide on how to add a single contact on WATI as well as how to import bulk contacts on WATI. Let’s get started! How to Add a Single Contact on WATI- Every step explained --------------------------------------------------------- Let’s explore step-by-step instructions for adding a single contact: **Step 1:** Click on the **+** icon to start adding a contact. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735126321964-compressed.png) ** Step 2: Add attributes by selecting them from the **Custom Attributes**. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735126365313-compressed.png) ** **Step 3:** Create your custom relevant Attributes You can add attributes such as **City,  Birthdays or Anniversaries,  Preferred Language, Purchase History, Last Interaction Date, Interests, or Preferred Contact time** based on your preferences for better personalization for sending occasion-specific greetings and tailored recommendations ensuring a more engaging customer experience. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735126397470-compressed.png) ** ​**Step 4:** Click **Save** to complete the process. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735126457904-compressed.png) ** ​Adding a single contact is helpful, but what if you want to add the contacts in bulk? Don’t worry we have sorted you out. Here is a guide to importing contacts in Bulk through excel: How to Add Bulk Contacts on WATI? --------------------------------- ​**Step 1:** Prepare your contact list in the format provided in the Sample Excel File on WATI and **upload** the Excel file to the dashboard. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735126563398-compressed.png) ** ​**Step 2: Map** the **columns** in the file to the respective attributes. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735126604405-compressed.png) ** ​**Step 3:** Add **new attributes** or map them to existing ones. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735126634324-compressed.png) ** ​**Step 4:** Click **Confirm Import** to proceed. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735126665519-compressed.png) ** **Step 5:** Click **Proceed to Import** to finalise the process. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735126713933-compressed.png) ** ​**Step 6:** Review the **summary** of imported contacts to ensure everything is accurate. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735126752324-compressed.png) ** But WATI has a lot of limitations: ---------------------------------- * WATI allows **only 5** users per plan, which is difficult for larger teams. * Extra chatbot responses come with **additional charges**, increasing costs. * The plans are **expensive** and have high charges for messages. * WATI **lacks advanced features** like custom JavaScript workflows, unlike tools like Heltar, making it less flexible. Choosing the right WhatsApp Business API provider is crucial for scaling your business. You can explore free trials of different BSPs to find what works best for you. To save some time and effort, here’s a comprehensive comparison of features, limitations, and pricing. **Feature Comparison: Wati vs. Heltar:** ---------------------------------------- Feature Wati Heltar Broadcast Messaging Supports campaigns with restrictions. 1M+ messages in one click, risk-free. Chatbots No code with OpenAI, Claude, or Gemini. Drag-and-drop with OpenAI & Javascript. Shared Team Inbox Limited to 5 users per plan. Unlimited users, intuitive dashboard. Customer Support Basic, extra chatbot responses cost more. 24/7 support via call, WhatsApp, or email. Integrations Limited, no Javascript support. OpenAI & Javascript-ready integrations. Green Tick Badge Not included. Free with all plans. Pricing Transparency High 20% conversation markup. Transparent, competitive rates. Pricing Comparison: Wati vs. Heltar: ------------------------------------ Plan Wati (Monthly) Heltar (Monthly) Starter ₹2,499 ₹999 CRM + Chatbot ₹5,999 ₹1,999 Enterprise ₹16,999 Custom Conversation Pricing: Wati vs. Heltar: -------------------------------------- Conversation Type Wati (Per 24 Hours) Heltar (Per 24 Hours) Marketing ₹0.90 ₹0.76 Utility ₹0.34 ₹0.32 Service ₹0.34 ₹0.32 Heltar stands out as a **cost-effective**, **feature-rich**, and **scalable solution** for small and medium enterprises (SMEs). It offers: * **Affordable Pricing:** Heltar’s plans are significantly cheaper than Wati’s, starting at just **₹999/month**. * **Unlimited Scalability:** No cap on chatbot responses or users in any plan. * **Advanced Integrations:** OpenAI and Javascript compatibility for enhanced functionality. * **Customer-Centric Features:** 24/7 support and a free green tick badge for credibility. * **High Volume Messaging:** Send over 1,000,000 messages with just one click, ensuring efficiency without risks. You can [**start a free trial**](https://app.heltar.com/register) to explore the features by yourself or [**book a free demo**](https://heltar.com/demo.html)!  If you have any questions about migrating from one BSP to another, read this blog on [All You Need to Know About WhatsApp Business API BSP Migration](https://www.heltar.com/blogs/all-you-need-to-know-about-whatsapp-business-bsp-migration-cm43dovm20002pn0vlj30ssa9). For more insights, tips, and strategies to make the most of your WhatsApp Business API, explore [**Heltar Blogs**](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Create and Manage Template Messages in WATI Author: Prashant Jangid Published: 2024-12-25 Category: WhatsApp Business API Tags: WhatsApp API URL: https://www.heltar.com/blogs/how-to-create-and-manage-template-messages-in-wati-cm53s8mby000nrl597fwn2ogh Template Messages are ready-made message formats used to send quick and customized notifications, updates, or reminders to users on WhatsApp. They allow businesses to communicate with customers efficiently while maintaining consistency. This guide will explain what Template Messages are and show you step-by-step instructions on how to create and manage them in WATI.  Step 1: Start Creating a Template Message Go to **Broadcast** and click on **Template Messages**. Then select **Your Templates** and click on **New Template Message** to begin. Step 2: Creating a Text-Only Template ------------------------------------- 1. **Template Name:** Use words separated by underscores, such as template\_for\_demo. Spaces inserted automatically turn into underscores by pressing the spacebar. 2. **Category:** Select the category to which your template belongs. 3. **Language:** Select the language 4. **Message Body:** The parameter type of placeholders personalise the message. Contact-specific values replace the placeholders in broadcasts. Select **Save as Draft** to save your changes or **Save** and **Submit** to send it for approval on WhatsApp. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735124405660-compressed.png) ** **Note:** Drafted templates will appear with the status **Draft**. You can continue to edit or hit the Submit button to send them for approval when finished. **Character Limit:** The total number of characters, including text and variables, is no more than **1024**. Step 3: Creating a Rich Template -------------------------------- Rich templates allow you to add media, buttons, and links to your messages. 1. **Media Options:** Add images (JPEG, PNG), videos (MP4), or documents. 2. **Broadcast Title:** Choose one of the following formats: * **None:** No title. * **Text:** Title in text format. * **Media:** Title with an image, video, or document. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735124576410-compressed.png) ** ​3\. **Body:** Add variables using the Add Variable button (e.g., Dear {{name}}, hello from WATI). 4\. **Footer (Optional):** Add footer text, such as Powered by Wati.io | Empowering businesses with seamless customer engagement. 5\. **Buttons (Optional):** * **Call to Action:** Add buttons to link to a website or initiate a phone call. * **Quick Reply:** Add up to 3 quick reply buttons. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735124688224-compressed.png) ** ​Step 4: Customize and Send Templates 1\. **Edit Drafts:** Select **Edit** to edit draft templates. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735124725980-compressed.png) ** 2\. **Submit for Approval:** Once ready, click **Submit** to send the template to WhatsApp. Meta approval usually takes 30 minutes to 24 hours. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735124781604-compressed.png) ** 3. **Delete Templates:**  Click the **Delete** button to delete a template. Note: Deleted templates cannot be reused. Step 5: Search and Filter Templates ----------------------------------- 1\. Use the **search bar** to find templates by keywords. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735124813314-compressed.png) ** 2. Apply **filters** to sort templates by their status (e.g., Draft, Pending, Approved). ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735124871395-compressed.png) ** Following these steps can efficiently create, customise, and manage your template messages for smoothly communicating with your audience. Whether you're sending text-only updates or rich media messages, WATI has the tools for effective and engaging notices. But WATI has a lot of limitations: ---------------------------------- * WATI allows **only 5** users per plan, which is difficult for larger teams. * Extra chatbot responses come with **additional charges**, increasing costs. * The plans are **expensive** and have high charges for messages. * WATI **lacks advanced features** like custom JavaScript workflows, unlike tools like Heltar, making it less flexible. Choosing the right WhatsApp Business API provider is crucial for scaling your business. You can explore free trials of different BSPs to find what works best for you. To save some time and effort, here’s a comprehensive comparison of features, limitations, and pricing. **Feature Comparison: Wati vs. Heltar:** ---------------------------------------- Feature Wati Heltar Broadcast Messaging Supports campaigns with restrictions. 1M+ messages in one click, risk-free. Chatbots No code with OpenAI, Claude, or Gemini. Drag-and-drop with OpenAI & Javascript. Shared Team Inbox Limited to 5 users per plan. Unlimited users, intuitive dashboard. Customer Support Basic, extra chatbot responses cost more. 24/7 support via call, WhatsApp, or email. Integrations Limited, no Javascript support. OpenAI & Javascript-ready integrations. Green Tick Badge Not included. Free with all plans. Pricing Transparency High 20% conversation markup. Transparent, competitive rates. Pricing Comparison: Wati vs. Heltar: ------------------------------------ Plan Wati (Monthly) Heltar (Monthly) Starter ₹2,499 ₹999 CRM + Chatbot ₹5,999 ₹1,999 Enterprise ₹16,999 Custom Conversation Pricing: Wati vs. Heltar: -------------------------------------- Conversation Type Wati (Per 24 Hours) Heltar (Per 24 Hours) Marketing ₹0.90 ₹0.76 Utility ₹0.34 ₹0.32 Service ₹0.34 ₹0.32 Heltar stands out as a **cost-effective**, **feature-rich**, and **scalable solution** for small and medium enterprises (SMEs). It offers: * **Affordable Pricing:** Heltar’s plans are significantly cheaper than Wati’s, starting at just **₹999/month**. * **Unlimited Scalability:** No cap on chatbot responses or users in any plan. * **Advanced Integrations:** OpenAI and Javascript compatibility for enhanced functionality. * **Customer-Centric Features:** 24/7 support and a free green tick badge for credibility. * **High Volume Messaging:** Send over 1,000,000 messages with just one click, ensuring efficiency without risks. You can [**start a free trial**](https://app.heltar.com/register) to explore the features by yourself or [**book a free demo**](https://heltar.com/demo.html)!  If you have any questions about migrating from one BSP to another, read this blog on [All You Need to Know About WhatsApp Business API BSP Migration](https://www.heltar.com/blogs/all-you-need-to-know-about-whatsapp-business-bsp-migration-cm43dovm20002pn0vlj30ssa9). For more insights, tips, and strategies to make the most of your WhatsApp Business API, explore [**Heltar Blogs**](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Build Your First Chatbot On WATI in 10 Minutes Author: Prashant Jangid Published: 2024-12-25 Category: WhatsApp Business API Tags: WhatsApp Chatbot URL: https://www.heltar.com/blogs/how-to-build-your-first-chatbot-on-wati-in-10-minutes-cm53rmw1r000mrl59ipemx8vj If you want to automate your WhatsApp Business replies in WATI, here is a step step-by-step guide on making your first chatbot. Let’s get started! Step 1: **Navigate** to the Chatbot Builder:  --------------------------------------------- First, Log in to your WATI Dashboard and access the **Automation** section from the menu. From the options, choose **Chatbots**. Step 2: Create a New Chatbot ---------------------------- Click the green **Create a new Chatbot** button. Then you'll be displayed with several templates that have already been designed. ​ ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735123526053-compressed.png) ** If your chatbot flow aligns with one of the templates, select it to save time. If you don’t like the existing chatbot templates, you can build your chatbot from scratch. Follow the below steps to build your own **Flow** for a template for the chatbot : ### 1: Access Automation and Flows First, click on **Automation** and then click on **Flows**. After that, click on **Add Flow**. You will see different industry Flow templates. Select one and click **Use this**. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735123610808-compressed.png) ** ​ ### 2: Edit Flow Name and Content Edit the **name of the Flow** as needed. Then double-click the **message box** to edit the content. You can update the questions and options to match your needs. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735123664508-compressed.png) ** ​3: Add Questions and Options Add more messages or questions if required. You can choose from three question formats: **Question (Text format), Buttons** and **List**. Put your question in the **Question box** and connect it to the correct options. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/b64-1735123705626-compressed.png) ** ### 4: Finalize and Save Flow Make sure all your questions and options are connected properly. Once you’re done, click on **Save Flow** to finish creating your chatbot. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735123825940-compressed.png) ** ​Step 3: Turn Your Chatbot On Once you've built your chatbot, you can activate it by configuring: * Default Action: This is the fallback action that will be triggered if your chatbot does not recognise the question. * Keyword Action: Responses specific to certain keywords. But WATI has a lot of limitations: ---------------------------------- * WATI allows **only 5 users** per plan, which is difficult for larger teams. * Extra chatbot responses come with **additional charges**, increasing costs. * The plans are **expensive** and have high charges for messages. * WATI **lacks advanced features** like custom JavaScript workflows, unlike tools like **[Heltar](https://www.heltar.com/demo.html)**, making it less flexible. Choosing the right WhatsApp Business API provider is crucial for scaling your business. You can explore free trials of different BSPs to find what works best for you. To save some time and effort, here’s a comprehensive comparison of features, limitations, and pricing. **Feature Comparison: Wati vs. Heltar:** ---------------------------------------- Feature Wati Heltar Broadcast Messaging Supports campaigns with restrictions. 1M+ messages in one click, risk-free. Chatbots No code with OpenAI, Claude, or Gemini. Drag-and-drop with OpenAI & Javascript. Shared Team Inbox Limited to 5 users per plan. Unlimited users, intuitive dashboard. Customer Support Basic, extra chatbot responses cost more. 24/7 support via call, WhatsApp, or email. Integrations Limited, no Javascript support. OpenAI & Javascript-ready integrations. Green Tick Badge Not included. Free with all plans. Pricing Transparency High 20% conversation markup. Transparent, competitive rates. ### **Pricing Comparison: Wati vs. Heltar:** Plan Wati (Monthly) Heltar (Monthly) Starter ₹2,499 ₹999 CRM + Chatbot ₹5,999 ₹1,999 Enterprise ₹16,999 Custom ### **Conversation Pricing: Wati vs. Heltar:** ** Conversation Type Wati (Per 24 Hours) Heltar (Per 24 Hours) Marketing ₹0.90 ₹0.76 Utility ₹0.34 ₹0.32 Service ₹0.34 ₹0.32 ** **[Heltar](https://www.heltar.com/demo.html)** stands out as a **cost-effective**, **feature-rich**, and **scalable** solution for small and medium enterprises (SMEs). It offers: * **Affordable Pricing:** Heltar’s plans are significantly cheaper than Wati’s, starting at just ₹999/month. * **Unlimited Scalability:** No cap on chatbot responses or users in any plan. * **Advanced Integrations:** OpenAI and Javascript compatibility for enhanced functionality. * **Customer-Centric Features:** 24/7 support and a free green tick badge for credibility. * **High Volume Messaging:** Send over 1,000,000 messages with just one click, ensuring efficiency without risks. You can [start a free trial](https://app.heltar.com/register) to explore the features by yourself or [book a free demo](https://heltar.com/demo.html)!  If you have any questions about migrating from one BSP to another, read this blog on [All You Need to Know About WhatsApp Business API BSP Migration](https://www.heltar.com/blogs/all-you-need-to-know-about-whatsapp-business-bsp-migration-cm43dovm20002pn0vlj30ssa9). For more insights, tips, and strategies to make the most of your WhatsApp Business API, explore [Heltar Blogs](https://heltar.com/blogs).​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Get a WhatsApp Business API Account [Explained in Simple Steps 2025] Author: Prashant Jangid Published: 2024-12-25 Category: WhatsApp Business API Tags: WhatsApp API URL: https://www.heltar.com/blogs/how-to-get-a-whatsapp-business-api-account-explained-in-simple-steps-2025-cm53qefrk000erl59qp6mrk0p ​Why use WhatsApp Business API? ------------------------------- WhatsApp Business API is a special service that is built on top of WhatsApp and helps businesses connect with customers with added functionalities like option to send **automated messages,** **alerts,** **use chatbots,** **send bulk messages with one click, setup team inbox** and provide **customer support** efficiently. This tool will enable companies to communicate with many people simultaneously, making their service faster and more efficient. Why Get Your WhatsApp Business API From A Business Provider ----------------------------------------------------------- Meta has affiliated a few Business Service Providers(BSP) to give access to the WhatsApp API to businesses. Here’s why you should get WhatsApp Business API from a business provider: 1. ​Business providers **simplify the WhatsApp Business API setup**, helping you quickly and smoothly establish your messaging capabilities, and reducing potential administrative difficulties. 2. Providers offer **end-to-end technical support** also pre-built tools like **no code drag and drop bot** creation, etc. for a smooth and simple implementation and this also helps in reducing the expenditure on the development team. 3. It is also easier to get a **verified badge (blue tick)** if the API is bought from a verified BSP. 4. Getting WhatsApp Business API by a business provider also **reduces the chances of getting flagged as spam** on sending bulk messages. 5. **Easy troubleshooting** and contact of the support as you can always reach out to the provider. Document Requirements for Using WhatsApp API -------------------------------------------- A few documents are required to verify your business on Meta. 1. Link to your fully functional website; It makes it easier for onboarding on Meta. 2. Link to your Facebook page. 3. Certificate of incorporation or MSME Udyog Aadhar(for companies in India). This will help us verify your legal company name and phone number. 4. GST Number(Optional). After ensuring you have the required things you can reach out to any WhatsApp Business Service Provider to buy their subscription. ### How to Get a WhatsApp API Account On Heltar? Things you need: 1. A number that is not associated with WhatsApp or WhatsApp Business account. 2. Facebook Account Credentials. If you get the WhatsApp API from Heltar you need not worry about anything further and we will guide you through every step ahead. Steps for Onboarding: 1. Log in to [**app.heltar.com**](http://app.heltar.com). ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735121680031-compressed.png) 2. Click on **Register**. The following screen is displayed: ​ ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735121961529-compressed.png) ** 3. Fill in all the required details and click on **Register**. 4. Go back to the following screen and **fill in the credentials** that you created in the last step.​ ** ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735122049978-compressed.png) ** ** 5. Following screen is displayed. Go to **Settings** (on bottom left)> **WhatsApp API Setup** (first option) > **Embedded Signup**. 6. Fill in with Facebook account credentials. 7\. Click on **Get started**. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735122337219-compressed.png) ** ​**Note:** Enter the business name as it appears on the Legal Documents. Click on **Next**. 8. Click on **Next**. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735122540217-compressed.png) ** 9. Enter the required details. Click on **Next.** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1735122500476-compressed.png) 10. Select the country code and enter the number which has to be linked with WhatsApp API. **Note:** This number must not be associated with WhatsApp or WhatsApp Business. Click on **Next**. 11. Enter the received OTP. Click on **FINISH**. * The page is redirected to the WhatsApp API Screen. Refresh it once or twice (if needed). * Upon refreshing you'll see that all the fields have been updated. * This shows that the onboarding has been successfully done and the platform is usable. Prerequisites for Business Verification --------------------------------------- Any one of the following legal documents- 1.    Business bank statement. 2.    Business registration or license document. 3.    Business tax document. 4.    Certificate/articles of incorporation. 5.    Change of business name (rebranding). 6.    Certificate of incorporation certificate of incorporation. 7.    UDYAM registration certificate (MSME). 8.    Goods and Services Tax registration certificate (GST). Popular Business providers for WhatsApp Business API, their Features and Pricing. --------------------------------------------------------------------------------- There are many Business providers for WhatsApp Business API such as Heltar, Wati.io, Interakt, Aisensy, Gallabox, etc. The features that are offered by different BSPs are Rich Media Support, Chatbot integration for automated responses, No/Low code tools, Analytics, and reporting to monitor performance. You can choose one that best suits your needs. Below is a comprehensive comparison of features offered by a few popular BSPs. Feature Interakt Wati Aisensy Gallabox Heltar Starter Pack Pricing ₹9,588/annum ₹23,988/annum ₹10,788/annum ₹28,788/annum ₹11,999/annum Advanced Pack Pricing ₹33,588/annum ₹1,61,988/annum ₹25,908/annum ₹95,988/annum ₹23,999/annum Pricing per Conversation - Marketing ₹0.882 ₹0.94152 ₹0.88 ₹0.902 ₹0.76 Pricing per Conversation - Utility ₹0.16 ₹0.138 ₹0.125 ₹0.1323 ₹0.32 Chatbot Sessions Not specified 5000 Chatbot Sessions in Business Plan (₹13,499/month) ₹999/month 5 Chatbots for Basic (₹999/month) and Pro Plans (₹2399/month) Unlimited Chatbots in Growth/Pro (₹1,999/month) and Enterprise Plan (₹2,999/month) Automation Basic automation with limited analytics Extensive automation features with chatbot support Basic automation features and analytics Extensive automation features Extensive automation features with chatbot support Team Collaboration Features Shared Team Inbox with unlimited members 5 Users, Additional Cost Per User Starting from ₹699/month/user Shared Team Inbox with unlimited members Shared Inbox for upto 6 users Shared Team Inbox with unlimited members API Integration Yes, supports advanced API Integration Yes, supports custom integrations via APIs Yes, supports robust integrations via APIs Yes, supports advanced API integrations Yes, supports advanced API Integration Instagram DM Integration Yes Yes Yes Yes No Click-to-WhatsApp Ads Analytics Yes Yes Yes Yes Yes Shopify Integration Yes ($15 per month) Yes ($4.99 per month) Yes ($1 one-time fee) Yes ($5 per month) Yes, free Phone Number Masking No Yes Yes Yes Yes Personal End-to-End Customer Support No No No No Yes Try Heltar Today​ ----------------- ​[Start with our free trial](https://app.heltar.com/register) or [Book a Demo](https://www.heltar.com/demo.html) and experience the difference in service and support. Choose [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm4gxpe7h003iksvy3gtxelxv/heltar.com) for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your budget. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Marketing Strategies for Businesses [2025] Author: Prashant Jangid Published: 2024-12-25 Category: WhatsApp Business API Tags: Digital Marketing URL: https://www.heltar.com/blogs/comprehensive-guide-to-whatsapp-marketing-for-businesses-2025-cm53pb4xr0002rl59125pdo4g With over 3 billion people using WhatsApp in their day to day lives, leveraging WhatsApp marketing can significantly enhance business operations. Given its extensive user base and rapid connectivity, WhatsApp can significantly enhance communication and marketing efficiency for any business. In 2025, businesses are utilizing WhatsApp to: * Execute effective promotional campaigns and product advertisements. * Manage and enhance customer relationships. * Improve customer engagement by tailoring messages based on individual profiles. Let us understand WhatsApp marketing in a broader sense. What is WhatsApp Marketing? Using WhatsApp businesses can market their products and services by reaching out to a  large number of potential customers regarding promotions, discounts and product/service offering. Businesses can also lower the communication barrier and effectively guide their customers through their purchase. And with WhatsApp API coming into the picture, businesses can do a lot more, such as send promotional messages to millions of customers with a single click, have team inboxes to allow all members of the team to respond to customer queries, setup no-code chatbots for automated messaging and also integrate several other features to give an overall boost to their business. Benefits of WhatsApp Marketing Over Traditional Marketing --------------------------------------------------------- 1. **Increased engagement rate:** Traditional marketing doesn’t guarantee the instant interaction that WhatsApp provides. Businesses can engage with customers in real time, allowing no loss of precious sales time. 2. **Personalized communication:** In traditional marketing, a single message is sent to everyone. But with WhatsApp marketing, you can personalize messages for long-lasting impressions. 3. **Cost effective marketing:** While traditional marketing can get expensive, WhatsApp marketing is a lot more budget friendly. A single chatbot can handle millions of conversations simultaneously. 4. **Data-Driven Decisions:** Traditional marketing doesn’t provide the scale with which WhatsApp supports real-time insights into customer behavior. You can merge WhatsApp with various analytics tools, which helps a lot in figuring out what’s working and what’s not! 5. **Optimizing customer support:** Utilizing features like team inbox allow all team members of companies to address queries or grievances efficiently. Effective WhatsApp Marketing Strategies --------------------------------------- By implementing smart business strategies, you can maximize the potential of WhatsApp marketing and boost your conversion rate by upto 70%. Here are some effective strategies:​ 1. **Providing assistance:** By offering shopping aid and being available to answer queries, you guide customers through their purchase journey, increasing the likelihood of successful sales. 2. **Encourage Impulse Buying:** Utilize spontaneous buying opportunities by offering limited-period discounts. This not only boosts immediate sales but also strengthens customer loyalty. 3. **Providing after-sales service:** Collect feedback on the buying process, assistance, and products through WhatsApp. This shows continued support, enhancing customer trust and encouraging repeat purchases. 4. **Retargeting Leads:** Analyze leads' interactions and responses to previous marketing efforts. Use this data to create targeted campaigns, increasing the chances of converting leads into customers. 5. **Revising click-through WhatsApp Ads:** Keep ads fresh and engaging by regularly updating visuals and copy. Segment consumers to deliver relevant ads, reducing ad fatigue and improving conversion rates. 6. **Cart Abandonment Strategies:** Send follow-up messages with friendly reminders and discount codes to customers with abandoned carts. Personalize these messages to encourage them to complete their purchase. Examples of Popular Business Campaigns -------------------------------------- A couple of real-life examples of famous companies utilizing WhatsApp to elevate their business by huge margins: 1. **Netflix’s “I’m in”  Campaign:** Popular streaming service, Netflix was experiencing inactive subscribers. The company launched this campaign by identifying the inactive users and unsubscribed users and sent them recommendations, notifications and new releases using WhatsApp newsletter. This helped them minimize inactivity and retain their subscribers. The campaign was highly successful, with over 700,000 views on YouTube and significant media coverage. 2. **Hellmann’s Mayonnaise WhatsCook Campaign:** Hellmann’s used WhatsApp to offer cooking tips and recipes engaging customers in a fun and interactive way. Consumers simply had to send a picture of their refrigerator's contents, and they would receive personalized recipe using Hellmann's mayonnaise and other available ingredients. The campaign achieved a 99.5% satisfaction rate, with an average engagement time of 65 minutes per user. 3. **Unilever's “Help a child reach 5” campaign:** Unilever launched this campaign in India to raise awareness about child mortality and nutrition. They used WhatsApp to encourage donations and provided advice and product information through a unique contact number. The campaign achieved great results, reducing the incidence of diarrhea from 36% to 5% in the village of Thesgora. Lifebuoy’s handwashing programs have impacted the hygiene habits of 183 million people in 14 countries. These campaigns are a great example of how brands can use WhatsApp to create meaningful and interactive experiences for their customers, enhancing brand loyalty and engagement. Take the Next Step - Use WhatsApp API to streamline conversations ----------------------------------------------------------------- Utilizing the WhatsApp API can significantly improve customer engagement through various strategies. WhatsApp API gives you access to much needed features for businesses like Team Inbox, Personalized Bulk Broadcast, No-code chatbots and advanced analytics to name a few.  A team inbox enables multiple team members to handle and respond to customer inquiries from a single number, ensuring timely and efficient communication. Businesses can send messages in bulk to a greater number of clients simultaneously, increasing the efficiency of the overall process. No-code chatbots can automate responses to common queries, offering quick assistance without requiring programming skills. By implementing these strategies, businesses can effectively engage their audience, improve customer interactions, and drive significant growth, making WhatsApp an indispensable tool for marketing success. Find more insightful blogs at [Heltar Blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Meta WhatsApp Business "Pending" Status: Solve in 2025 Author: Prashant Jangid Published: 2024-12-21 Tags: Phone Number Error, WhatsApp API Error URL: https://www.heltar.com/blogs/what-to-do-about-business-whatsapp-account-in-pending-status-cm4xrj4ra00c0o6ht4shl9c3p If your Business WhatsApp account is stuck in a "pending" status, it can disrupt operations and lead to unnecessary delays. Fortunately, resolving this issue is straightforward if you follow these steps carefully. Here’s a comprehensive guide to get your account back on track: Step-by-Step Solution to Fix "Pending" Status --------------------------------------------- 1\. Check the phone numbers dashboard on your Meta Account Log in to your Meta account and navigate to the **Phone Numbers Dashboard**. This is where you can view all registered numbers and their statuses. Identify the number that is labeled as "pending." ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-from-2024-12-21-11-32-21-1734760982939-compressed.png) ### ### 2\. Go to your Meta Apps Dashboard Head over to the **Meta Apps Dashboard**. This is the central hub for managing your integrations with WhatsApp Business. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/pic2-1734761279525-compressed.png) ### ### 3\. Select the correct phone number that is showing a "pending" status Find the phone number showing a "pending" status and select it to access its settings and details. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-from-2024-12-21-11-38-46-1734761374832-compressed.png) ### ### 4\. Select "Generate Access Token" Once inside the phone number’s settings, click on **"Generate Access Token."** This refreshes the token used for authentication, resolving any expired or invalid token issues. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/pic4-1734761827568-compressed.png) ### ### 5\. Confirm your account Verify all necessary details and confirm your account settings. Ensure everything matches the information you provided during registration. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/pic5-1734764281659-compressed.PNG) ### ### 6\. Select "Opt in to all current and Future Accounts" and click continue To avoid similar issues in the future, select the option **"Opt in to all current and future accounts"** and click **Continue.** ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/pic-6-1734764386385-compressed.PNG) ### ### 7\. See your phone numbers dashboard and you will find that the problem has been resolved Return to your **Phone Numbers Dashboard**. The status for your phone number should now display as active or resolved. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/pic7-1734764443451-compressed.PNG) Why Does the "Pending" Status Happen? ------------------------------------- The "pending" status on a Business WhatsApp account often occurs due to: * Incomplete verification processes. * Expired or invalid access tokens. * Account or phone number misconfiguration. By following the steps outlined above, you can easily resolve these issues and ensure uninterrupted access to your WhatsApp Business tools. Need Additional Support? If you’re still experiencing issues after following these steps, visit our blog for more insights and troubleshooting tips: [Heltar.com/blogs](https://heltar.com/blogs). Our resources are designed to help you maximize the potential of your WhatsApp Business API. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Wati vs DoubleTick - Objective Comparison in 2025 Author: Manav Mahajan Published: 2024-12-18 Category: WhatsApp Business API Tags: DoubleTick Pricing, WhatsApp API Comparison, Wati Pricing URL: https://www.heltar.com/blogs/wati-vs-doubletick-objective-comparison-in-2024-cm4uepuy1005ko6htub9li2gb Looking for a WhatsApp Business API alternative for your business?  ------------------------------------------------------------------- In this article, we’ll compare **Wati** and **DoubleTick** to help you identify the best platform for your business communication needs. Our methodology is simple: We’ll analyze the most accessible plans that represent typical business use cases, excluding complex enterprise offerings that vary widely across organizations. By the end of this comparison, you'll gain a clear understanding of how Wati and DoubleTick stack up, so you can make an informed decision that aligns with your business goals. ### Feature Comparison: Wati vs DoubleTick **Feature** **Wati** **DoubleTick** **Winner** **Starter Pack Pricing** ₹29,988/year ₹30,000/year (+18% GST) **Wati** **Pro Pack Pricing** ₹2,03,988/year ₹42,000/year (+18% GST) **DoubleTick** **Pricing per Conversation - Marketing** ₹0.94152 ₹0.8855 **DoubleTick** **Pricing per Conversation - Utility** ₹0.138 ₹0.1265 **DoubleTick** **Free Chatbot Sessions** 5,000/month (most expensive plan) Not specified **Wati** **Automation** Extensive automation with chatbot support Advanced workflows & automation **Tie** **Team Inbox** Shared team inbox with advanced support Up to 10 agents in Starter/Pro plans **Wati** **Tags & Attributes** Unlimited Unlimited **Tie** **Chatbot Builder** Included Included in advanced workflows **Tie** **Third-Party Integrations** Yes Available in Pro plan **Wati** **Mobile Accessibility** Yes (Mobile + Web) Yes (Mobile + Web) **Tie** **Shared Team Inbox** Yes Yes **Tie** **End-to-End Customer Support** No No **Tie** Cons of Wati ------------ ![Wati | Business Messaging Made Simple on Your Favourite App!](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1734557622374-compressed.png) 1. **High Pricing for Small Businesses**: Wati’s starter plan is priced at **₹29,988/year**, which can be costly for small and medium-sized businesses looking for affordable solutions. 2. **Free Chatbot Sessions Limited**: Wati offers only **5,000 free chatbot sessions per month** in its most expensive plan, making it insufficient for businesses with high customer engagement. 3. **Utility Conversation Fees**: While Wati provides extensive automation features, it charges **₹0.138 per utility conversation**, which may add up for businesses with high conversation volumes. 4. **No Personal End-to-End Support**: Wati lacks personalized customer support, which could impact businesses that require onboarding and hands-on assistance. > Explore [Wati Pricing](https://www.heltar.com/blogs/wati-pricing-explained-2024-a-comprehensive-breakdown-updated-cm2caa19d0000m1jll93j556z#:~:text=Wati%20offers%20tiered%20pricing%20plans,plan%20available%20for%20larger%20enterprises.) in detail through another informative blog. Cons of DoubleTick ------------------ ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/logo-1738345832236-compressed.webp) 1. **Agent Limits**: DoubleTick’s **Starter Plan** allows only up to **5 agents**, and even its Pro plan caps at **10 agents**, whereas competitors like Wati offer shared inboxes with more flexibility. 2. **Pro Features Locked**: DoubleTick locks advanced features such as **developer APIs and analytics** behind higher-tier plans, which may force businesses to upgrade sooner than expected. 3. **Undisclosed Chatbot Session Limits**: Unlike Wati, DoubleTick does not specify free chatbot sessions, making it unclear how much businesses can expect for automation. 4. **Pricing Transparency**: The pricing structure for conversation fees and higher-tier plans may appear less transparent compared to other platforms. How Heltar Stacks Up Against Wati and DoubleTick ------------------------------------------------ If you find both Wati and DoubleTick lacking in affordability, simplicity, or customer support, here’s how **Heltar** emerges as a superior WhatsApp Business API provider: #### 1\. Simplified and Affordable Pricing Wati’s and DoubleTick’s plans start at **₹29,988/year** and **₹30,000/year (+18% GST)** respectively, which can strain small and medium businesses. In contrast, **Heltar’s pricing starts at ₹999/month**, making it significantly more budget-friendly. Moreover, Heltar maintains a transparent **5% markup** across all conversation types, unlike the variable pricing models of Wati and DoubleTick. #### 2\. No-Code, User-Friendly Platform Both Wati and DoubleTick feature steep learning curves due to their complex interfaces and workflows. Heltar eliminates this issue with an intuitive, no-code drag-and-drop chatbot builder and a clean dashboard designed for quick and easy adoption. #### 3\. Unlimited Tags & Attributes Across Plans While DoubleTick offers unlimited tags, it restricts agent numbers in lower plans. Heltar offers **unlimited tags, attributes, and agent flexibility** across all plans, ensuring businesses have the tools they need to scale. #### 4\. End-to-End Personalized Support Unlike Wati and DoubleTick, which lack personalized customer support, **Heltar prioritizes customer success** with hands-on onboarding, thorough knowledge transfer, and ongoing assistance to help businesses maximize platform usage. Conclusion: Which Platform Is Right for You? -------------------------------------------- * **Choose Wati** if you need extensive automation features, chatbot support, and a shared team inbox, and don’t mind paying higher subscription fees. * **Choose DoubleTick** if your business prioritizes lower per-conversation fees, advanced workflows, and agent analytics but can work within agent limits in starter plans. * **Choose Heltar** if you’re looking for a **simplified, affordable, and user-friendly solution** with unparalleled customer support and transparent pricing. Try Heltar Today ---------------- > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm4uepuy1005ko6htub9li2gb/heltar.com) for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your budget. **Get Started Now and Simplify Your Business Communications!** --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Gallabox vs DoubleTick - Objective Comparison in 2025 Author: Manav Mahajan Published: 2024-12-18 Category: WhatsApp Business API Tags: DoubleTick Pricing, Gallabox Pricing, WhatsApp API Comparison URL: https://www.heltar.com/blogs/gallabox-vs-doubletick-objective-comparison-in-2024-cm4ude5nv005jo6ht2ojc4jql Looking for a WhatsApp Business API alternative for your business?  ------------------------------------------------------------------- In this article, we'll be comparing Gallabox and DoubleTick's WhatsApp API offerings. Our methodology is straightforward: We'll analyze the most accessible plans that represent typical business needs, excluding complex enterprise offerings that can vary significantly based on individual organizational requirements. By the end of this analysis, you'll have a clear, actionable understanding of how Gallabox and DoubleTick stack up, enabling you to make an informed decision that aligns with your business communication strategy. **Feature** **Gallabox** **DoubleTick** **Winner** **Starter Pack Pricing** ₹11,988/annum ₹30,000/year (plus 18% GST) Gallabox **Advanced Pack Pricing** ₹71,988/annum ₹42,000/year (plus 18% GST) DoubleTick **Pricing per Conversation - Marketing** ₹0.94152 ₹0.8855 DoubleTick **Pricing per Conversation - Utility** ₹0.138 ₹0.1265 DoubleTick **Automation** Extensive automation features Limited automation options Gallabox **User Limit** Maximum 6 Maximum 5 in base plan, 10 in pro DoubleTick **Tags & Attributes** Yes Limited tags & attributes Gallabox **Shopify Integration** Yes (additional USD 5/month) 3rd Party Integrations not in base plan Gallabox **Shared Team Inbox** Yes Yes Tie **Personal End-to-End Customer Support** No No Tie You can discover an in-depth breakdown of pricing and plans of [Gallabox](https://www.heltar.com/blogs/gallabox-pricing-explained-an-updated-breakdown-september-2024-cm1pcdr4s008ptpnfk6uqv86l#:~:text=Gallabox%20offers%20tiered%20pricing%20plans,plan%20available%20for%20larger%20enterprises.) and DoubleTick here. **Cons of Gallabox** -------------------- **![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/gallabox-logo-1735302003794-compressed.png)** 1. **Extra Charges:** While GallaBox provides robust features, many advanced capabilities are locked behind higher-priced plans. Essential features like advanced analytics, automated workflows, and API integrations are only available in the more expensive plans. Apart from that, GallaBox charges extra fees for employing integrations, like an additional USD 5 per month for a shopify integration. 2. **Lack of Customer Support:** Gallabox does not offer a personal end-to-end customer support service, which could be a drawback for businesses that value comprehensive and personalized customer support. 3. **Complexity:** Gallabox offers a variety of features, but the interface could be difficult to learn for inexperienced users. The tiered functionality makes it hard to locate important tools within the complex menu structure it offers. It may be a real pain for people who are not familiar with navigating multi-tiered software ecosystems. ### **What their users have to say?** "It offers normal chatbot features with WhatsApp API. I was actually looking for a chatbot feature without an API. Wasn't able to find that. Anyways, good builder. Easy to use builder they have. I didn't find Gallabox more attractive than the competition. It offers basic features like its competitors." ~ Gallabox User (Review collected by and hosted on G2.com) **Cons of DoubleTick** ---------------------- **![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/dt-logo-1735302080668-compressed.webp)** 1. **Agent Limits in Lower Plans**: The Starter plan allows only **5 agents**, and even the Pro plan limits agents to **10**, whereas AiSensy offers unlimited agent logins across all plans. 2. **No Dedicated Customer Support**: Similar to AiSensy, DoubleTick does not offer personal end-to-end customer support, which can impact businesses requiring hands-on assistance. 3. **Pro Feature Lock**: Some critical features, like developer APIs and analytics, are locked behind higher-tier plans, requiring businesses to pay a premium. ### **What their users have to say?** > "Support team is responsive. The KAM assigned - Mr. Suchit is friendly and helpful. At times we don't receive an immediate or same day response. The KAM is only available via time slot booking which causes delay in implementing certain high priority tasks." ~ DoubleTick User (Review collected by and hosted on G2.com) **How does Heltar stack up against the cons of Gallabox and DoubleTick?** ------------------------------------------------------------------------- **1\. More Affordable Pricing Structure:** Compared to Gallabox and DoubleTick, Heltar offers a more budget-friendly pricing model. Gallabox's plans start at ₹11,988/year and go up to ₹71,988/year, while DoubleTick's plans start at ₹30,000/year. In contrast, Heltar's base plan starts at a more affordable monthly rate, starting as low as INR 999/month, making it accessible to a wider range of businesses. Additionally, Heltar has a simplified and transparent 5% markup across all conversation types, rather than varying per-conversation fees like Gallabox and DoubleTick. **2\. Intuitive and User-Friendly Platform:** While Gallabox and DoubleTick offer essential features, their platforms can be complex or limited in functionality. Heltar, on the other hand, is designed with a focus on ease of use. It features an intuitive dashboard and a no-code drag-and-drop chatbot builder that reduces the learning curve, allowing businesses to set up quickly without compromising on efficiency. **3\. End-to-End Personalised Customer Support:** Gallabox and DoubleTick’s customer support offerings are limited. In contrast, Heltar prioritizes customer satisfaction and ensures that all customers, regardless of their subscription plan, receive end-to-end customer support. This includes thorough knowledge transfer of the platform and continued assistance, ensuring that businesses can make the most out of Heltar's features and get the support they need to succeed. Try Heltar Today ---------------- > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm4gxdnp8003hksvy3tptr7rm/heltar.com) for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your budget. **Get Started Now and Simplify Your Business Communications!** --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## AiSensy vs DoubleTick - Objective Comparison in 2025 Author: Manav Mahajan Published: 2024-12-18 Category: WhatsApp Business API Tags: WhatsApp API Comparison, AiSensy URL: https://www.heltar.com/blogs/aisensy-vs-doubletick-objective-comparison-in-2024-cm4ucvmz0005io6htvaez4leg Looking for a WhatsApp Business API alternative for your business? ------------------------------------------------------------------ In this article, we’ll be comparing **AiSensy** and **DoubleTick’s WhatsApp API Offerings**. Our methodology is straightforward: We'll analyze the most accessible plans that represent typical business needs, excluding complex enterprise offerings that can vary significantly based on individual organizational requirements. By the end of this analysis, you'll have a clear, actionable understanding of how AiSensy and DoubleTick stack up, enabling you to make an informed decision that aligns with your business communication strategy. **Feature** **DoubleTick** **AiSensy** **Winner**​ **Starter Pack Pricing** ₹30,000/year (plus 18% GST) ₹10,788/year **AiSensy** **Pro Pack Pricing** ₹42,000/year (plus 18% GST) ₹25,908/year **AiSensy** **Pricing per Conversation - Marketing** ₹0.8855 ₹0.88 **AiSensy** **Pricing per Conversation - Utility** ₹0.1265 ₹0.125 **AiSensy** **Team Inbox** Up to 10 agents (Starter/Pro plans) Unlimited Agent Logins **AiSensy** **Automation** Advanced workflows & automation Basic automation features & analytics **DoubleTick** **Tags & Attributes** Unlimited Limited to 10 tags & 5 attributes in basic plan **DoubleTick** **Chatbot Builder** Advanced workflows included Hidden charges at ₹1,999/month **DoubleTick** **Third-Party Integrations** Available in Pro Plan Available with cheaper plans as well **AiSensy** **Analytics** Agent & Organizational Analytics Basic Analytics **DoubleTick** **Mobile Accessibility** Yes (Mobile + Web) No dedicated iOS/Android app **DoubleTick** **Shared Team Inbox** Yes Yes **Tie** **Personal End-to-End Customer Support** No No **Tie** You can discover an in-depth breakdown of pricing and plans of [AiSensy](https://www.heltar.com/blogs/aisensy-pricing-explained-2024-a-comprehensive-breakdown-updated-cm2cb1vj00003m1jlzvuunobn) and DoubleTick here. Cons of AiSensy --------------- * **Pricing Complexity**: AiSensy’s pricing plans can add up quickly with up to **21% markups per conversation**, making it expensive for scaling businesses. Advanced features like the chatbot builder require an additional **INR 1,999 per month**. * **Learning Curve**: The AiSensy interface can be difficult for inexperienced users who are unfamiliar with multi-tiered software platforms. * **Mobile Limitations**: AiSensy lacks dedicated iOS or Android apps, which makes on-the-go management inconvenient for businesses. * **Restricted Tags & Attributes**: AiSensy’s basic plan has significant restrictions on tags (10) and attributes (5), limiting the ability to manage and segment customers efficiently. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/aisensy-logo-1738345577345-compressed.png) Cons of DoubleTick ------------------ * **Agent Limits in Lower Plans**: The Starter plan allows only **5 agents**, and even the Pro plan limits agents to **10**, whereas AiSensy offers unlimited agent logins across all plans. * **No Dedicated Customer Support**: Similar to AiSensy, DoubleTick does not offer personal end-to-end customer support, which can impact businesses requiring hands-on assistance. * **Pro Feature Lock**: Some critical features, like developer APIs and analytics, are locked behind higher-tier plans, requiring businesses to pay a premium. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/logo-1738345599120-compressed.webp) How Heltar Stacks Up Against the Cons of AiSensy and DoubleTick ### 1\. **Simplified and Affordable Pricing Structure** Compared to AiSensy’s higher pricing and DoubleTick’s undisclosed conversation fees, **Heltar** offers a transparent and affordable pricing model. Plans start at as low as **₹899/month**, making it accessible to small and medium-sized businesses. Additionally, Heltar maintains a flat **5% markup across all conversation types**, avoiding the varying and complex fees of AiSensy. ### 2\. **Intuitive and User-Friendly Platform** Both AiSensy and DoubleTick have steep learning curves due to multi-tiered interfaces and advanced features that are hard to navigate for new users. In contrast, **Heltar** prioritizes ease of use with an intuitive dashboard and a **no-code drag-and-drop chatbot builder**, ensuring quick adoption without compromising functionality. ### 3\. **Unlimited Tags & Attributes** While AiSensy restricts tags and attributes in its basic plan and DoubleTick limits these to certain tiers, **Heltar** offers unlimited tags and attributes across all plans, giving businesses the flexibility to manage customer segments seamlessly. ### 4\. **End-to-End Personalized Customer Support** Unlike AiSensy and DoubleTick, which lack personalized support, **Heltar** ensures all customers receive dedicated, end-to-end support. This includes thorough **knowledge transfer** and continuous assistance to help businesses unlock the platform’s full potential. Try Heltar Today ---------------- > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm4gxdnp8003hksvy3tptr7rm/heltar.com) for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your budget. ### **Get Started Now and Simplify Your Business Communications!** --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Wati vs Gallabox - Objective Competitor Comparison (2025) Author: Manav Mahajan Published: 2024-12-16 Tags: Wati vs Gallabox, Gallabox User Reviews, Wati User Reviews URL: https://www.heltar.com/blogs/wati-vs-gallabox-objective-competitor-comparison-2024-cm4r17x3x0000174j9d2onwon Looking for a WhatsApp Business API alternative for your business? In this article,we’ll be comparing Wati and Gallabox's Whatsapp API Offerings. Our methodology is straightforward: We'll analyze their chepaest and most expensive offerings, excluding the _enterprise plans_ that can vary significantly in features and pricing based on the organizational requirements. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/wati-v-galla-1735301824150-compressed.jpg) By the end of this analysis, you'll have a clear, actionable understanding of how Wati and Gallabox stack up, enabling you to make an informed decision that aligns with your business communication strategy. Cheapest Plan Comparison: Wati vs Gallabox ------------------------------------------ **Feature** Wati Growth Gallabox Growth Winner **Annual Cost​** ₹29,988/year ₹11,988/year  Gallabox **Marketing Conversation Cost** ₹0.94152   ₹0.94152 Tie **Unlimited Agent Logins** No No, only 6 users Gallabox **Chatbot sessions** Limited Unlimited Gallabox **Shopify Integration** $5/Month $5/Month Tie **Zoho** Yes, bad customer reviews Yes, Free Gallabox **Other Integrations** Pabbly, Webengage, WooCommerce, PayU, Clevertap, Leadsquared Hubspot, Google Sheet, Cashfree, Kylas, Shiprocket, WooCommerce, Calendarly Gallabox Wati offers a more affordable and feature-rich plan compared to Gallabox, particularly with its lower annual cost, unlimited agent logins, and advanced audience segmentation. However, Gallabox provides valuable features like chatbot flows and more integration options, making it a strong choice for businesses looking for these capabilities. Overall, for cost-conscious users prioritizing core features, Wati is the better option, while Gallabox may be more suitable for those needing advanced automation and integrations. Gallabox & Wati Customer Reviews ----------------------------------- ### Wati Reviews > I am very unhappy about this extension, i could not connect with my ZOHO, it never showing the settings page for integration, and there is no option for contact this people. either ZOHO or WATI Blaming each other when we connect them. > I'm happy that you gave this step to a so important feature for Zoho, however the integration still too weak. After a few tests I undone the integration and gave up about it. I hope you continue working hard on it to make it work properly and effectively. Don't forget to give special attention also for it's efficiency though Zoho mobile app, as one of Whatsapp biggest advantage is mobility, not only for the customer but also to the company. ​_~Wati Customers, Source: Zoho Marketplace_​ ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/wati-1734354678757-compressed.png) ​ Gallabox Reviews > I find Gallabox to be a very user-friendly platform that simplifies managing WhatsApp communications. It integrates seamlessly with popular CRM tools and e-commerce platforms like Zoho, Shopify, and WooCommerce, which makes it easy to streamline operations. The WhatsApp Chatbots are particularly useful, automating many customer interactions and ensuring quick responses. I’ve also found the platform's multi-agent shared inbox to be a great feature for team collaboration, ensuring no customer query goes unanswered. > One of the standout features for me is the flexibility Gallabox offers in terms of automation and customer engagement. I can easily run WhatsApp drip campaigns and broadcast messages tailored to specific audience segments. This has helped improve marketing efforts and customer retention. The platform is also highly responsive, and their support team is always quick to assist, which has made my experience even better. Overall, it’s a solid tool for businesses looking to enhance communication through WhatsApp ​~Gallabox Customers, Source: G2 ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-31-225214-1738344579035-compressed.png) ### Try Heltar Today > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://www.heltar.com/) for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your wallet. Have a look at some of our other [comparisons](https://www.heltar.com/blogs/aisensy-vs-interakt-real-user-reviews-comparison-2024-cm4asbnye003fdm7gvbm7qx08). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Error 130472: User's Number is Part of an Experiment [Everything You Need to Know] Author: Prashant Jangid Published: 2024-12-15 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/whatsapp-api-error-130472-users-number-is-part-of-an-experiment-everything-you-need-to-know-cm4pmys5q00gg10m810454has If you use the WhatsApp Business API for marketing, you may encounter error code **#130472** with the message: **"User's number is part of an experiment."** This blog explains why this happens and what you can do about it. ### What Does Error 130472 Mean? Starting June 14, 2023, WhatsApp began running a **Marketing Message Experiment** affecting roughly 1% of users. Under this experiment: * Marketing template messages are **not delivered** to users in the test group unless at least one of these conditions is met: * The customer must have messaged your business within the last 24 hours. * A marketing message conversation must already be ongoing with the customer. * The customer initiated contact via a free-entry point, such as a Click-to-WhatsApp ad or link. * If your message is blocked as part of the experiment, you receive a webhook with error code #130472, and the message will be marked as undeliverable. You are **not billed** for undelivered messages, and resending the message will result in the same error. ### What Can You Do About It? If you need to send a marketing message to a customer affected by this experiment: 1. **Ask the customer to message you first.** Once they initiate contact, you can respond within the 24-hour customer service window. 2. Use email, SMS, calls, or other **alternate communication channels** to contact the customer. WhatsApp cannot provide exceptions or opt-outs for users in the experiment group and **attempting to resend the message will not bypass the restriction.** However, as the experiment applies to a very small percentage of users, most of your messages will still go through. For more insights related to WhatsApp Business API, check out our other blogs at [heltar.com/blogs](http://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error: "Invalid Parameter" (Error Code 100) Author: Prashant Jangid Published: 2024-12-15 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-invalid-parameter-error When working with the WhatsApp Business API, encountering an error like **100: Invalid Parameter** can disrupt your progress. This error typically occurs due to issues with the parameters sent in the API request. Let’s break down the causes and look at actionable solutions. What Causes the "Invalid Parameter" Error? This error arises when: 1. You’ve included parameters that are either not supported by the API endpoint or contain spelling mistakes. 2. When setting up the business public key, it doesn’t meet the required format: a valid 2048-bit RSA public key in PEM format. 3. The phone\_number\_id in your request does not match the one previously registered. 4. One or more parameters exceed the maximum allowed length for their type. **How to Resolve the Error?** ----------------------------- ### **1\. Verify API Parameters** * Cross-check the parameters in your request with the [official endpoint references](https://developers.facebook.com/docs/whatsapp/cloud-api/reference). Ensure every parameter is correctly spelled and supported for the endpoint you’re using. * **Tip:** Pay attention to case sensitivity, as the API differentiates between uppercase and lowercase characters. ### 2\. Validate the RSA Public Key Ensure your business public key meets the following criteria: * It is 2048 bits. * It is in PEM format. **To Generate/Reuse a 2048-bit RSA Key Pair** * **1\. Generate a private RSA key pair (encrypted with a password) using the following command:** openssl genrsa -des3 -out private.pem 2048 * **2\. Export the RSA public key to a file:** openssl rsa -in private.pem -outform PEM -pubout -out public.pem * **3\. To extract and reuse an existing public key from an existing certificate use the following command:** openssl x509 -pubkey -noout -in private.pem > public.pem ### 3\. Check the Phone Number ID Confirm the phone\_number\_id you’re sending matches the ID previously registered in your WhatsApp Business Account. ### 4\. Review Length Restrictions Refer to the API documentation for length constraints on parameters (e.g., character limits for text fields). For more insights on best practices related to WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Resolving the Parameter Value Is Not Valid Error (Error Code 33) on WhatsApp API Author: Prashant Jangid Published: 2024-12-15 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/resolving-the-33-parameter-value-is-not-valid-error-on-whatsapp-business-api-cm4pmiwxo00gd10m88ddle0p9 The **"33: Parameter Value Is Not Valid"** error occurs when the business phone number in your API request has been deleted or is no longer valid. This blog provides actionable steps to resolve the issue efficiently. What Causes This Error? 1. The business phone number used in the API request has been deleted from the WhatsApp Business Account (WABA). 2. A typo or incorrect phone number was entered in the API request. **How to Resolve?** ------------------- ### 1\. Verify the Business Phone Number Ensure the phone number included in the API request is correct and active. * Log in to Meta Business Manager. * Navigate to the **WhatsApp Accounts > WhatsApp Manager > Phone numbers** section. * Confirm the listed phone numbers under the associated WhatsApp Business Account. #### 2\. Update the API Request If the number is incorrect, update your API call to include a correct valid number. #### 3\. Add a New Phone Number If the business phone number has been permanently deleted: * Log in to **Meta Business Suite**. * Go to the **Meta App Dashboard > WhatsApp > API Setup** section. * Add a new phone number and complete the setup process. #### 4\. Test the API Request After verifying or updating the phone number, resend the API request to ensure it works correctly. For more insights on navigating errors while using WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Resolving the API Service - Temporary Downtime or Overload Error (Error Code 2) on WhatsApp Author: Prashant Jangid Published: 2024-12-15 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/resolving-the-2-api-service-temporary-downtime-or-overload-error-cm4pmekiv00gc10m8vsz5g8aj The **"2: API Service - Temporary Downtime or Overload"** error on WhatsApp API indicates that the WhatsApp Business Platform is temporarily unavailable due to service downtime or being overloaded with requests. **This issue is typically temporary and resolves on its own and you cannot really do anything to make it go away.** What Can You Do? ---------------- * Visit the [WhatsApp Business Platform Status](https://metastatus.com/whatsapp-business-api) page to confirm whether there is a known service outage or maintenance. * If the platform is overloaded or undergoing maintenance, wait and retry your request after some time. For insights on troubleshooting errors on WhatsApp Business API, check out our blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Understanding Error Business Account Restricted from Messaging Users in This Country (130497) on WhatsApp Business API Author: Prashant Jangid Published: 2024-12-15 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/understanding-error-130497-business-account-restricted-from-messaging-users-in-this-country-on-whatsapp-business-api-cm4pm4d7u00gb10m8x5ob95i5 If your business encounters the "130497: Business Account Restricted from Messaging Users in This Country" error, it means WhatsApp has restricted your messaging activities in certain regions. This restriction often stems from the promotion of regulated or restricted goods and services that WhatsApp prohibits or limits based on their policies. Why Does This Error Occur? -------------------------- WhatsApp prohibits businesses from promoting specific goods and services globally, even if those goods are legal in certain regions. Additionally, messaging for some regulated items is only permitted in specific countries where local laws allow such practices. ### Restricted Categories Include: * Firearms, hazardous materials, and wildlife * Alcohol, tobacco, and drugs (including prescription and over-the-counter drugs) * Medical and healthcare products * Real money gambling, online gaming, and binary options * Adult products and services * Multi-level marketing, payday loans, and debt collection **Exceptions for Regulated Verticals** -------------------------------------- In some cases, messaging for restricted goods or services is allowed but only in specific countries where such promotions comply with local laws and WhatsApp policies. ### Examples of Allowed Countries: **1\. Online Gambling and Gaming:** Allowed in Australia, India (state-specific restrictions), Japan, Colombia, Mexico, and Peru. Organizations using WhatsApp Business messaging to promote online gambling and gaming must ensure compliance with all relevant local laws, industry codes, guidelines, and licensing requirements. Additionally, they must adhere to age and country-specific restrictions as per applicable regulations. Messaging must not be sent to individuals under the age of 18. To promote online gambling and gaming (a category of real-money gambling and gaming), businesses must: * **Obtain Approval from Meta:** Submit a request through the designated application form. _Note that approval is restricted to specific countries listed by Meta Platforms, Inc._ * **Provide Proof of Legitimacy:** Demonstrate that the gambling or gaming activities are appropriately licensed by a regulator or legally sanctioned in the targeted country. **2. Over-the-Counter Drugs:** Permitted in a wide range of countries - American Samoa, Anguilla, Antigua, Argentina, Aruba, Australia, Bangladesh, Barbados, Belize, Bermuda, Bhutan, Bolivia, Brazil, British Virgin Islands, Brunei, Cambodia, Cayman Islands, Chile, China, Colombia, Costa Rica, Curacao, Dominica, Dominican Republic, Ecuador, El Salvador, Falkland Islands, Federated States of Micronesia, Fiji, French Guiana, French Polynesia, Grenada, Guadeloupe, Guam, Guatemala, Guyana, Haiti, Honduras, Hong Kong, India, Indonesia, Jamaica, Japan, Kiribati, Laos, Macau, Malaysia, Maldives, Marshall Islands, Martinique, Mexico, Mongolia, Myanmar, Nauru, Nepal, New Caledonia, New Zealand, Nicaragua, Northern Mariana Islands, Palau, Panama, Papua New Guinea, Paraguay, Peru, Philippines, Puerto Rico, Saint Kitts and Nevis, Saint Vincent and the Grenadines, Samoa, Singapore, Solomon Islands, South Korea, Sri Lanka, St. Lucia, Suriname, Thailand, The Bahamas, Timor-Leste, Tonga, Trinidad and Tobago, Turks and Caicos Islands, Tuvalu, Uruguay, US Virgin Islands, Vanuatu, Venezuela and Vietnam. **3\. Alcohol:** Allowed in regions — American Samoa, Anguilla, Antigua, Argentina, Aruba, Australia, Barbados, Belize, Bermuda, Bhutan, Bolivia, Brazil, British Virgin Islands, Cambodia, Cayman Islands, Chile, China, Colombia, Costa Rica, Curacao, Dominica, Dominican Republic, Ecuador, El Salvador, Falkland Islands, Federated States of Micronesia, Fiji, French Guiana, French Polynesia, Grenada, Guadeloupe, Guam, Guatemala, Guyana, Haiti, Honduras, Hong Kong, Indonesia, Jamaica, Japan, Kiribati, Laos, Macau, Malaysia, Maldives, Marshall Islands, Martinique, Mexico, Mongolia, Myanmar, Nauru, New Caledonia, New Zealand, Nicaragua, Northern Mariana Islands, Palau, Panama, Papua New Guinea, Paraguay, Peru, Philippines, Puerto Rico, Saint Kitts and Nevis, Saint Vincent and the Grenadines, Samoa, Singapore, Solomon Islands, South Korea, Sri Lanka, St. Lucia, Suriname, The Bahamas, Timor-Leste, Tonga, Trinidad and Tobago, Turks and Caicos Islands, Tuvalu, Uruguay, US Virgin Islands, Vanuatu, Venezuela and Vietnam. For more details, visit the [WhatsApp Business Policy page](https://business.whatsapp.com/policy). For more insights on WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Error 368: Temporarily Blocked for Policy Violations on WhatsApp Business API [All You Need to Know] Author: Prashant Jangid Published: 2024-12-15 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/error-368-temporarily-blocked-for-policy-violations-on-whatsapp-business-api-all-you-need-to-know-cm4plwf8g00ga10m8oiw6u5la If you've encountered the **"368: Temporarily Blocked for Policy Violations"** error on your WhatsApp Business Account, it means your account has violated WhatsApp's platform policies. This blog explains what causes this error and steps you can take to resolve and prevent it. What Does This Error Mean? -------------------------- This error indicates your WhatsApp Business Account has been restricted or disabled for violating policies such as the [WhatsApp Business Messaging Policy](https://business.whatsapp.com/policy), the [WhatsApp Commerce Policy](https://business.whatsapp.com/policy), or the [WhatsApp Business Terms of Service](https://www.whatsapp.com/legal/business-terms). Common violations include: * Sending spam or unsolicited messages. * Sharing restricted or prohibited content (e.g., adult content, drugs, gambling). * Receiving excessive negative feedback from users. Types of Restrictions --------------------- Depending on the severity and frequency of violations, your account may face: 1. **Temporary Messaging Restrictions:** 1 to 30-day blocks on initiating conversations. 2. **Account Lock:** Indefinite block, requiring an appeal to unlock. 3. **Permanent Disablement:** For severe violations, such as scams or illegal activities. How to Fix This Error --------------------- ### 1\. Check Violation Details to Get Exact Details of the Violation * Log into [Meta Business Suite](https://business.facebook.com/business/loginpage/?next=https%3A%2F%2Fbusiness.facebook.com%2F%3Fnav_ref%3Dbiz_unified_f3_login_page_to_mbs&login_options%5B0%5D=FB&login_options%5B1%5D=IG&login_options%5B2%5D=SSO&config_ref=biz_login_tool_flavor_mbs) or [Business Manager](https://business.facebook.com/business/loginpage/?next=https%3A%2F%2Fbusiness.facebook.com%2F%3Fnav_ref%3Dbiz_unified_f3_login_page_to_mbs&login_options%5B0%5D=FB&login_options%5B1%5D=IG&login_options%5B2%5D=SSO&config_ref=biz_login_tool_flavor_mbs). * Navigate to **All Tools > Business Support Home > Account Overview** (the speedometer icon) to view specific violations. ### 2\. Appeal the Violation If you believe your account complies with WhatsApp policies, you can request a review: * Go to [**Business Support Home**](https://www.facebook.com/accountquality) page. * Select the violation and click **Request Review**. * Provide supporting details in the dialog box and click **Submit**. When a business submits an appeal for a violation, the WhatsApp team evaluates it against their policies to determine whether the violation should be reconsidered. This process may lead to the violation being overturned. The appeal process usually takes **24-48 hours**, and you'll receive the decision in your **Business Manager**. ### 3\. Wait Out the Restriction Period If the violation is not appealable, you'll need to wait for the restriction period to end before resuming messaging. How to Prevent Future Violations -------------------------------- 1. Familiarize yourself with the WhatsApp Commerce Policy and Business Messaging Policy. 2. Send targeted, consented messages. Avoid bulk messaging without user approval. 3. Address negative feedback quickly to prevent account restrictions. 4. Subscribe to the [account\_update webhook](https://developers.facebook.com/docs/whatsapp/overview/track-waba-policy-violations) to get real-time notifications about policy violations to take immediate action. 5. Craft high-quality messages that align with WhatsApp's standards. For more insights on making the most of WhatsApp Business API, check out our blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Resolving Error Account Has Been Locked Error (131031) on WhatsApp Business API Author: Prashant Jangid Published: 2024-12-15 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/resolving-the-131031-account-has-been-locked-error-on-whatsapp-business-api-cm4plijea00g910m8ovx643vl If you encounter **"131031: Account Has Been Locked"** error on WhatsApp API it means that your account has been restricted or disabled due to policy violations or discrepancies in the verification process. This blog provides an overview of the issue, explains possible causes, and outlines steps to resolve it effectively. What Causes This Error? ----------------------- ### 1\. Policy Violations Your account might have been locked for breaching WhatsApp’s platform policies like: * Sending spam or inappropriate messages * Promoting restricted or prohibited goods/services * Receiving excessive user complaints ### **2\. Verification Issues** The account lock can also occur if WhatsApp cannot verify the data in your request, such as: * Incorrect two-step PIN entered * Mismatch between submitted details and account information How to Diagnose the Issue? -------------------------- ### **1\. Checking Violation Details at Business Support Home** * Log into [Meta Business Suite](https://business.facebook.com/business/loginpage/?next=https%3A%2F%2Fbusiness.facebook.com%2F%3Fnav_ref%3Dbiz_unified_f3_login_page_to_mbs&login_options%5B0%5D=FB&login_options%5B1%5D=IG&login_options%5B2%5D=SSO&config_ref=biz_login_tool_flavor_mbs) or [Business Manager](https://business.facebook.com/business/loginpage/?next=https%3A%2F%2Fbusiness.facebook.com%2F%3Fnav_ref%3Dbiz_unified_f3_login_page_to_mbs&login_options%5B0%5D=FB&login_options%5B1%5D=IG&login_options%5B2%5D=SSO&config_ref=biz_login_tool_flavor_mbs). * Navigate to **All Tools > Business Support Home > Account Overview** (the speedometer icon) to view specific violations. ### **2\. Use the Health Status API** The Health Status API helps determine the messaging status of various nodes. Copy the following code: GET /?fields=health\_status #### Health Status Indicators: * **AVAILABLE:** Node meets all messaging requirements. * **LIMITED:** Node meets requirements but has restrictions (additional info provided). * **BLOCKED:** Node fails to meet requirements, and errors with solutions are included. How to Resolve the Error? ------------------------- ### 1\. In case of Policy Violation: If the Business Support Home shows a policy violation that you feel can be appealed, you can proceed to request a review. When a business submits an appeal for a violation, the WhatsApp team evaluates it against their policies to determine whether the violation should be reconsidered. This process may lead to the violation being overturned. Follow these steps to request a review: * Go to [Business Support Home](https://www.facebook.com/accountquality) page. * Select the violation and click **Request Review**. * Provide supporting details in the dialog box and click **Submit**. The appeal process usually takes **24–48 hours**, and you'll receive the decision in your **Business Manager**. ### 2\. If the Health Status shows a blocked node: If any of the node is blocked then on calling the Health Status API (using the steps described above) the response will include an errors property to describe the error as well as possible solutions. ### 3\. If Incorrect 2FA Pin Was Entered In this case you need to reset the two-factor authentication pin and re-register the number. ### 4\. Verify Account Details * Ensure that all account details, such as the two-step PIN, match the information registered with WhatsApp. * Update inaccurate or outdated information in your account settings. For more insights on making the most of WhatsApp Business API, check out our blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Understanding the API Unknown - Invalid Request or Possible Server Error (Error Code 1) Author: Prashant Jangid Published: 2024-12-15 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/understanding-the-1-api-unknown-invalid-request-or-possible-server-error-cm4plcnyk00g810m8ergu7251 The **"1: API Unknown - Invalid Request or Possible Server Error"** on WhatsApp API is caused by incorrect API requests or server-related problems. This blog will help you understand the reasons behind this error and guide you on how to resolve it effectively. What Does This Error Mean? This error typically occurs when: 1. Your API request is not formatted correctly or fails to meet endpoint requirements. 2. There’s a temporary issue or outage on WhatsApp's servers. **How to Troubleshoot and Resolve?** ------------------------------------ ### **1\.** Check WhatsApp Server Status * Visit the [WhatsApp Business Platform Status](https://metastatus.com/whatsapp-business-api) page to confirm if there’s an ongoing server issue. * If an outage is reported, wait for WhatsApp to resolve it before retrying. ### 2\. Validate Your API Request * Double-check the [API endpoint](https://developers.facebook.com/docs/whatsapp/cloud-api/reference) you’re using. Ensure it matches the intended action. * Verify that all required parameters are included and formatted correctly. This should help you resolve the API Unknown Error. For more insights on making the most of WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp API Error 131000: Something Went Wrong [Working Fix 2025] Author: Prashant Jangid Published: 2024-12-15 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-api-error-131000-something-went-wrong-working-fix-2025-cm4pl581g00g710m878qexdvg When using the WhatsApp Business API, encountering error code #131000 with the message **"Something went wrong"** can be extremely frustrating because the error message here does not clearly indicate what issue that prevented your message from being sent. Here's a breakdown of what this error means along with a workaround that has helped multiple users resolve this error. What Does Error #131000 Mean? ----------------------------- Error #131000 generally occurs when: 1. The API was unable to process the signature when setting a business public key. 2. The request to the GraphQL endpoint failed. 3. The GraphQL endpoint responded with an error. This error results in a failure to send the message, categorized as a 500 Internal Server Error. How to Resolve Error #131000? ----------------------------- ### 1\. Retry Sending Message. Wait for a few moments and try sending the message again. This error can sometimes occur due to temporary server issues. **2\. Effective Workaround - New App in Developer’s Console** While there is no exact solution prescribed by Meta there is a workaround that has been working for a few clients. Ask your Business Service Provider to **create a new app in the developer console**, where you'll input your phone numbers and templates. After that, simply **reconfigure your permanent token and webhook**. This has resolved the issue for a lot of people. You can read more about it in this [Meta Discussion Forum](https://developers.facebook.com/community/threads/870496574707908/). ### 3\. Open a Direct Support Ticket * If the error persists, contact WhatsApp Business API support by opening a [Direct Support ticket](https://business.facebook.com/business/loginpage/?next=https%3A%2F%2Fbusiness.facebook.com%2Fdirect-support#). * Include: * The exact API request and response. * Timestamp of the error. * Any relevant logs. For more insights related to WhatsApp Business API, check out our other blogs at [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Wati vs Interakt - Objective Comparison in 2025 Author: Manav Mahajan Published: 2024-12-09 Tags: Interakt User Reviews, WhatsApp API Comparison, Wati User Reviews, Interakt Pricing, Wati Pricing URL: https://www.heltar.com/blogs/wati-vs-interakt-objective-comparison-in-2024-cm4gxpe7h003iksvy3gtxelxv Looking for a **WhatsApp Business API** alternative for your business? In this article, we’ll be comparing **Wati** and **Interakt’s** Whatsapp API Offerings. Our methodology is straightforward: We'll analyze the most accessible plans that represent typical business needs, excluding complex enterprise offerings that can vary significantly based on individual organizational requirements. By the end of this analysis, you'll have a clear, actionable understanding of how Wati and Interakt stack up, enabling you to make an informed decision that aligns with your business communication strategy. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/wati-v-interakt-1735301884596-compressed.jpg) Feature Interakt Wati Winner **Starter Pack Pricing** ₹9,588/annum ₹29,988/annum Interakt **Advanced Pack Pricing** ₹33,588/annum ₹2,03,988/annum Interakt **Pricing per Conversation - Marketing** ₹0.882 ₹0.94152 Interakt **Pricing per Conversation - Utility** ₹0.160 ₹0.138 Wati **Free Chatbot Sessions** Not specified 5,000/month Interakt **Automation** Basic automation with limited analytics Extensive automation features with chatbot support Wati **Analytics** Basic analytics for automations Advanced analytics for campaigns, automations, and message performance Wati **Team Collaboration Features** Shared Team Inbox for seamless collaboration No direct shared inbox; Focus on individual user interfaces Interakt **API Integrations** Yes, supports advanced API integrations Yes, supports custom integrations via APIs Tie **Instagram DM Integration** Yes Yes Tie **Order-Related Webhooks** Yes Yes Tie **Click-to-WhatsApp Ads Analytics** Yes Yes Tie **Shopify Integration** Yes Yes Tie **Phone Number Masking** No Yes Wati **Personal End-to-End Customer Support** No No Tie **Support for Third-Party Checkout** No Yes Wati **Target Audience** Small to medium businesses with essential needs Medium to large businesses needing advanced tools Different Target Audiences > You can discover in-depth breakdown of pricing and plans of [Wati](https://www.heltar.com/blogs/wati-pricing-explained-2024-a-comprehensive-breakdown-updated-cm2caa19d0000m1jll93j556z) and [Interakt](https://www.heltar.com/blogs/interakt-pricing-explained-2024-a-comprehensive-breakdown-updated-cm1agqx7u00azb98sy3qu2ttt) here. Cons of Wati ------------ ![Wati | Business Messaging Made Simple on Your Favourite App!](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1734557045272-compressed.png) 1. Wati's starter pack is priced at ₹29,988/annum and the advanced pack is **₹2,03,988/annum**. These prices may be higher than what many businesses, especially smaller ones or those with tighter budgets, are willing to pay. 2. Wati charges ₹0.941 per conversation - marketing, which could make their platform **less cost-effective** for businesses with high conversation volumes. 3. Wati only provides 5,000 free **Chatbot** Sessions per month, that too with the most expensive plan, which **may not be sufficient** for businesses with high customer engagement or extensive chatbot usage. This could force users to upgrade to paid plans sooner than expected. **​Cons of Interakt** ![Glood AI - Personalization Platform for Shopify Plus](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1734557072060-compressed.png) **​ ** 1. Interakt charges ₹0.882 per conversation - marketing, and ₹0.138 per conversation - utility, which could be a **significant expense** for businesses that rely heavily on marketing and utility focused conversations. 2. Interakt does not offer a personal end-to-end **customer support** service, which could be a drawback for businesses that value comprehensive and personalized customer support. 3. Interakt **does not support** third-party checkout integrations, which could be a limitation for businesses that require seamless payment processing and integration with their existing e-commerce platforms. 4. Interakt only provides "**Basic analytics** for automations," while the details of their advanced analytics capabilities are unclear, making it difficult to assess how it compares to the market. **What their users have to say?** --------------------------------- > ​“User friendly interface that make anyone can easily operate. As I set up for my clients and training them how to use. But Support has gone towards WORSE in the last 2 years since we're using it.” ~ **Wati User** > ​“Interakt is very innovative and helpful for small businesses to automate their whatsapp chat and improve their interaction with new and old customers. But you need to be technosavvy to handle basic development or another option is to get a 1 year subscription for 100% help.” ~ **Interakt User** > ​“The best feature about Interakt is the ease of using and creating the team inbox where you can assign clients to different sales/customer service agents, the UI is also pretty neat and helps people from nontechnical backgrounds as well to understand easily. Another advantage is the deployment of chat bot which helps in better lead conversion and engagement. The implementation and integration are a bit tedious. A lot of effort and time is required to create chatbot responses and finally making it live.” ~ **Interakt User** ### ​** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1733743316182-compressed.png) ** How does Heltar stack up against the cons of Wati and Interakt? --------------------------------------------------------------- 1. **More Affordable Pricing Structure:** Compared to Interakt and Wati, Heltar offers a more budget-friendly pricing model. Wati's plans start at ₹29,988/year and go up to ₹2,03,988/year, which can be cost-prohibitive for many small and medium-sized businesses. Interakt's pricing is also on the higher end. In contrast, Heltar's base plan starts at a more affordable monthly rate, starting as low as INR 999/month, making it accessible to a wider range of businesses. Additionally, Heltar has a simplified and transparent 5% markup across all conversation types, rather than varying per-conversation fees like Interakt and Wati, with markups going as high as 45%. 2. **Intuitive and User-Friendly Platform:** While Interakt and Wati offer extensive features, their interfaces can be complex and difficult to navigate, especially for users new to these types of platforms. Heltar, on the other hand, is designed with a focus on ease of use. It features an intuitive dashboard and a no code drag and drop chatbot builder, that provides easy access to key tools and functionality, reducing the learning curve. This makes it easier for businesses to get up and running quickly without sacrificing functionality or efficiency. 3. **End-to-End Personalised Customer Support:** Interakt and Wati's customer support offerings are limited, with Wati not even providing setup support in their growth plan. In contrast, Heltar prioritizes customer satisfaction and ensures that all customers, regardless of their subscription plan, receive end-to-end customer support. This includes thorough knowledge transfer of the platform and continued assistance, ensuring that businesses can make the most out of Heltar's features and get the support they need to succeed. Try Heltar Today ---------------- > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm4gxpe7h003iksvy3gtxelxv/heltar.com) for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your budget --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## AiSensy vs Gallabox - Objective Comparison in 2025 Author: Manav Mahajan Published: 2024-12-09 Category: WhatsApp Business API Tags: AiSensy User Reviews , Gallabox Pricing, WhatsApp API Comparison, Gallabox User Reviews, AiSensy Pricing URL: https://www.heltar.com/blogs/aisensy-vs-gallabox-objective-comparison-2024-cm4gxdnp8003hksvy3tptr7rm Looking for a WhatsApp Business API alternative for your business?  ------------------------------------------------------------------- In this article,we’ll be comparing AiSensy and Gallabox’s Whatsapp API Offerings. Our methodology is straightforward: We'll analyze the most accessible plans that represent typical business needs, excluding complex enterprise offerings that can vary significantly based on individual organizational requirements. By the end of this analysis, you'll have a clear, actionable understanding of how AiSensy and Gallabox stack up, enabling you to make an informed decision that aligns with your business communication strategy. Feature Gallabox AiSensy Winner Starter Pack Pricing ₹11,988/annum ₹10,788/annum AiSensy Advanced Pack Pricing ₹71,988/annum ₹25,908/annum AiSensy Pricing per Conversation - Marketing ₹0.94152 ₹0.88 AiSensy Pricing per Conversation - Utility ₹0.138 ₹0.125 AiSensy Automation Extensive automation features  Basic automation features & analytics  GallaBox User Limit Maximum 6  Unlimited Agent Logins AiSensy Chatbot builder Yes, supports advanced workflows Hidden charger INR 1,999 to access the builder GallaBox Tags & Attributes Yes Yes, but limited to 10 & 5 resp. In the basic plan Gallabox Shopify Integration Yes Yes Tie Shared Team Inbox Yes Yes Tie Personal End-to-End Customer Support No No Tie > You can discover in-depth breakdown of pricing and plans of [AiSensy](https://www.heltar.com/blogs/aisensy-pricing-explained-2024-a-comprehensive-breakdown-updated-cm2cb1vj00003m1jlzvuunobn) and [Gallabox](https://www.heltar.com/blogs/gallabox-pricing-explained-an-updated-breakdown-september-2024-cm1pcdr4s008ptpnfk6uqv86l) here. Cons of AiSensy ------------------ ![AiSensy Wins 'CTWA Partner of the Year 2024' Award at WhatsApp Business Summit](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1734556874925-compressed.png) 1. AiSensy’s pricing plans charge upto 12% markups per conversation, also, the incremental costs for unlocking advanced features force businesses to either commit to higher-tier plans or compromise on functionality. An additional INR 1,999 per month for the chatbot builder can be painful to SMBs. 2. AiSensy offers a variety of features, but the interface could be difficult to learn for inexperienced users. It may be a real pain for people who are not familiar with navigating multi-tiered software ecosystems. In addition to that, AiSensy has no application for IOS or Android users, making it barely usable on phones.  3. AiSensy has limits and restrictions on the number of tags & attributes which can quickly become a bottleneck for any customer.  **Cons of GallaBox ** ----------------------- ![Terms of Service | Rules and Guidelines](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1734556947323-compressed.png) 1. While GallaBox provides robust features, many advanced capabilities are locked behind higher-priced plans. Essential features like advanced analytics, automated workflows, and API integrations are only available in the more expensive plans. Apart from that, GallaBox charges extra fees for employing integrations, like an additional USD 5 per month for a shopify integration. 2. Gallabox does not offer a personal end-to-end customer support service, which could be a drawback for businesses that value comprehensive and personalized customer support. 3. Gallabox offers a variety of features, but the interface could be difficult to learn for inexperienced users. The tiered functionality makes it hard to locate important tools within the complex menu structure it offers. It may be a real pain for people who are not familiar with navigating multi-tiered software ecosystems. What their users have to say? -------------------------------- > ​“It offers normal chatbot features with whatsapp API. I was actually looking for a chatbot feature without an API. Wasn't able to find that. Anyways, good builder. Easy to use builder they have. I didn't find gallabox more attractive than the competition. It offers basic features like its competitors.” ~ Gallabox User > ​“Dashboard is very easy to use, that's the only plus point. AiSensy's support is inadequate. When you send a message via the chat box on their website, there is no reply for hours, leaving you uncertain about what to do next. Their phone support is equally poor; if they don't have an answer to your question, they simply disconnect the call. We've been trying to contact their support for the past two days without success.” ~ AiSensy User How does Heltar stack up against the cons of AiSensy and Gallabox? ------------------------------------------------------------------ 1. **More Affordable Pricing Structure:** Compared to Gallabox and AiSensy, Heltar offers a more budget-friendly pricing model. GallaBox's plans start at ₹28,788/year and go up to ₹95,988/year, which can be cost-prohibitive for many small and medium-sized businesses. AiSensy’s pricing is also on the higher end. In contrast, Heltar's base plan starts at a more affordable monthly rate, starting as low as INR 999/month, making it accessible to a wider range of businesses. Additionally, Heltar has a simplified and transparent 5% markup across all conversation types, rather than varying per-conversation fees like Gallabox and AiSensy, with markups going as high as 45%. 2. **Intuitive and User-Friendly Platform:** While Gallabox and AiSensy offer extensive features, their interfaces can be complex and difficult to navigate, especially for users new to these types of platforms. Heltar, on the other hand, is designed with a focus on ease of use. It features an intuitive dashboard and a no code drag and drop chatbot builder that provides easy access to key tools and functionality, reducing the learning curve. This makes it easier for businesses to get up and running quickly without sacrificing functionality or efficiency. 3. **End-to-End Personalised Customer Support:** Gallabox and AiSensy's customer support offerings are limited. In contrast, Heltar prioritizes customer satisfaction and ensures that all customers, regardless of their subscription plan, receive end-to-end customer support. This includes thorough knowledge transfer of the platform and continued assistance, ensuring that businesses can make the most out of Heltar's features and get the support they need to succeed. Try Heltar Today ---------------- > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm4gxdnp8003hksvy3tptr7rm/heltar.com) for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your budget. ### ​**Get Started Now and Simplify Your Business Communications!**​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Wati vs Gallabox - Objective Comparison in 2025 Author: Manav Mahajan Published: 2024-12-09 Category: WhatsApp Business API Tags: WhatsApp API, Whatsapp Business API, Gallabox Pricing, WhatsApp API Comparison, Wati Pricing URL: https://www.heltar.com/blogs/wati-vs-gallabox-objective-comparison-in-2024-cm4gws637003cksvyosg3s05s Looking for a WhatsApp Business API alternative for your business?  ------------------------------------------------------------------- In this article,we’ll be comparing **Wati** and **Gallabox’s Whatsapp API** Offerings. Our methodology is straightforward: We'll analyze the most accessible plans that represent typical business needs, excluding complex enterprise offerings that can vary significantly based on individual organizational requirements. By the end of this analysis, you'll have a clear, actionable understanding of how Wati and Gallabox stack up, enabling you to make an informed decision that aligns with your business communication strategy. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/wati-v-galla-1735301866004-compressed.jpg) Feature Gallabox Wati Winner **Starter Pack Pricing** ₹11,988/annum ₹29,988/annum Gallabox **Advanced Pack Pricing** ₹71,988/annum ₹2,03,988/annum Gallabox **Pricing per Conversation - Marketing** ₹0.94152 ₹0.94152 Tie **Pricing per Conversation - Utility** ₹0.138 ₹0.138 Tie **Automation** Extensive automation features  Extensive automation features  Tie **User Limit** Maximum 6  Maximum 5  Gallabox **API Integrations** Yes, supports advanced API integrations Yes, supports custom integrations via APIs Tie **Click-to-WhatsApp Ads Analytics** Yes Yes, with pro and business plans Gallabox **Shopify Integration** Yes Yes Tie **Phone Number Masking** Yes Yes Tie **Personal End-to-End Customer Support** No No Tie > You can discover in-depth breakdown of pricing and plans of [Wati](https://www.heltar.com/blogs/wati-pricing-explained-2024-a-comprehensive-breakdown-updated-cm2caa19d0000m1jll93j556z) and [Gallabox](https://www.heltar.com/blogs/gallabox-pricing-explained-an-updated-breakdown-september-2024-cm1pcdr4s008ptpnfk6uqv86l) here. Cons of Wati​ ------------- ![Wati | Business Messaging Made Simple on Your Favourite App!](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1734555974489-compressed.png) 1) Wati's starter pack is **priced** at ₹29,988/annum and the advanced pack is ₹2,03,988/annum. These prices may be higher than what many businesses, especially smaller ones or those with tighter budgets, are willing to pay. 2) Wati charges ₹0.941 per conversation - marketing, which could make their platform **less cost-effective** for businesses with high conversation volumes. 3) Wati only provides 5,000 free Chatbot Sessions per month, that too with the most expensive plan, which may **not be sufficient** for businesses with high customer engagement or extensive chatbot usage. This could force users to upgrade to paid plans sooner than expected. **Cons of GallaBox** -------------------- ** ![Terms of Service | Rules and Guidelines](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1734556079122-compressed.png) ** 1) While GallaBox provides robust features, many advanced capabilities are locked behind higher-priced plans. Essential features like advanced analytics, automated workflows, and API integrations are only available in the more expensive plans. Apart from that, GallaBox charges **extra fees** for employing integrations, like an additional USD 5 per month for a shopify integration. 2) Gallabox does not offer a personal end-to-end **customer support** service, which could be a drawback for businesses that value comprehensive and personalized customer support. 3) Gallabox offers a variety of features, but the **interface could be difficult** to learn for inexperienced users. The tiered functionality makes it hard to locate important tools within the complex menu structure it offers. It may be a real pain for people who are not familiar with navigating multi-tiered software ecosystems. What their users have to say? -------------------------------- > “It offers normal chatbot features with whatsapp API. I was actually looking for a chatbot feature without API. Wasn't able to find that. Anyways, good builder. Easy to use builder. I didn't find gallabox more attractive than the competition. It offers basic features like its competitors.” ~ **Gallabox User** > “Product UI is fine but it took a long time for us to get used to it. And for most of the support questions, they direct us to some generic articles on the website. I wish the WATI team put in some effort on dealing with existing customers, instead of always running behind new customers.” ~ **Wati User** How does Heltar stack up against the cons of Wati and Gallabox? --------------------------------------------------------------- 1. **More Affordable Pricing Structure:** Compared to Gallabox and Wati, Heltar offers a more budget-friendly pricing model. Wati's plans start at ₹29,988/year and go up to ₹2,03,988/year, which can be cost-prohibitive for many small and medium-sized businesses. Gallabox’s pricing is also on the higher end. In contrast, Heltar's base plan starts at a more affordable monthly rate, starting as low as INR 999/month, making it accessible to a wider range of businesses. Additionally, Heltar has a simplified and transparent 5% markup across all conversation types, rather than varying per-conversation fees like Gallabox and Wati, with markups going as high as 45%. 2. **Intuitive and User-Friendly Platform:** While Gallabox and Wati offer extensive features, their interfaces can be complex and difficult to navigate, especially for users new to these types of platforms. Heltar, on the other hand, is designed with a focus on ease of use. It features an intuitive dashboard and a no code drag and drop chatbot builder that provides easy access to key tools and functionality, reducing the learning curve. This makes it easier for businesses to get up and running quickly without sacrificing functionality or efficiency. 3. **End-to-End Personalised Customer Support:** Gallabox and Wati's customer support offerings are limited, with Wati not even providing setup support in their growth plan. In contrast, Heltar prioritizes customer satisfaction and ensures that all customers, regardless of their subscription plan, receive end-to-end customer support. This includes thorough knowledge transfer of the platform and continued assistance, ensuring that businesses can make the most out of Heltar's features and get the support they need to succeed. Try Heltar Today ---------------- > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm4gws637003cksvyosg3s05s/heltar.com) for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your budget. ### ​**Get Started Now and Simplify Your Business Communications!**​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Interakt vs Gallabox - Objective Comparison in 2025 Author: Prashant Jangid Published: 2024-12-06 Tags: Gallabox vs Interakt, Interakt User Reviews, Gallabox Pricing, Gallabox User Reviews, Interakt Pricing URL: https://www.heltar.com/blogs/interakt-vs-gallabox-objective-comparison-in-2024-cm4cuz81u001q6y3myr6qzh68 Looking for a WhatsApp Business API alternative for your business? In this article, we’ll be comparing AiSensy and Gallabox's Whatsapp API Offerings. Our methodology is straightforward: We'll analyze the their chepaest and most expensive offerings, excluding the _enterprise plans_ that can vary significantly in features and pricing based on the organizational requirements. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/untitled-1734351705619-compressed.png) By the end of this analysis, you'll have a clear, actionable understanding of Interakt and Gallabox which will help you make an informed decision. Let's dive in! Cheapest Plan Comparison: Interakt vs Gallabox ---------------------------------------------- **Feature** Interakt Starter Gallabox Growth Winner **Annual Cost​** ₹9,588/year ₹11,988/year  Interakt **Marketing Conversation Cost** ₹0.882/conversation   ₹0.94152/conversation Interakt **Unlimited Agent Logins** Yes No, only 6 users Interakt **Smart Audience Segregation** Yes No AiSensy **Multi-Agent Live Chat** Yes  Yes Tie **Chatbot Flows** No Yes Gallabox **Shopify Integration** Paid $5/Month Gallabox **Zoho** No Yes, Free Gallabox **Other Integrations** Pabbly, Webengage, WooCommerce, PayU, Clevertap, Leadsquared Hubspot, Google Sheet, Cashfree, Kylas, Shiprocket, WooCommerce, Calendarly Gallabox While Interakt offers a more affordable option Gallabox simply has more features. If you are an SME, go with Interakt for sure but if you have the budget, Gallabox has a better overall product. Gallabox has more integration options and better customer support.  Customer Reviews ---------------- ### Interakt User Reviews > "Hi We have used the Whatsapp Interakt Solution they could not achieve the Solution which we aksed so we have moved to some other whatsapp where we getting the reply kind of things. But Interakt not ready to refund which they charged unused month payment. We have not used the product even they charging the apps amount." ~Interakt Customers, Source: Shopify App Store > "pls be aware about billing. we have migrated our WhatsApp services two months ago to different service provider though they are keep charging until we uninstalled the tool. And when we have dropped an email, they simply closed the ticket." ~Interakt Customers, Source: Shopify App Store It seems that Interakt users have faced some issues with their billings in the past. Due to the lack of support and transparency we would advice users to be cautious while subscribing for Interakt.  ### Gallabox User Reviews > "Hey! I'm running my business and I've been using Gallabox to help me communicate with my clients more effectively, and assign chats to different team members. It's been great! Using drag-and-drop chat automation, I can filter out leads based on location with the help of a bot. I had a seamless integration with Shopify. Overall, I am enjoying Gallabox." ~Gallabox Customers, Source: Shopify App Store > "Galllabox is really a good platform with multiple features from marketing messages to bots. It's really good app. > > I liked the platform, it is helping my business with customer support and managing chats in a better way as well as whatsapp marketing" ~Gallabox Customers, Source: Shopify App Store It seems that Gallabox has been able to justify it's higher price with the services and features their platform has to offer. Customers seem happy with the product and are ready to pay a premium for it.  Interakt Cons ------------- 1. A limit of 300 requests/min, meaning 10000 messages would take >30 mins to send! 2. No catalogue messaging available for the base pricing, for that you will have to shell out an extra ₹1000/month! ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-from-2024-12-16-17-54-46-1734351946018-compressed.png) Gallabox Cons 1. **No monthly plans** available, users can only subscribe to Quaterly & Yearly plans. This means spending a minimum of **₹9000/Quater** just to try the platform.  2. Onboarding for these platforms is quite complicated. Gallabox provides **no onboarding assistance** for their _Growth_ plans.  3. Additional **$5/Month** for **Shopify** integrations. For businesses who want WhatsApp on their Shopify store, this will be **very costly!** ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2025-01-31-225214-1738344148899-compressed.png) Try Heltar Today > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://www.heltar.com/) for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your wallet. Have a look at some of our other [comparisons](https://www.heltar.com/blogs/aisensy-vs-interakt-real-user-reviews-comparison-2024-cm4asbnye003fdm7gvbm7qx08). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## AiSensy vs Gallabox - Objective Competitor Comparison (2025) Author: Prashant Jangid Published: 2024-12-06 Tags: AiSensy vs Gallabox, AiSensy User Reviews , Gallabox Pricing, Gallabox User Reviews, AiSensy Pricing URL: https://www.heltar.com/blogs/aisensy-vs-gallabox-objective-competitor-comparison-2024-cm4cf5v71001tns9khr63k1t7 Looking for a WhatsApp Business API alternative for your business? In this article,we’ll be comparing AiSensy and Gallabox's Whatsapp API Offerings. Our methodology is straightforward: We'll analyze the their chepaest and most expensive offerings, excluding the _enterprise plans_ that can vary significantly in features and pricing based on the organizational requirements. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/looking-for-a-whatsapp-business-api-alternative-for-your-business-in-this-articlewell-be-comparin-16-12-2024-at-18-10-48-1734352865553-compressed.jpeg) By the end of this analysis, you'll have a clear, actionable understanding of how AiSensy and Gallabox stack up, enabling you to make an informed decision that aligns with your business communication strategy. Cheapest Plan Comparison: AiSensy vs Gallabox --------------------------------------------- **Feature** AiSensy Starter Gallabox Starter Winner **Annual Cost​** ​₹10,788/year ₹11,988/year  Gallabox **Marketing Conversation Cost** ₹0.88/conversation   ₹0.94152/conversation AiSensy **Unlimited Agent Logins** Yes No, only 6 users AiSensy **Smart Audience Segregation** Yes No AiSensy **Multi-Agent Live Chat** Yes  Yes Tie **Chatbot Flows** No Yes Gallabox **Shopify Integration** Paid $5/Month Gallabox **Zoho** No Yes, Free Gallabox **Other Integrations** Pabbly, Webengage, WooCommerce, PayU, Clevertap, Leadsquared Hubspot, Google Sheet, Cashfree, Kylas, Shiprocket, WooCommerce, Calendarly Gallabox AiSensy offers a more affordable and feature-rich plan compared to Gallabox, particularly with its lower annual cost, unlimited agent logins, and advanced audience segmentation. However, Gallabox provides valuable features like chatbot flows and more integration options, making it a strong choice for businesses looking for these capabilities. Overall, for cost-conscious users prioritizing core features, AiSensy is the better option, while Gallabox may be more suitable for those needing advanced automation and integrations. Gallabox & AiSensy Customer Reviews -------------------------------------- ### AiSensy Reviews > AiSensy has received overwhelming criticism for its mismanagement and poor customer service. Users report delays in task processing, inactive plans despite payments, and unresponsive support. The platform has also been accused of withholding refunds and sending misleading payment invoices. With no direct call support and vague promises to resolve issues, many customers describe the service as 'terrible' and untrustworthy, advising others to avoid it." _~AiSensy Customers, Source: trustpilot.com_ > AiSensy is a user-friendly platform with an intuitive dashboard and strong WhatsApp marketing features, offering great engagement for campaigns. However, I’ve struggled with poor customer support, as response times are slow, and calls often go unanswered or are disconnected. While the pricing is competitive, the minimum recharge limit and lack of a free trial are drawbacks. Overall, it's a solid tool for WhatsApp marketing, but support needs improvement. ​_~AiSensy Customers, Source: G2_ ​ ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-from-2024-12-16-18-14-02-1734353063279-compressed.png) Gallabox Reviews > I find Gallabox to be a very user-friendly platform that simplifies managing WhatsApp communications. It integrates seamlessly with popular CRM tools and e-commerce platforms like Zoho, Shopify, and WooCommerce, which makes it easy to streamline operations. The WhatsApp Chatbots are particularly useful, automating many customer interactions and ensuring quick responses. I’ve also found the platform's multi-agent shared inbox to be a great feature for team collaboration, ensuring no customer query goes unanswered. > One of the standout features for me is the flexibility Gallabox offers in terms of automation and customer engagement. I can easily run WhatsApp drip campaigns and broadcast messages tailored to specific audience segments. This has helped improve marketing efforts and customer retention. The platform is also highly responsive, and their support team is always quick to assist, which has made my experience even better. Overall, it’s a solid tool for businesses looking to enhance communication through WhatsApp ​_~Gallabox Customers, Source: G2_ AiSensy Pro vs Gallabox Pro: Most expensive plans comparison **Feature** AiSensy Pro Gallabox Scale Winner **Annual Cost​** ₹25,988/year ₹71,988/year  AiSensy **Marketing Conversation Cost** ₹0.88/conversation   ₹0.91/conversation AiSensy **Unlimited Agent Logins** Yes No, only 6 users AiSensy **AI Chatbots (ChatGPT)** No Yes Gallabox **Analytics** Campaign Click Tracking,  Carousel Click Tracking,  Campaign Budget Analytics Yes Tie **Advanced Campaign Segmentation** No Yes Gallabox **API Integrations** Yes Yes-Free Gallabox **Zoho** No Yes, Free Gallabox **Other Integrations** Pabbly, Webengage, WooCommerce, PayU, Clevertap, Leadsquared Hubspot, Google Sheet, Cashfree, Kylas, Shiprocket, WooCommerce, Calendarly Gallabox We can see AiSensy Pro offers a more affordable option at lower conversation costs but the distinction between their basic and pro plans isn't that huge. Gallabox Pro justifies its higher price with advanced features like AI Chatbots, advanced campaign segmentation, and more integrations. For businesses seeking these added capabilities, Gallabox provides a more feature-rich solution, making it a strong choice despite the higher cost. ### Try Heltar Today > Start with our free trial and experience the difference in service and support. Choose [Heltar](https://www.heltar.com/) for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your wallet. Have a look at some of our other [comparisons](https://www.heltar.com/blogs/aisensy-vs-interakt-real-user-reviews-comparison-2024-cm4asbnye003fdm7gvbm7qx08). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## AiSensy vs Interakt - Real User Reviews Comparison 2025 Author: Prashant Jangid Published: 2024-12-05 Tags: AiSensy vs Interakt, AiSensy User Reviews , WhatsApp CRM Comparison , Interakt User Reviews, WhatsApp CRM Platforms Review URL: https://www.heltar.com/blogs/aisensy-vs-interakt-real-user-reviews-comparison-2024-cm4asbnye003fdm7gvbm7qx08 In this article we will be comparing the cheapest and most expensive plans offered by these companies, their features. And how much cost you would be paying if you used them to send 50,000 marketing messages a month. We will not be looking at their Enterprise offerings since they can vary wildly in offering and prices depending on the organisation. Let's dive in ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/dalle-2024-12-05-17-1733400839676-compressed.webp) **Cheapest Plan Comparison: AiSensy vs Interakt**​ **Feature** AiSensy Starter Interakt Starter **Annual Cost​** ​₹10,788/year ​₹9,588/year (+ taxes) **Marketing Conversation Cost** ​₹0.88/conversation ​₹0.882/conversation **​Authentication Cost** ₹0.125/conversation ₹0.129/conversation **Utility Conversation Cost** ₹0.125/conversaton ​₹0.160/conversation **​Key Features** ​Smart audience segregation, manager monitoring, chatbot integration Shared team inbox, Instagram inbox, CTWA ads **Limitations** ​No campaign scheduler, no Google Sheets integration No advanced analytics in Starter plan Overall Interakt is a solid 7/10 for the value-for-money product that they provide, the integrations and features for the price are impressive. AiSensy, on the other hand we would rate 6/10 given the higher price for similar features although we do find the Instagram DM integration by Interakt to be a unique offering. Interakt & AiSensy Customer Reviews Interakt Reviews > "Interakt is an incredibly user-friendly platform that simplifies managing conversations and creating campaigns. Its automation features are a big time-saver, making it especially beneficial for small businesses to enhance customer interactions through WhatsApp. The support team is exceptional, providing timely responses and effective solutions. Integration capabilities are seamless, and tools like bulk messaging add significant value. While the platform is highly innovative, there’s a slight learning curve for setting up automated workflows, which could be improved. Overall, it’s a great tool for scaling business communication effortlessly." > > ~Interakt Customers, Source: G2 > "While Interakt offers useful features like bulk messaging and customer segmentation, the platform has its drawbacks. Some users face glitches during broadcasts, and implementing chatbots can be tedious and time-intensive. Additionally, the basic subscription feels limited in features, which might not meet the needs of advanced users. Although the UI is well-designed, it often demands technical expertise or ongoing learning, which can be challenging for non-tech-savvy individuals. The support team receives mixed feedback—some users report excellent assistance, while others find it inadequate. Interakt shows promise but could benefit from addressing these limitations." > > ~Interakt Customers, Source: G2 ### AiSensy Reviews > AiSensy has received overwhelming criticism for its mismanagement and poor customer service. Users report delays in task processing, inactive plans despite payments, and unresponsive support. The platform has also been accused of withholding refunds and sending misleading payment invoices. With no direct call support and vague promises to resolve issues, many customers describe the service as 'terrible' and untrustworthy, advising others to avoid it." > > ~AiSensy Customers, Source: trustpilot.com ​​**Most Expensive Plan Comparison: AiSensy vs Interakt**​ ---------------------------------------------------------- **Feature** AiSensy Advanced Interakt Advanced **Annual Cost​** ₹25,908/year ₹33,588/year (+ taxes) **Marketing Conversation Cost** ​₹0.88/conversation ₹0.863/conversation **​Authentication Cost** Not Specified ​₹0.129/conversation **Utility Conversation Cost** ​Not specified ​₹0.160/conversation **​Key Features** Basic Features + Unlimited agents, CSV campaign scheduler, campaign tracking Basic Features + Advanced APIs, automation analytics, order-related webhooks **Limitations** ​No fallback SMS or privacy features ​Higher cost compared to competitors Interakt, in terms of features, is clearly the better offering. But AiSensy is also giving you a lot of features for the prize. So, the final decision shall be up to you, the reader. Checkout our other blog posts giving an extensive list of [Interakt Alternatives](https://www.heltar.com/blogs/top-10-interakt-alternatives-cheap-and-best-september-2024-cm24e21ur0050qegv9mi3lmnd) and [AiSensy Alternatives](https://www.heltar.com/blogs/top-5-aisensy-alternatives-and-competitors-in-2024-cm27bq4v500uwkt5xix10p6yq). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## The Real Guide on how to make a WhatsApp Chatbot? (Explained 2025) Author: Manav Mahajan Published: 2024-12-02 Category: HeltarBot Tags: WhatsApp API, WhatsApp for Business, WhatsApp Chatbot, Business Chatbot, Whatsapp Business API URL: https://www.heltar.com/blogs/the-real-guide-on-how-to-make-a-whatsapp-chatbot-explained-2024-cm474jsbf000it1uygdtk1eu2 Creating a WhatsApp chatbot requires understanding a critical technical constraint: automation is **strictly not possible** through **standard WhatsApp application**, or **WhatsApp web**. Developers and businesses must use something called **WhatsApp's official Application Programming Interface (API)** as the sole method for programmatic messaging. This requirement fundamentally shapes the two primary approaches to chatbot development. The first method involves **custom code development**, typically using programming languages like Python, JavaScript, or Java. This approach demands **significant technical expertise**, offering maximum customization and control but requiring dedicated infrastructure and a skilled technical team.  Alternatively, **no-code platforms** like [_Heltar_](https://write.superblog.ai/sites/supername/heltar/posts/cm474jsbf000it1uygdtk1eu2/heltar.com) _(Meta Approved Business Partner)_ provide **drag-and-drop interfaces** that make chatbot creation super easy, enabling non-technical users to quickly deploy messaging solutions with reduced complexity. **WhatsApp's API** is the **only sanctioned channel** for automated messaging, mandating strict compliance with their communication guidelines. This means businesses cannot rely on manual app-based messaging techniques and must fully integrate with the official API infrastructure.  The **choice** between custom coding and no-code solutions ultimately depends on an organization's technical capabilities, specific requirements, and the desired level of system complexity. By understanding these fundamental constraints, developers and businesses can make an informed decision between custom code development and no code business service providers. What is a WhatsApp Chatbot? --------------------------- A **WhatsApp bot** is an automated software solution designed to interact with users on WhatsApp. These bots efficiently manage customer inquiries by leveraging **rule-based conversational flows** and **artificial intelligence (AI)** to provide instant responses, reducing the need for manual intervention. With WhatsApp bots, businesses can automate their incoming messages, ensuring prompt replies to customer queries and delivering seamless communication experiences. Key Advantages of a WhatsApp Bot -------------------------------- Gone are the days when customers had to wait hours for a business to respond. WhatsApp bots provide instant and efficient support, ensuring customers get the information they need without delays. * **24/7 Availability:** Provides round-the-clock support with instant responses, ensuring customer satisfaction even outside business hours. * **Handles Multiple Conversations:** Capable of managing hundreds or even thousands of chats simultaneously, improving efficiency and response time. * **Customer Convenience:** Operates on the familiar WhatsApp platform, offering users a seamless and engaging experience. * **Cost-Effective Solution:** Reduces the need for a large customer service team by automating routine queries. * **Personalized Engagement:** Integrates with CRM and other tools to deliver customized, context-aware responses for stronger customer relationships. Way 1 - Custom Coding Without a Business Solution Provider ---------------------------------------------------------- To begin your WhatsApp chatbot development, you'll need: ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1733149702183-compressed.png) ** ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1733149704546-compressed.png) ** 1. A Facebook Developer Account (create one at [https://developers.facebook.com/](https://developers.facebook.com/)) 2. Basic proficiency in NodeJS and JavaScript 3. Cloud hosting infrastructure (recommended: AWS Lambda) Once you login to your Facebook developer account, navigate to "My Apps" in the top right corner. Click on create app and select Other as your app type. Proceed by selecting business as the type, then add an App name & App email. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1733149705681-compressed.png) ** After adding your app details, you'll see a screen to add products. Scroll down and locate WhatsApp, then click on setup. Once completed, you'll be presented with a configuration screen where you can start using the API. This will provide you with a free test number and sample Curl request to test sending a hello message. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1733149706743-compressed.png) ** Using this API, you can send various text messages to customers.  > _Note: the phone number you're sending WhatsApp messages to must be verified with an OTP._ ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1733149707774-compressed.png) ** ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1733149709088-compressed.png) ** You can add a **destination phone number** and test sending a sample message by clicking the send message button. While this endpoint allows you to initiate conversations with customers, listening to incoming messages requires subscribing to **Webhooks**. When you click on configure Webhooks, you'll be prompted to add a callback URL and verify the token. You can deploy this in two primary ways: * Deploy a NodeJS server * Use AWS/Azure/Google Cloud - Lambda function Using **AWS Lambda** is recommended, where you'll get a function URL. Copy this URL and use it as your callback endpoint. For the verify token, you'll need to specify a custom token in your code. After clicking verify and save, the system will send a sample request to validate your response.  > Note: If deploying on your own server, you must provide an HTTPS URL, as HTTP is not accepted as a callback URL. Once the callback URL and verify token are successfully added, click on "Manage" near Webhook fields. A popup will appear where you need to select "messages" and save the configuration. The **final result** is an interactive chatbot that can: * Respond to user messages * Select categories * Acknowledge user selections * Integrate with backend APIs for additional functionality like analytics There you go, you've created a custom WhatsApp chatbot with programmatic messaging capabilities. Way 2 - Heltar: A No Code Solution  ----------------------------------- If you’ve reached this far and felt that creating a whatsapp bot for your business by coding it yourself is a hassle, you’re absolutely right, it is! Why put in so much effort when you could essentially **outsource the coding** and backend to a WhatsApp API Business Service Provider, and work with **an interactive UI** to create a **chatbot in minutes**, which allows you to focus on the key aspects of your business operations. Creating your own WhatsApp bot is a straightforward process if done using a **BSP (Business Service Provider)**. It can be broken down into 4 basic steps: ### Step 1: Sign up for a chatbot builder There are many chatbot builders out there, but it’s essential to choose a no-code chatbot builder, which makes it easy for a non-technical person to [](https://wotnot.io/blog/how-to-create-ai-chatbot)build a chatbot for your business. For now, let’s choose HeltarBot as the chatbot builder to create chatbots and [sign up](http://app.heltar.com). ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1733149710056-compressed.png) ** #### ### **Step 2: Design the flow for your WhatsApp bot** In this step, you’ll start designing the chatbot flow based on the specific business use-case you’re building your WhatsApp Business Bot for. Whether it’s **answering customer inquiries**, **booking appointments**, or **generating leads**, the chatbot flow outlines how conversations will unfold, ensuring smooth interactions between the bot and your users. Incorporate a main menu within the WhatsApp chatbot to help users easily navigate the services offered. Utilize reply buttons and a buttons list to enhance user interactions by offering selectable options. With HeltarBot’s [no-code chatbot builder](https://www.heltar.com/automation.html), you can create these flows in just a few minutes. There’s **no need for coding knowledge**—simply **drag and drop** elements to design a **personalized flow** that suits your business needs. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1733149711112-compressed.png) ** ### **Step 3: Connect your WhatsApp Business API** The WhatsApp Business API is a product of WhatsApp that allows businesses to automate communication with their customers using chatbot platforms. Unlike the regular WhatsApp business app, the Business API is designed specifically for **medium to large businesses** to send and receive messages at scale. Getting a WhatsApp API is now easier than ever, just use HeltarBot’s in-built signup process for your WhatsApp integration. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1733149712736-compressed.png) ** #### ### **Step 4: Go live with your WhatsApp bot** Now that you’ve secured access to the WhatsApp Business API and designed your chatbot flow, it’s time to make your WhatsApp bot go live. In this step, you’ll connect the API to the chatbot you built in Step 2. Hit '**Deploy**' and your WhatsApp bot is . Once everything is linked, simply hit ‘Deploy’ to launch your bot. Conclusion As WhatsApp bots continue to evolve, the possibilities for businesses to deliver seamless, connected experiences are endless. Today, WhatsApp chatbots are handling complex tasks like product purchases, user onboarding, ticket bookings, and other personalized services—all without users ever having to leave the app. With Heltar, businesses are being enabled to create richer, more interactive experiences that cater to customer needs in real-time, making WhatsApp an essential platform for driving engagement and building lasting relationships with customers. The future of customer interaction is truly just a message away. > So, why wait? Start building your WhatsApp chatbot today with [Heltar](https://write.superblog.ai/sites/supername/heltar/posts/cm474jsbf000it1uygdtk1eu2/heltar.com) and witness the transformation in customer interactions and business growth. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## 20 WhatsApp Business Statistics For Marketing - 2025 Author: Prashant Jangid Published: 2024-12-02 Tags: WhatsApp Stats 2024, WhatsApp Marketing Stats 2024, WhatsApp Business Statistics, WhatsApp User Statistics 2024, WhatsApp Customer Engagement URL: https://www.heltar.com/blogs/20-whatsapp-business-statistics-for-marketing-2024-cm46qs0xr00017vnrm3tqandn A presence on WhatsApp is a must have for businesses these days. **69% of the users in a survey reported that they are more likely to buy a product from a business if they hear about them on WhatsApp**. It's a simple and powerful platform for building strong relationships with your customers. In 2024, WhatsApp has become a marketing powerhouse. These 20 statistics reveal why businesses everywhere are using it to boost engagement, improve customer satisfaction, and grow their brands. Let’s dive in! **How much time users spend on WhatsApp?** ------------------------------------------ ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/monthly-wp-usage-1733367764673-compressed.PNG) 1\. Worldwide Users spend an average of 17.06 hours on WhatsApp per month. 2\. In India, users spend an average of 16.52 hours a month on WhatsApp.  3\. In 2024, WhatsApp has surpassed 2.78 billion unique users globally across 180 countries. 4\. As of the first quarter of 2024, the gender distribution of WhatsApp users was 52.2% male and 47.7% female 5\. As of 2024, the Meta family (WhatsApp, Facebook, Instagram) has over 3.29 billion daily active users (DAU) worldwide.  **WhatsApp Alteratives for marketing and customer engagement** -------------------------------------------------------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/social-media-platforms-usage-1733367808782-compressed.PNG) 6\. WhatsApp campaigns have a 40-50% better conversion rate than conventional Email and SMS campaigns. 7\. 70% of WhatsApp messages sent by companies are opened by users. 8\. Out of all the messages sent by companies, they have an average click through rate of ~15%. 9\. Companies can expect a 5% conversion rate by through WhatsApp marketing. 10\. WhatsApp exclusively businesses see 68% repeat customers. Mainly because their sales channels and marketing efforts are limited. **What percentage of users use WhatsApp every month?** ------------------------------------------------------ ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/map-plot-1733367828639-compressed.png) 11\. 89.8% of customers reach out to businesses to ask more questions about the products or services offered. 12\. 88.7% of businesses use WhatsApp to expand their network. 13\. 88.6% of businesses use WhatsApp to retarget the customers that have visited them on Instagram or other websites. 14\. 85.3% of businesses interact with their customers on WhatsApp to inform them about the available payment methods. 15\. 412 customers rated the benefits of shopping on Facebook and WhatsApp groups a 4.69/6. 16\. 500 Customers rated the price value of products on Facebook and WhatsApp groups a 4.58/6. ​**Growth of Businesses that are using WhatsApp** ------------------------------------------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/whatsapp-business-downloads-1733367910301-compressed.PNG) 17\. WhatsApp business downloads have increased in the past 6 years from 37.87 Million to 316.16 Million. 18\. Annual Growth from 2022 to 2023: Downloads increased from 277.44 million to 316.16 million, which is a growth of about 14% in one year. 19\. Growth from 2018 to 2019: Downloads rose from 37.87 million to 98.85 million, representing a year-on-year growth of approximately 161%. 20\. If we assume the growth rate continues at **10-14%** annually WhatsApp business downloads could reach **~600M** by 2025 ​**Countries with Most WhatsApp Business Users** ------------------------------------------------ ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/country-wise-wp-business-1733368070176-compressed.PNG) 21\. India has the most WhatsApp Business app downloads with **481M**, since some people use WhatsApp numbers the figure could be skewed. _But it doesn’t take away from the fact that businesses in India have started to rely heavily on WhatsApp._ Leverage Data-Driven Insights with [Heltar](https://www.heltar.com/)​ --------------------------------------------------------------------- As we've seen, leveraging WhatsApp can drive remarkable growth, from enhancing customer engagement to boosting sales and operational efficiency. If you're looking to service your customers or automate marketing campaigns, learn [How To Make a WhatsApp Chatbot](https://www.heltar.com/blogs/the-real-guide-on-how-to-make-a-whatsapp-chatbot-explained-2024-cm474jsbf000it1uygdtk1eu2).  If you're ready to take your business communications to the next level, [Heltar](https://www.heltar.com/) can help. Know more the difference between [WatsApp Business App & WhatsApp Business API](https://www.heltar.com/blogs/understanding-whatsapp-business-solutions-from-app-to-api-cm349glwt00i113femx2ppuc1). As a leading WhatsApp Business API provider, we offer powerful tools and seamless integration to optimize your WhatsApp interactions. Join the growing number of businesses transforming their customer engagement with Heltar today. ### ​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## All You Need to Know About WhatsApp Business API BSP Migration Author: Prashant Jangid Published: 2024-11-29 Category: WhatsApp Business API Tags: Whatsapp Business API URL: https://www.heltar.com/blogs/all-you-need-to-know-about-whatsapp-business-bsp-migration-cm43dovm20002pn0vlj30ssa9 ​Migrating your WhatsApp Business Service Provider (BSP) can seem like a complex process, but WhatsApp allows businesses to switch BSPs without losing their registered phone number. Here's everything you need to know about what gets migrated, what doesn’t, and how to perform the migration process seamlessly. Key Terms to Know ----------------- Before we dive into the process, let’s understand some key terms: * **Source BSP:** The BSP you are switching from. * **Destination BSP:** The BSP you are switching to. * **Source WABA (WhatsApp Business Account):** The account currently linked to your phone number. * **Destination WABA:** The account your number will be linked to after migration. What Gets Migrated During WhatsApp API BSP Migration? ----------------------------------------------------- When migrating from one BSP to another, here’s what you can retain: * **Registered Phone Number** * **Display Name** * **Phone Number Quality Rating** * **Official Business Account (Verified or Blue Tick) Status** * **Messaging Limits** * **Previously Approved High-Quality Templates** Approved high-quality templates are ready for use immediately after migration. These templates do not require re-approval. **Interesting fact:** Template quality rating does not get migrated as Meta creates a duplicate of the existing high quality templates so they are treated as fresh templates and hence do not have quality rating associated with them. What Does NOT Get Migrated During WhatsApp API BSP Migration? ------------------------------------------------------------- The following items are not included in the migration process: * **Low-Quality, Rejected, or Pending Templates** * **Chat History** * **Message Insights** * **Authentication Tokens** If retaining chat history is important, consider backing up data before migration. **Billing and Charges During Migration** ---------------------------------------- * Messages Sent Before Migration: Charged to the Source BSP. * Messages Sent After Migration: Charged to the Destination BSP. * Undelivered Messages from the Source BSP: If delivered after migration, they are charged to the Source BSP. The pricing for messages will depend on the Destination BSP’s rates. How Long Does Migration Take? ----------------------------- The entire migration process typically takes a few minutes. During the migration: * The Source WABA can continue sending and receiving messages. * Once the migration is complete, the Destination WABA can start sending messages immediately. There’s no downtime, ensuring seamless communication. Steps for BSP Migration ----------------------- Here’s a simple step-by-step guide to migrate your WhatsApp API number to a new BSP like Heltar: 1. Confirm with the Source BSP that 2FA is disabled. 2. Ensure your Source WABA is approved and verified by WhatsApp. 3. Keep access to your phone number to receive the 6-digit PIN for verification via SMS or voice call. 4. Make sure the Destination WABA is also approved and verified. **Note: If you’re using [Heltar](https://www.heltar.com), you can stop here! Our Customer Support team will handle the rest of the migration process for you, ensuring it’s smooth.** 5\. Access the Embedded Signup of the source BSP and follow the prompts to enter your business phone number and display name. Once you’ve completed the signup process, the destination BSP will capture your business phone number ID and your new WhatsApp Business Account (WABA) for further setup. The necessary credit line will be allocated  to your WABA to ensure smooth operations and your account will be subscribed to webhooks, allowing you to receive real-time updates and notifications from your WABA. Your business phone number will be registered for use with the Cloud API. **Please note that migrated phone numbers cannot be registered with the On-Premises API.** Why Choose Heltar as Your Destination BSP? ------------------------------------------ Heltar offers robust features to help you scale your business through enhanced business communication, such as: * CRM and Workflow Automation * Advanced Analytics * Seamless Third-Party Integrations * AI-Driven Chatbots * Shared Team Inbox And a lot more. [Sign up for Heltar’s 14-day free trial](https://app.heltar.com/register) or Book a Demo to explore these features for yourself. For more insights on making the best use of WhatsApp Business API check out our other blogs at [heltar.com/blogs](https://www.heltar.com/blogs). ​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Step-by-step Guide to Scheduling Messages on Whatsapp Author: Prashant Jangid Published: 2024-11-29 Category: WhatsApp Business API Tags: Digital Marketing URL: https://www.heltar.com/blogs/step-by-step-guide-to-scheduling-messages-on-whatsapp-cm42ujpm80006wk5871kljacx Have you ever found yourself wishing you could send a WhatsApp message at the perfect time, even if you're busy or asleep? **Scheduling messages on WhatsApp isn't a native feature yet, but there are effective workarounds to achieve it.** Whether you’re a busy professional, someone managing events, or just looking to surprise a loved one, here’s your complete guide to scheduling WhatsApp messages. Let’s dive in ways of how to schedule messages: 1\. iPhone Shortcuts -----------------------  If you are an iPhone user, the iPhone Shortcuts app is a handy tool that lets users automate tasks, including scheduling WhatsApp messages. Here's how to set it up: 1. Start by launching the **Shortcuts** app on your iPhone. 2. Tap on the **Automation** tab at the bottom, then tap the "**+**" sign to create a new automation. 3. Choose the **Time of Day** and pick the exact time when you want the message to be sent. 4. Tap **Add Action**, then search for and select the **Send Message** option. You’ll need to specify **WhatsApp** as the messaging platform. 5. Pick the person you want to send the message to and type out your message. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1732891118452-compressed.png) ** **2\. Using Third-Party Apps**  ------------------------------- **SKEDit** is an app that makes it easy to automate and schedule messages on WhatsApp. If you want to send WhatsApp messages at a later time but don’t want to remember to do it manually, SKEDit is a great option. It can help you send messages automatically at a set time, making your life easier and saving time. Here’s how you can use SKEDit: 1. Go to the **Play Store** on your Android phone and search for SKEDit. Tap **Install** to download the app. 2. After installation, open the app and log in using your phone number or other sign-in options. 3. Once logged in, choose **WhatsApp** from the list of apps that SKEDit supports. 4. Write the message you want to send. For example, you might write: “Hi, I hope you’re having a great day! Just wanted to remind you about our meeting tomorrow at 10 AM.” 5. You can select the contact to whom you want to send the message. Simply pick someone from your contact list. 6. Pick the exact time and date you want the message sent. For example, set that time in the app if you want it to go out at 9 AM tomorrow. #### ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1732891121070-compressed.png) ** **3\. Using Chrome Extension on WhatsApp Web** ---------------------------------------------- 1. Install the **Blueticks** extension from the Chrome Web Store and open WhatsApp Web, scanning the QR code to log in.  [Download Blueticks here](https://play.google.com/store/apps/details?id=com.read.unread.last.seen.unseen.hidden.tick&pcampaignid=web_share). 2. Select the chat, contact, or group where you want to send the scheduled message. 3. Click the scheduler icon to open the menu and choose the delivery date and time. 4. Type your message and click "Schedule Send" to set it for delivery. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1732891123222-compressed.png) ** 4\. Advanced Scheduling options ------------------------------- If you’re managing a business or looking for greater control over scheduled messaging, WhatsApp offers advanced tools through its Business App and API integration. Let’s explore both options and how they cater to different needs. #### 1\. Using WhatsApp Business App The WhatsApp Business app is designed for small and medium-sized businesses. It includes features like **Away Messages**, which let you respond automatically during off-hours. **Steps to Use Away Messages**: 1. Open the WhatsApp Business app. 2. Navigate to **Settings** → **Business Tools** → **Away Message**. 3. Enable the feature and write a pre-set message (e.g., “We’re currently unavailable but will respond during business hours.”). 4. Schedule the hours when you want the away message to activate. 5. Choose who receives the message: all contacts, specific groups, or certain individuals. While it’s not a dedicated scheduling tool, Away Messages ensure timely communication when you’re unavailable. This problem can be solved using APIs (Application Programming Interfaces), which allow automating tasks like scheduling WhatsApp messages. Scheduling messages is helpful for busy professionals or businesses that need to send updates on time. While WhatsApp doesn’t have a built-in scheduling feature, its Business API can be used to set up systems that send messages automatically at the right time, making communication easier and more efficient. WhatsApp Business API is a tool designed for medium—to large companies that want to connect with multiple customers at scale. With automated replies, chatbots, and interactive messages, businesses can create a customized communication flow that caters to their customers' needs. ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1732891518590-compressed.png) #### 2\. Using WhatsApp Business API The WhatsApp Business API is a powerful solution for businesses requiring more advanced functionalities. It enables automation, bulk messaging, and integration with customer management systems. **Key Features of the API:** 1. Send personalized appointment reminders, updates, and marketing campaigns. 2. Schedule messages for precise delivery to customers at scale. 3. Access detailed analytics to track message performance. 4. Integrate with tools like CRM software for seamless communication. Setting up the API involves registering with a provider like **[Heltar](https://www.heltar.com)** and integrating it with your business systems. It’s ideal for enterprises handling large volumes of customer interactions. ### Comparison: WhatsApp Business App vs. API Feature WhatsApp Business App WhatsApp Business API Ease of Use Simple setup for small businesses Requires technical setup and hosting Cost Free to use Paid (based on provider and usage) Automation Basic (Away Messages) Advanced (Bulk messages, templates) Scalability It is an issue Ideal for  small businesses, enterprises Integration with Tools Limited Extensive (CRM, analytics tools) Both options have their unique benefits. The WhatsApp Business app offers a free, straightforward solution for small businesses. For larger-scale automation needs, the API provides unmatched automation and customization capabilities. Scheduling messages on WhatsApp is a great way for small and medium-sized businesses (SMEs) to stay organised and improve communication with customers, but if you seek advanced features beyond simple scheduling, [Heltar’s WhatsApp Business API](https://www.heltar.com/) is the perfect solution. Heltar enables a range of functionalities, such as automated responses, bulk messaging, and message templates, tailored to suit various business needs. By integrating the API into your communication workflow, you can manage customer interactions at scale while maintaining a personalised touch. You can send appointment reminders, share updates, and run marketing campaigns that feel personal and professional. It’s a simple way to manage customer communication and grow your business. It offers a suite of tools to automate and manage various business functions such as marketing, customer support, and workflows. Key features of Heltar include: **1\. WhatsApp Marketing Automation:** Businesses can send bulk messages, schedule messages, and track campaign performance, all through WhatsApp. **2\. AI Chatbots:** Heltar allows businesses to create no-code, AI-powered WhatsApp chatbots that automate customer interactions. **3\. Customer Support:** The platform provides tools for team collaboration, tracking agent performance, and transitioning from AI chatbots to live agents. **4\. CRM and Automation Tools:** Heltar integrates with systems like Google Sheets and custom backends, offering automation of various business processes. ​[Book a Demo](https://www.heltar.com/demo.html) or [Start a Free Trial](https://app.heltar.com/register) now!  For more easy tips and ideas on how to use WhatsApp for your business, visit [heltar.com/blogs](http://heltar.com/blogs). ​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Sending OTP via SMS vs WhatsApp Author: Manav Mahajan Published: 2024-11-24 Tags: WhatsApp for Business, Authentication, OTP, Whatsapp Business API, WhatsApp API Pricing URL: https://www.heltar.com/blogs/sending-otp-via-sms-vs-whatsapp-cm3w0isbh004ojdc7ghcoygi6 **Picture this:** Your customer is trying to log into your app, waiting for that crucial OTP message. Will it arrive instantly, or get lost in transit? Will they be able to easily copy the code, or struggle with app switching? These seemingly small moments can make or break your user experience – and ultimately, your business. For over a decade, **SMS** has been the **backbone of mobile authentication**. It's been the trusted companion for businesses worldwide, delivering crucial OTPs. The appeal was simple: everyone with a phone could receive an SMS, regardless of internet connectivity or smartphone ownership. But **times have changed**, and so have user expectations.  Sending OTP via SMS OTP Authentication via SMS has served us well, offering several advantages that made it the go-to choice: * **Universal Reach:** Works on any mobile phone, smart or not * **Network Independence:** No internet connection required * **Immediate Delivery:** Direct delivery through cellular networks * **User Familiarity:** A process everyone understands But it is not without its drawbacks.  What are the Limitations of sending OTP via SMS?  ------------------------------------------------- Businesses face challenges like: * **Delayed deliveries** during network congestion * **Unreliable** delivery, leading to user dissatisfaction * **Rising costs** with increasing authentication needs * **Limited tracking** capabilities ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/212024112322190800001-1732479456876-compressed.png) Sending OTP on WhatsApp via Business API Enter WhatsApp API – not just a messaging app anymore, but a powerful business tool that's revolutionizing how companies handle authentication. With over **2 billion monthly active users**, WhatsApp has become the natural evolution in business communication. Through **authorized providers** like **Heltar**, WhatsApp Business API offers a **sophisticated authentication system** that doesn't just match SMS capabilities – it completely transforms them. Why Businesses Are Making The Switch To WhatsApp Business API ------------------------------------------------------------- Let's break down the key differences that make WhatsApp authentication through Heltar a compelling choice: ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/table1-1732478953729-compressed.png) Heltar - Best WhatsApp API Provider ----------------------------------- When businesses choose Heltar for WhatsApp Business API integration, they're **not just** getting an authentication service – they're getting a complete solution designed for modern business needs. ### ### 1\. Advanced Authentication Templates  Heltar offers three sophisticated authentication methods: ### **Copy Code Template** * _Traditional OTP experience enhanced with secure delivery_ * _Branded messaging that builds trust_ * _Clear instructions and automated formatting_ * _Perfect for businesses transitioning from SMS_ ### One-Tap Authentication * _Revolutionary single-tap verification_ * _Eliminates manual code entry_ * _Reduces authentication time by up to 80%_ * _Significantly improves conversion rates_ ### Zero-Tap Authentication * _Completely automated verification for Android devices_ * _Invisible yet secure authentication_ * _Highest conversion rates among all methods_ * _Perfect for high-volume applications_ ### ### 2\. Cost Cutting via WhatsApp API with Heltar Let's talk numbers. With Heltar's WhatsApp Business API: * **WhatsApp Business Messages:** Starting from **INR 0.11** per message * **Traditional SMS:** Upwards of **INR 0.20** per message But the **real savings** go beyond per-message costs: * **Reduced authentication failures** mean fewer support tickets * **Higher delivery success** rates reduce lost customers ### ### 3\. Implementation Made Simple Transitioning to WhatsApp API authentication through Heltar is a straightforward process: 1. Personal **End-to-End** Customer Support 2. **Dedicated support team** guides you through verification 3. Template creation and **approval assistance** 4. Technical documentation and **integration support** ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/212024112322190800001-1732479578162-compressed.png) Join Heltar Today - Making the Smart Choice The shift from SMS to WhatsApp authentication isn't just about keeping up with technology – it's about preparing your business for the **future of customer interaction**. With Heltar's WhatsApp Business API solution, you're not just sending verification codes; you're creating a **seamless**, **secure**, and **professional** authentication experience that your users will appreciate. **_Try Heltar today!_** _Start with our free trial and experience the difference in service and support. Choose Heltar for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your budget._ [Book a Demo!](https://www.heltar.com/demo.html) ​[Read more about the WhatsApp Business API pricing.](https://www.heltar.com/blogs/interakt-pricing-explained-2024-a-comprehensive-breakdown-updated-cm1agqx7u00azb98sy3qu2ttt) --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## AiSensy vs Wati - Objective Comparison in 2025 Author: Prashant Jangid Published: 2024-11-19 Tags: AiSensy vs Wati, AiSensy User Reviews , Wati User Reviews, Wati Pricing, AiSensy Pricing URL: https://www.heltar.com/blogs/aisensy-vs-wati-objective-comparison-in-2024-cm3oj5mcx0012wcwha8f7anvh Looking for an alternative for your business? In this article we will be comparing the cheapest and most expensive plans offered by these companies, their features. And how much cost you would be paying if you used them to send 50000 marketing messages a month. We will not be looking at their Enterprise offerings since they can vary wildly in offering and prices depending on the organisation. Let's dive in!  Cheapest Plans -------------- AiSensy Wati Features: \- Unlimited Agents \- Smart Audience Segregation \- Manager Monitoring \- Simple chatbot integration \- High message throughput  \- Custom Attributes Features: \- Click-to-WhatsApp Ads \- Blue-Tick verification assistance \- Shopify automated messages \- WhatsApp catalog messages \- Instagram DM Integration Limitations: \- Only 10 tags can be made, limited lead segregation \- Drag & Drop chatbots are charged separately \- No campaign Scheduler \- No customer support available for call \- No google sheets integration Limitations: \- Only 1000 free chatbots sessions/month \- Limited webhook & API access \- No WhatsApp pay integration with catalog messages \- No google sheets integration Integrations: Shopify, WooCommerce, Pabbly connect,  Integrations: Zoho CRM, Shopify, WooCommerce, Zapier,  Pricing:  Fixed Cost - ₹10,788/Year Marketing  - ₹0.88/Conversation Pricing: Fixed Cost - ₹23,988/Year Marketing -  ₹0.94152/Conversation Overall AiSensy is a solid 7/10 for the value-for-money product that they provide, the integrations and features for the price are impressive. Wati, on the other hand we would rate 6/10 given the higher price for similar features although we do find the Instagram DM integration by Wati to be a unique offering.  ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-from-2024-12-16-18-14-02-1734353951147-compressed.png) Most Expensive Plan ------------------- AiSensy Wati Features: \- Unlimited Agents \- Smart Audience Segregation \- Manager Monitoring \- Simple chatbot integration \- High message throughput  \- Custom Attributes  \- CSV Campaign Scheduler \- Google Sheets Integration \- Campaign scheduler & click tracking Features: \- Click-to-WhatsApp Ads Analytics \- Blue-Tick verification assistance \- Shopify automated messages \- WhatsApp catalog messages \- Instagram DM Integration \-  Support for 3rd party checkout pages \- SMS Fallback with Twilio \- 5,000 Free Chatbot Sessions/month \- Phone number Masking for high privacy \- Dedicated Customer Success Manager Limitations: \-  No fallback SMS with Twilio \-  Limited customer support \- No Privacy features Limitations: **None** Integrations: Shopify, WooCommerce, Pabbly connect, Razorpay, OpenCart, Webengage, Zapier, PayU Integrations: Zoho CRM, Shopify, WooCommerce, Zapier, Pabbly connect, Zoho flow, Klavio, HobSpot Pricing:  Fixed Cost - ₹25,908/Year Marketing  - ₹0.88/Conversation Pricing: Fixed Cost - ₹1,61,988/Year Marketing - ₹0.94152/Conversation Overall we feel that even though Wati costs more, they offer better features.  ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/wati-1734354282111-compressed.png) ### Customers Review  > "Pretty easy to use admin interface. Bot functionality and integrations are upto the mark." ~Wati Customer Wati, in terms of features is clearly the better offering. But AiSensy is also giving you a lot of features for the prize. So, final decision shall be upto you, the reader. Checkout our other blog posts giving an extensive list of [Wati Alternatives](https://www.heltar.com/blogs/top-10-wati-alternatives-2024-heltar-vs-wati-cm17r4s6n003cb98soh94kwzj) and [AiSensy Alternatives](https://www.heltar.com/blogs/top-5-aisensy-alternatives-and-competitors-in-2024-cm27bq4v500uwkt5xix10p6yq). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Resolving WhatsApp Business API Error Code #130429: Throughput Reached Author: Prashant Jangid Published: 2024-11-16 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/resolving-whatsapp-business-api-error-code-130429-throughput-reached-cm3knupgu0011vnqrmrppg6uc When using the WhatsApp Business API, encountering **Error Code 130429** with the error code message, _**"Cloud API message throughput has been reached."**_ signals that the app has hit its current message throughput limit. This error comes with a **400 Bad Request** status and happens when an app attempts to send messages faster than the API's allowed throughput. Here’s a straightforward guide to understand and manage this limit. What Causes Error Code 130429? ------------------------------ Error Code 130429 is triggered when the API’s throughput limit is exceeded. _**Throughput is the rate at which messages can be sent per second.**_ The Cloud API allows up to: * **80 messages per second (mps)** by default for each registered business phone number. * **1,000 mps** for eligible accounts that are automatically upgraded. **Throughput** includes all message types, both incoming and outgoing. When you exceed this rate, the API temporarily blocks further requests. **How to Check and Manage Your Throughput** ------------------------------------------- 1\. Check Your Throughput Level. Use the WhatsApp Business Phone Number  endpoint to check your current limit. Copy code:  GET /?fields=throughput OR Use the curl: curl -X GET "https://graph.facebook.com/v17.0/?fields=throughput" \\\-H "Authorization: Bearer " _Replace with your actual WhatsApp Business Phone Number ID and with the actual access token._ 2. Some accounts qualify for an automatic throughput upgrade to 1,000 messages per second (mps) at no extra cost.  ​**How to Upgrade WhatsApp API Throughput** ------------------------------------------- WhatsApp API throughput upgrades happen automatically when your business phone number meets the eligibility requirements. To qualify for the upgrade from 80 mps to 1,000 mps, your business phone number must meet the following criteria: * Your phone number must initiate conversations with an unlimited number of unique customers in a rolling 24-hour period. * The phone number must be registered on the Cloud API. Numbers using the On-Premises API need to migrate to the Cloud API first. * The phone number should have a Medium or higher quality rating. Tips to Avoid Error Code 130429 ---------------------------------- * Schedule non-urgent messages during off-peak hours or distribute messages evenly across the hour to avoid excessive bursts that could trigger rate limiting. * If you reach the limit and encounter Error Code130429, wait for some time to restore request capacity and try again later. For more troubleshooting tips or insights on how to optimize your business using WhatsApp Business API check out our other blogs at [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp Business API Error Code #131048: Spam Rate Limit Hit Author: Prashant Jangid Published: 2024-11-16 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-business-api-error-code-131048-spam-rate-limit-hit-cm3knn0po0010vnqrmpx9oiek **Error Code 131048** is triggered when a business phone number reaches its **_spam rate limit_**, and is accompanied by the following error message, _**“Message failed to send because there are restrictions on how many messages can be sent from this phone number. This may be because too many previous messages were blocked or flagged as spam.”**_ This limit aims to maintain the quality of customer interactions on WhatsApp. Here’s a guide on how to manage and prevent this error by understanding quality ratings and messaging limits. Why Error Code 131048 Happens ----------------------------- When customers block or report your messages as spam, your account’s quality rating can drop. Once this happens, WhatsApp imposes restrictions to control the number of messages you can send, helping to maintain a positive user experience on the platform. Checking Your Quality Rating in WhatsApp Manager ------------------------------------------------ Your quality rating is based on recent feedback from customers on your messages over the past seven days. To view it: 1. Go to the **Phone numbers** tab in your **Meta WhatsApp Manager**. 2. Check the **Quality rating** column. The ratings are categorized as: * Green: High quality * Yellow: Medium quality * Red: Low quality If your quality rating drops to medium or low, hover over the rating to see customer block reasons, which may include “Spam” or “Didn’t sign up.” This insight can guide you to improve your message quality and lower the risk of further blocks. **Messaging Limits for Business Phone Numbers** ----------------------------------------------- Each business phone number has a set messaging limit, which is the maximum number of business-initiated conversations it can open within a 24-hour period. These limits start at 250 conversations and can increase to 1000, 10,000 or 100,000, based on your account’s verified status and quality rating. Here’s a breakdown: * 1,000 conversations with unique customers per day * 10,000 conversations per day (for higher-tier accounts) * 100,000 conversations per day  * Unlimited conversations for the highest verified tier To improve messaging limits, maintain a high-quality rating by providing valuable and relevant communication to customers. **Status Changes and Alerts** ----------------------------- Your account status changes based on your quality rating: * **Connected:** You can send messages within your limit. * **Flagged:** Triggered by a drop to low quality. Improve quality within seven days to avoid a decrease in message limit. * **Restricted:** Occurs when you reach your messaging limit. You can’t initiate new conversations until after 24 hours but can respond to customer-initiated messages. If your phone number is flagged or restricted, you’ll receive an email notification to help you stay on top of these changes. **Best Practices to Avoid the Spam Rate Limit** ----------------------------------------------- 1. Regularly check your quality rating and address any flagged issues. 2. Spread out messages over time and avoid sending repetitive messages to the same customer. 3. Ensure your messages are clear, relevant, and provide value to the customer. 4. Add an **‘Unsubscribe’** option as a quick reply button or add a text at the footer like “Reply STOP to unsubscribe” to give users the option to stop receiving messages and avoid your WhatsApp Business Number getting flagged as spam. 5. Do not message random numbers but only the users who have in any manner expressed an interest in your service, such as users who have visited your website or have interacted with your business through opt-ins, filled out forms, subscribed to updates, or engaged with your social media platforms. 6. Monitor the quality of your templates by assessing the response they are getting. For more troubleshooting tips or insights on how to optimize your business using WhatsApp Business API check out our other blogs at [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Resolving WhatsApp Business API Error Code 80007: Rate Limit Issues Author: Prashant Jangid Published: 2024-11-16 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/resolving-whatsapp-business-api-error-code-80007-rate-limit-issues-cm3knjf6k000zvnqr322co9wo When using the WhatsApp Business API, encountering **Error Code 80007** means your account has hit its hourly limit for API requests, resulting in a **400 Bad Request** status.  It displays the following error message, **_“The WhatsApp Business Account has reached its rate limit.”_** Here’s how to understand, monitor, and manage this limit to keep your API operations running smoothly. Understanding WhatsApp API Rate Limits -------------------------------------- Each WhatsApp Business Account(WABA) has a specific number of API requests it can process per hour. Hitting this limit prevents further requests until the limit resets, impacting your app’s ability to send messages, manage contacts, and access account details. Rate Limits for WhatsApp Business Accounts ------------------------------------------ Here’s a general breakdown of WABA rate limits: * For all apps, the default rate limit is 200 calls per hour per app, per WABA. * Apps linked to an active WABA with at least one registered phone number can make up to 5000 calls per hour per app, per WABA. **How to Check Your App’s API Call Usage** ------------------------------------------ 1. Open **Meta App Dashboard**. Go to the **Application Rate Limit** section. 2. In the Application Rate Limit section, click **View Details**. Hover over the graph to see usage details by hour, so you can monitor and adjust your app’s activity as needed. **Tips to Manage Rate Limits** ------------------------------ To avoid hitting the limit, try these strategies: * Use webhooks to get real-time updates on message templates, phone numbers, and WABA statuses, reducing the need for extra API calls. * Schedule non-urgent requests during off-peak hours or distribute API calls evenly across the hour to avoid excessive bursts that could trigger rate limiting. * If you reach the limit and encounter Error Code 80007, wait for the hourly reset to restore request capacity. For more troubleshooting tips or insights on how to optimize your business using WhatsApp Business API check out our other blogs at [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Resolving WhatsApp Business API Error Code 4: Too Many Calls Author: Prashant Jangid Published: 2024-11-16 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/resolving-whatsapp-business-api-error-code-4-too-many-calls-cm3kncolz000yvnqrmelp0wyt When using the WhatsApp Business API, you might see **Error Code 4** **(Too Many Calls)** with a **400 Bad Request** status. It displays the following error message, **_“The app has reached its API call rate limit.”_** Here’s a quick guide on how to handle this and keep your app running smoothly. Why Error Code 4 Happens ------------------------ Error Code 4 occurs when your app exceeds its allocated rate limit for API calls, tracked on an hourly basis. Each request you make to the **WhatsApp Business Management API** counts toward this limit, which affects actions related to message templates, phone numbers, and your WhatsApp Business Account (WABA). Rate Limits for API Calls ------------------------- Your app’s call count is the number of requests allowed per hour, calculated based on activity. Here’s a breakdown of the rate limits: * For all apps, the default rate limit is 200 calls per hour per app, per WABA. * Apps linked to an active WABA with at least one registered phone number can make up to 5000 calls per hour per app, per WABA. **WhatsApp Business Management API Calls** ------------------------------------------ Operations for which WhatsApp Business Management API is called include (but is not limited to):  * Create, update, and delete users who have access to the business account. * Assign roles and permissions to users. * Update business details such as business name, address, description, email, and website. * Manage business profile settings. * Set up and manage message templates. * Set up and manage webhooks for events like messages received, message delivery statuses, and changes in contact status. * Receive and process incoming messages to trigger automated responses or alert human agents. * Link or unlink phone numbers to the WhatsApp business account. * Manage phone number settings to control which numbers are used for sending messages. **How to Check Your App’s API Call Usage** ------------------------------------------ 1. Open **Meta App Dashboard**. Go to the **Application Rate Limit** section. 2. In the Application Rate Limit section, click **View Details**. Hover over the graph to see usage details by hour, so you can monitor and adjust your app’s activity as needed. Tips to Manage Rate Limits -------------------------- To avoid hitting the limit, try these strategies: * Use webhooks to get real-time updates on message templates, phone numbers, and WABA statuses, reducing the need for extra API calls. * If you’re using the WhatsApp Cloud API for a campaign, cache template requests locally or work with your business provider to cache them, minimizing unnecessary API calls and reducing server load. * Schedule non-urgent requests during off-peak hours or distribute API calls evenly across the hour to avoid excessive bursts that could trigger rate limiting. * If you reach the limit and encounter Error Code 4, wait for the hourly reset to restore request capacity. For more troubleshooting tips or insights on how to optimize your business using WhatsApp Business API check out our other blogs at [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Resolve WhatsApp Business API Error Code 131056: Pair Rate Limit Hit Author: Prashant Jangid Published: 2024-11-16 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/how-to-resolve-whatsapp-business-api-error-code-131056-pair-rate-limit-hit-cm3kmbksu000xvnqr4ql87km1 **Error Code 131056** occurs when your WhatsApp Business account tries to send too many messages to the same recipient phone number in a short amount of time. This error is accompanied by a 400 Bad Request status and the message, **“_Too many messages sent from the sender phone number to the same recipient phone number in a short period of time._”** Here's a guide on understanding and handling this issue. Why Does Error Code 131056 Happen? ---------------------------------- WhatsApp imposes limits on how many messages can be sent to a specific recipient in a short period. This is done to prevent spamming and ensure that users are not overwhelmed with too many messages from the same business. If your app sends too many messages to the same phone number too quickly, you will encounter Error Code 131056, which indicates a _**Pair Rate Limit Hit**_. What Does Pair Rate Limit Mean? ------------------------------- The pair rate refers to the number of messages that can be sent from your business phone number to a specific customer phone number within a defined time period. WhatsApp’s system limits how many messages a business can send to the same customer in a short span of time to avoid spamming the user. If the message limit is exceeded, this error is triggered. What Happens When You Hit the Pair Rate Limit? ---------------------------------------------- When you hit the pair rate limit, you are temporarily restricted from sending messages to that particular customer number. The error message suggests that you wait before trying again. However, you can still send messages to other phone numbers without any issues. If you're running a marketing campaign or providing support, you can focus on engaging other users without delay. This is a way for WhatsApp to manage the flow of communication and ensure that users are not bombarded with unwanted messages. How to Resolve Error Code 131056? --------------------------------- 1. The simplest way to resolve this error is to wait for a while before sending messages to the same recipient.  2. To avoid hitting this error in the future, try to space out your messages to the same user. 3. If you’re sending frequent updates, consider grouping your messages. For example, instead of sending separate messages for order confirmation, tracking details, and a feedback form, club them into one comprehensive message. For more troubleshooting tips or insights on how to optimize your business using WhatsApp Business API check out our other blogs at [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## 5 Effective Ways to Send WhatsApp Messages Without Saving Contacts Author: Prashant Jangid Published: 2024-11-16 Category: WhatsApp Business API Tags: Bulk Messaging, Digital Marketing URL: https://www.heltar.com/blogs/5-effective-ways-to-send-whatsapp-messages-without-saving-contacts-cm3kljwln000svnqr5fij0b8m We’ve all been there. You need to message someone on WhatsApp, but you don’t want to face the problem of saving their contact information. If you frequently find yourself needing to message people on WhatsApp without wanting to save every single number, here are a few easy ways to achieve exactly the same. Let’s dive in:  1\. Messaging yourself ------------------------- * Start by opening WhatsApp and tapping the search bar at the top of the screen. * Type “You” in the search bar to easily find your own chat.  * Once you’re in your chat, paste the phone number you want to message into the chat. The number will turn blue, signalling that it’s recognized as a valid WhatsApp contact. Tap on the blue number, and it becomes clickable.  * From there, just select “Chat with”, and it’ll open a conversation with that person. ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/b64-1731787563808-compressed.png) ** This method is super helpful for messaging unsaved contacts without needing to save them in your contact list. 2\. Sending Messages Through Third-Party Apps Like Truecaller’s Direct WhatsApp Feature --------------------------------------------------------------------------------------- Truecaller offers an easy way to send WhatsApp messages without saving a number, making quick, one-time chats convenient. Simply follow these steps: * First, download the Truecaller app from the App Store or Play Store.  * Once installed, open the app and use the search bar to look up the phone number you want to message. When the contact’s details appear, you’ll notice a WhatsApp icon next to the number.  * Simply tap the WhatsApp icon, and it will open WhatsApp with the chat window ready for you to start messaging. ​ ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1731793481349-compressed.png) ** ​ ​ In this way, you can message anyone instantly directly from the Truecaller app. **3\. WhatsApp's 'Click to Chat' Feature​** ------------------------------------------- WhatsApp actually has a feature built right in for messaging someone without saving their number, called Click to Chat. * Open your browser (like Chrome or Safari) and type this into the address bar: https://wa.me/, replacing with the person’s phone number and country code, without the +.  For example, if you’re messaging +91 9876543210, just type https://wa.me/919876543210. * Hit Enter, and a screen will appear asking if you want to open a chat. Click Continue to Chat, and WhatsApp will open up for you. _**Tip:** Bookmark https://wa.me/ in your browser so you can use it quickly in the future!_ ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1731788385286-compressed.png) ### 4\. Sending Messages via Google Assistant Google Assistant makes it super easy to send WhatsApp messages without touching your phone, perfect for when you're on the go or just feeling hands-free. Here’s how it works: * Activate Google Assistant by saying “Hey Google” or pressing the Assistant button on your device. * Say, “Send a WhatsApp message to +\[country code\]\[number\]”, and then dictate your message. For example, if you want to message the number 987654321 in India, you’d say: "_Send a WhatsApp message to +91987654321_," making sure to include India’s country code (+91) at the start. * Once you’ve dictated your message, Google Assistant will confirm the details and send it to you through WhatsApp. You don’t have to type anything! Just speak, and your message gets delivered in seconds. ### 5\. Using Siri Shortcuts on iPhone For iPhone users, Siri Shortcuts can be a handy way to send WhatsApp messages without saving contacts. To get started, open the Shortcuts app on your iPhone and create a new shortcut. Follow the below steps to create a shortcut: * Tap Create Shortcut or the + icon. * Add the action Open URL. * Enter the URL: https://wa.me/, replacing with the phone number and country code (e.g., https://wa.me/919876543210 for +91 9876543210). * Save the shortcut and give it a name like "WhatsApp Quick Message." Now, whenever you want to message a new contact, just open the shortcut and enter the number, and it’ll open the chat for you in WhatsApp. These are the 5 effective ways by which one can send messages without saving the contact number. If you’re a small or medium enterprise (SME), you might have to reach out to multiple people on WhatsApp without saving their contacts multiple times every day which could be a hassle. This process can be streamlined using WhatsApp Business API from any Meta Verified WhatsApp API provider like [Heltar](https://www.heltar.com/). WhatsApp Business API --------------------- WhatsApp Business API is a powerful tool that enables businesses to scale their communication with customers. It offers a range of features, including the ability to send automated messages, templates, interactive messages, and media files. Integrating this API into your business systems allows SMEs to streamline customer support, marketing campaigns, and sales processes, improving customer satisfaction and increasing efficiency. Heltar allows you to not only send bulk messages on WhatsApp but also automate communication, manage customer interactions at a large scale, and personalize messaging to enhance customer engagement, all through the powerful WhatsApp Business API. For deeper insights on optimizing your WhatsApp experience and unlocking the full potential of WhatsApp Business, explore Heltar’s blog! Dive into valuable tips and strategies at [heltar.com/blogs](https://heltar.com/blogs). ​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Business Web - All You Need to Know [2025] Author: Prashant Jangid Published: 2024-11-12 Category: WhatsApp Business API Tags: WhatsApp API, Bulk Messaging, WhatsApp for Business URL: https://www.heltar.com/blogs/all-you-need-to-know-about-whatsapp-business-web-cm3eahx5j00577rdu5maaiip0 Are you a business looking to manage your WhatsApp chats directly from your desktop? With WhatsApp Web, you can access all your conversations on your computer, whether you’re using a browser, a Windows app, or a Mac app.  **While Meta hasn’t launched a standalone WhatsApp Business app for desktop or PC, all the features of WhatsApp Business are automatically available when you log in to WhatsApp Web or WhatsApp Desktop using your business account phone number. So to access WhatsApp Business on your laptop or computer simply log in to WhatsApp Web as usual with your business account credentials.** Here’s a straightforward guide on how to set it up, plus some tips for a smooth experience. Using WhatsApp Web on Your Browser ---------------------------------- 1. Open your browser and go to [WhatsApp Web](http://web.whatsapp.com). 2. Open WhatsApp on your phone. Click the three dots at the top left corner for Android and Settings for iPhone. Go to **Linked Devices** and tap **Link a Device**. 3. Scan the QR code shown on the website from your phone and you will get logged in. You can keep WhatsApp Web open in your browser and easily message from your desktop. **Using the WhatsApp Desktop App on Windows** --------------------------------------------- For a dedicated desktop experience, you can download the WhatsApp Desktop app: 1. Go to the [Microsoft Store](https://apps.microsoft.com/detail/9nksqgp7f2nh?hl=en-us&gl=IN), download WhatsApp Desktop, and open it. 2. Open WhatsApp on your phone. Click the three dots at the top left corner for Android and Settings for iPhone. Go to **Linked Devices** and tap **Link a Device**. 3. Scan the QR code on your Desktop screen from your phone. You’re now ready to chat from your computer. Using the WhatsApp Desktop App on Mac ------------------------------------- The process on Mac is similar to Windows: 1. Go to the Mac App Store, download WhatsApp Desktop, and launch it. 2. Open WhatsApp on your phone. Click the three dots at the top left corner for Android and Settings for iPhone. Go to **Linked Devices** and tap **Link a Device**. 3. Scan the QR code on your Mac screen from your phone. Your chats will appear, and you’re all set. How to Log Out of WhatsApp Business App? ---------------------------------------- * From Your Phone: Open WhatsApp, go to **Linked Devices**, find the device you want to log out of, and select **Log Out**. * From the Desktop: If you’re using the desktop app, just click **Menu > Log Out**. ### Features of WhatsApp Business App 1. Set up automatic greeting messages to welcome new customers or away messages to let them know when you’re not available. 2. Use labels to categorize chats, making it easier to track and manage customer conversations. 3. You can login to upto 4 devices at once. Differences Between WhatsApp Web and WhatsApp Desktop ----------------------------------------------------- ### **How to Access** * _WhatsApp Web:_ Open a browser, go to web.whatsapp.com, and scan a QR code with your phone. * _WhatsApp Desktop:_ Download and install an app on your computer and log in to your account by scanning the QR code with your phone. ### **Computer Integration** * _WhatsApp Web:_ Works like a website with basic features. * _WhatsApp Desktop:_ Feels more like a built-in app, with extra features like shortcuts and drag-and-drop for files. ### **Notifications** * _WhatsApp Web:_ Shows notifications in your browser, which might be less reliable. * _WhatsApp Desktop:_ Sends notifications directly on your computer, making them easier to see. ### **Convenience** * _WhatsApp Web:_ Great for quick access from any computer with a browser. * _WhatsApp Desktop:_ Better for those who want a consistent app experience on one main computer. Limitations of WhatsApp Business Web ------------------------------------ While WhatsApp Business Web is a handy tool, it does come with some limits that may affect business use. Here’s a quick look at these limitations: 1. WhatsApp Business Web allows broadcasts to only 256 recipients at a time, which can be restrictive for businesses aiming for large-scale promotions. 2. WhatsApp Business Web allows login from just 4 devices, which may not be enough for teams managing high volumes of messages. 3. You can only schedule basic away or greeting messages. Scheduling messages based on events or database entries isn’t possible. 4. Automation is limited to basic canned replies. You can’t add an advanced chatbot to handle FAQs, sales, or support queries. 5. WhatsApp Business Web doesn’t support integration with CRMs or other chat automation tools, limiting communication efficiency. However all of the above limitations can be overcome by using WhatsApp Business API. How to Use WhatsApp Business Web with WhatsApp API ----------------------------------------------------- With **WhatsApp Business API** access, you can transform how you communicate with customers, seamlessly linking WhatsApp to your CRM and databases. This lets your business scale up customer interactions as you grow, making the most of your WhatsApp Business Web. Apply for WhatsApp Business API access through an official Meta WhatsApp Business API provider like [Heltar](https://www.heltar.com) to go beyond the basic features of the WhatsApp Business app. Heltar enables you to: * **Integrate Across Platforms:** Connect WhatsApp with platforms like Google, LinkedIn, Facebook, Instagram, and your website. * **Build a No-Code AI Chatbot:** Easily create and deploy a chatbot without any coding, optimizing customer interactions with AI. * **WhatsApp Bulk Messaging and Campaigns:** Run engaging marketing and broadcast campaigns on WhatsApp to reach more customers efficiently. * **Boost Sales and Support with a Team Inbox:** Centralize all customer inquiries in one inbox, improving response times and providing top-notch support. For more insights on optimizing your business using WhatsApp Business API check out our other blogs at [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Whatsapp Business App vs Whatsapp Business API - The difference explained Author: Manav Mahajan Published: 2024-11-05 Tags: WhatsApp API, WhatsAPP Business URL: https://www.heltar.com/blogs/understanding-whatsapp-business-solutions-from-app-to-api-cm349glwt00i113femx2ppuc1 Introduction ------------ ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/14-1731055127824-compressed.jpg) For businesses looking to leverage WhatsApp for customer communication, choosing between the WhatsApp Business App and WhatsApp Business API through business service providers like [Heltar- Free WhatsApp Business API](https://www.heltar.com/)  is a crucial decision that impacts your operational efficiency and customer engagement capabilities. This comprehensive guide breaks down each solution's features, helping you understand the progression from basic to advanced functionalities.​ ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/feature-1080-x-1280-px202411071659520000-1730996669808-compressed.png) Broadcasting and Message Reach ------------------------------ ### WhatsApp Business App * Your broadcast messages are limited to 256 contacts per list, requiring careful segmentation of your customer base into smaller groups. * Messages will only reach customers who have saved your business number in their contacts, which can significantly limit your reach. * You'll need to manually create and manage broadcast lists, which can become time-consuming as your customer base grows. ### **WhatsApp Business API** * Send broadcasts to unlimited contacts without any list size restrictions * Your messages can reach any valid WhatsApp number in your database, regardless of whether they've saved your contact. * Create sophisticated messaging campaigns that can be scheduled, personalized, and tracked at scale. User Access and Team Management ------------------------------- ### WhatsApp Business App * Access is restricted to a single device, meaning you can only manage conversations from one phone or computer at a time. * Only one team member can handle customer communications, creating potential bottlenecks in response times. * Works well for small business owners who personally manage all customer communications. ### **WhatsApp Business API** * Enable multiple team members to access and respond to customer messages simultaneously from different devices. * Implement role-based access control to assign different permission levels to team members based on their responsibilities. * Track and monitor team performance metrics to ensure consistent customer service quality. Automation Capabilities ----------------------- ### WhatsApp Business App * Create and save quick replies for frequently asked questions, speeding up response times for common queries. * Set up basic away messages to inform customers when you're unavailable and when they can expect a response. * Configure a greeting message that automatically welcomes new customers who message your business. ### **WhatsApp Business API** * Deploy sophisticated chatbots that can handle complex conversation flows and customer service scenarios. * Integrate with your existing CRM systems to automatically update customer information and track interactions. * Create dynamic response workflows that adapt based on customer inputs and behavior patterns. * Set up automated triggers based on customer actions or time-based events to send relevant messages. * Implement AI-powered response systems that can understand and react to customer queries intelligently. * Schedule messages to be sent at optimal times based on customer engagement data. Analytics and Reporting ----------------------- ### WhatsApp Business App * Access basic message statistics showing the number of messages sent, delivered, and read by customers. * Generate basic insights about peak messaging times and customer engagement patterns through observation. * Monitor individual customer conversations to understand communication patterns on a basic level. * Review message status updates to ensure delivery and reading confirmation. ### **WhatsApp Business API** * Access comprehensive analytics dashboards showing detailed metrics about message performance and customer engagement. * Generate custom reports based on specific KPIs such as response times, customer satisfaction scores, and conversion rates. * Track advanced metrics like customer journey completion rates, bot interaction success rates, and agent performance statistics. * Create detailed ROI reports by tracking conversion rates and campaign performance metrics. **Cost Structure** ------------------ ### **WhatsApp Business App** * Download and use the app completely free of charge, making it accessible for businesses of all sizes. * Incur no additional costs beyond your standard internet or data connection fees. * Save on implementation costs as no technical setup or integration is required. ### **WhatsApp Business API** * For businesses looking to scale their operations, the WhatsApp Business API is the real game-changer—but it comes at a cost.  * The API is not free, and businesses must use one of WhatsApp’s Business Solution Providers like Heltar to access it. * With Heltar, Customers can start their bulk messaging beginning with **INR 999/month**. Making Your Choice ------------------ ### Choose WhatsApp Business App If You: * Run a small to medium-sized business with manageable customer communication volumes. * Handle fewer than 256 unique customer conversations per broadcast message. * Operate with a single person managing all customer communications. * Need basic business messaging features for day-to-day customer interaction. * Are testing WhatsApp as a customer communication channel before scaling up. ### **Upgrade to WhatsApp Business API If You:** * Manage a large customer base requiring consistent and scalable communication. * Need to handle high volumes of customer messages across multiple team members. * Require sophisticated automation and integration with existing business systems. * Want detailed analytics and reporting capabilities for data-driven decision making. * Plan to implement complex customer journey automation and chatbot solutions. * Have the technical resources and budget to support advanced implementation. * Need to maintain compliance and security standards for enterprise-level communication. _Remember that the most effective solution is the one that best matches your current operational capabilities while providing room for growth. Whether you choose the simplicity of the Business App or the power of the API, focus on delivering value to your customers through clear, consistent, and engaging communication._ > Try [Heltar- Best WhatsApp API](https://www.heltar.com/) today! Start with our free trial and experience the difference in service and support. Choose Heltar for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your budget. ​[_Read more about WhatsApp Business API in detail here._](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg)​ FAQs ---- **Can I use the WhatsApp Business App for larger enterprises?**  The WhatsApp Business App is best suited for small to medium businesses with manageable customer communication volumes. For larger enterprises with complex requirements, the WhatsApp Business API is a more scalable and robust solution. **How do the pricing models differ between the two options?**  The WhatsApp Business App is free to use, while the WhatsApp Business API requires a paid subscription through a business service provider like Heltar, and its starts as low as 999 per month. **Can I migrate from the WhatsApp Business App to the API in the future?** Yes, you can seamlessly transition from the WhatsApp Business App to the API as your business grows and your communication needs become more sophisticated. If you choose Heltar, the entire migration process will be handled by our customer support team. **Can I set up automated chatbots and workflow management with the WhatsApp Business App?** No, to access advanced features like automated chatbots, the API is necessary. The API integrates with no-code chatbot builders like Heltar, allowing you to create custom conversational flows, & automate responses. **Can I integrate the WhatsApp Business API with my existing CRM and business systems?**  Yes, the API seamlessly integrates with popular CRM platforms, enabling you to synchronise your customer data. **How do the broadcasting capabilities differ between the App and API?**  The WhatsApp Business App limits broadcasts to 256 contacts, while the API allows you to reach unlimited customers, regardless of whether they've saved your number. **What are the technical requirements for integrating the WhatsApp Business API?**  To integrate the WhatsApp Business API, you'll need to work with a WhatsApp Business Solution Provider like Heltar. We will handle the technical setup, including API configuration, migration & automation. [Book a Demo!](https://www.heltar.com/demo.html) --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Send Bulk Messages on WhatsApp without Getting Banned (2025 Update) Author: Manav Mahajan Published: 2024-11-04 Category: WhatsApp Business API Tags: WhatsApp API, Bulk Messaging URL: https://www.heltar.com/blogs/how-to-send-bulk-messages-on-whatsapp-without-getting-banned2024-update-cm32nif0e00eo13fea49uaks0 Want to send bulk messages on WhatsApp effectively? This guide covers **three main methods**: WhatsApp groups and broadcast lists, third-party tools, and the WhatsApp Business API. For **reliable bulk messaging**, the **Official WhatsApp API** stands out as the most professional solution, offering automation, scalability, and personalization features. You'll learn how to set up the Business API through an official solution provider like Heltar, create approved message templates, import contact lists correctly, and follow best practices to maintain quality metrics. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/16-1730799024656-compressed.jpg) Bulk Messages can be sent on WhatsApp via groups or broadcast lists, chrome extensions, and WhatsApp Business API. 3 Ways to Send Bulk Messages on WhatsApp ---------------------------------------- Bulk Messages can be sent on WhatsApp via groups or broadcast lists, chrome extensions, and WhatsApp Business API. Method 1 - WhatsApp Groups and Broadcast Lists ---------------------------------------------- You can use broadcast lists to send a message to several contacts at once. Broadcast lists are **saved lists** of contacts that you can **repeatedly message** without having to select the contacts each time. (Note: Broadcast lists aren't supported on Windows, Mac, or Web) ### Broadcast list requirements: 1. Make sure all contacts in the broadcast list have saved your number in their address book. 2. You can create as many broadcast lists as you like. 3. You can include up to **256 contacts** in each broadcast list. ### ### Create a broadcast list * Tap on the three dots on the top right and select ‘**New broadcast**’ * Search for or select the contacts you want to add. * Tap on the tick button to confirm. _Recipients receive a message from your broadcast list as an_ **_individual message_** _from you in their_ **_Chats tab_**_. Their reply will also appear as an individual message and won’t be sent to other contacts in the broadcast list._ Note: * Only people who’ve added you to their phone's contacts will receive your broadcast message. * If someone isn’t receiving your broadcast messages, ask them to add you to their contacts. * Broadcast lists are a **one-to-many** communication. If you want your recipients to participate in a group conversation, create a **group chat** instead. ### **Edit a broadcast list** * From the Chats tab, tap your broadcast list. * Tap on the three dots on the top right and select ‘Broadcast list info’ * In the broadcast list info screen you can: * Change the name of your broadcast list by tapping the three dots > Change broadcast list name. Enter the new name of your broadcast list > OK. * Add recipients to the list by tapping Edit recipients. Search for or select the contacts you want to add. * Remove recipients by tapping Edit recipients > Tap the "x" in the contact’s profile picture  **Delete a broadcast list** --------------------------- * From the Chats tab, tap your broadcast list. * Tap the three dots > Broadcast list info > Delete broadcast list > Delete. * Check the box if you’d also like to delete media received from the device gallery. ### **Limitation of Broadcast lists** Broadcast lists on WhatsApp are **limited to 256 recipients** at a time, which can restrict the reach of your marketing campaigns. Additionally, **manually saving contacts** and creating individual broadcast lists can be **time-consuming** and **inefficient** for businesses looking to scale their efforts. Method 2 - Third-Party Tools and Platforms ------------------------------------------ There exist third party tools and extensions on chrome like WASender free PlugIn or WA Bulk Message Sender that can be used for bulk messaging, but they entail a high risk of getting you permanently banned from the platform. Therefore, this **unofficial method** is **not recommended** at all. Method 3 - WhatsApp Business API -------------------------------- This method helps us **overcome the limitations** of both the above mentioned methods. Unlike the regular WhatsApp Business app, which has limitations on message broadcasting and manual interactions, the API allows businesses to send bulk messages efficiently without a risk of getting banned. It enables seamless communication, whether for customer support, or for marketing campaigns. ### **Using WhatsApp Business API** Setting up and using the WhatsApp Business API for bulk messaging can significantly streamline your business communication, Here’s how you can do it: **Registration and Verification**  First, register with a WhatsApp Business Solution Provider (BSP) like [Heltar- Best WhatsApp Business API](https://www.heltar.com/). This step involves submitting your business details and verifying your Facebook Business Manager account. **Creating Message Templates** WhatsApp requires pre-approved message templates for bulk messaging to ensure compliance. These templates can include messages from across categories - **marketing**, **utility**, **service**, or **authentication**. They should be clear, non-spammy, and valuable to the recipient. **Launching Campaigns** After setting up the API and templates with Heltar, you can **start sending bulk messages** to your customers. The API enables you to automate message delivery, personalize content, and schedule campaigns for optimal engagement. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/15-1730799331336-compressed.jpg) Features of WhatsApp Business API --------------------------------- ### Automation Capabilities One of the key advantages of the WhatsApp Business API is its automation features. You can automate customer responses, schedule message delivery, and integrate chatbots to handle routine queries. This reduces manual effort and ensures your business is responsive 24/7. ### Scalability for Businesses Unlike the regular WhatsApp Business app, the API supports large-scale messaging, allowing you to send bulk messages to thousands of customers without the need for broadcast lists. This scalability is crucial for businesses with a large customer base or those expanding rapidly. ### **Personalization of Messages** With the WhatsApp Business API, businesses can send personalized messages that include customer names, previous purchase history, and relevant offers. This level of personalization helps improve engagement and enhances the customer experience, making your messages more likely to be read and acted upon. **Preparing Your Messaging Strategy** ------------------------------------- Follow this simple 4-step guide to send bulk messages on WhatsApp without saving contact.  > To avoid getting banned by WhatsApp make sure you have already chosen a WhatsApp Business API solution provider, as mentioned earlier. **1\. Import a contact list** The first step to send WhatsApp bulk messages is to import a contact list to the WhatsApp Business API solution provider’s platform. While importing contacts, make sure that all the contact phone numbers are in the international format with country and area codes in the CSV file. **2\. Create a message template** Message templates need to be approved by WhatsApp before you send a bulk message on WhatsApp. The WhatsApp Business API solution provider you can even choose, a [premier IT company](https://brighttechtrends.com/it-companies-in-coimbatore/) to create and submit message templates.. _Remember, if you want to make your bulk message more effective, you need to make it engaging. You can set up an WhatsApp API interactive message template that contains a call-to-action or quick reply button, or a multimedia message template that supports text, images, videos and PDF files._ Once your message template gets approved, it’s time to use and send a WhatsApp bulk message! **3\. Compose your WhatsApp bulk message** Using the approved message template, customize the placeholders. Ensure you keep your message crisp and clear, focusing on what you want to promote and the action you want the recipient to take. Make use of the formatting options available on WhatsApp to structure your messages well, and highlight the important parts. This includes the ability to bold or strikethrough words in the message. Also remember to add multimedia to make your WhatsApp bulk message visually engaging, along with emojis. **4\. Send or schedule your bulk message** Schedule WhatsApp messages in bulk at a specific day and time, you will need to set up a broadcast message campaign through your WhatsApp Business API solution provider. Make sure you name the bulk message clearly if you intend to send more campaigns in the coming period. Remember to use tags to send targeted bulk WhatsApp messaging. The higher the context of your bulk WhatsApp messages, the more likely a customer is to convert on your bulk message campaign. Best Practices for Bulk Messaging  ---------------------------------- Four things that you should keep in mind while creating conversation-driven messages using WhatsApp templates are: **1\. Always keep WhatsApp message limit in check** Business accounts can have up to 250 message templates. Keeping quality over quantity in mind, the frequency of WhatsApp marketing messages should be around 5-6 messages per month.  **2\. Curate WhatsApp marketing messages thoughtfully** As per customers' preferences, messages must be personalized using images, videos,& PDFs with a clear call to action. No content should ask for any sensitive or personal information from the customers. **3\. Be consistent and concise while messaging** Aim for short, direct sentences to avoid creating long copies of automated messages. Avoid using complicated jargon that may confuse the users. **4\. Keep an eye on quality metrics** _**Pending:**_ After submitting the WhatsApp message templates for the first time, this status reveals that Meta is yet to review them. _**Approved:**_ It implies that brands can send communications from the platform. _**Rejected:**_ It means brands need to revise the WhatsApp business message templates. _**Flagged:**_ It indicates that WhatsApp templates are of poor quality, the quality ratings have reached a low status, and it needs further improvement to get approval. _**Disabled:**_ The WhatsApp business message templates will be disabled across all languages if the ratings don't improve even after seven days of being moved to the Flagged status. > Try [Heltar](https://www.heltar.com/) today! Start with our free trial and experience the difference in service and support. Choose Heltar for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your budget. ​[Read more about WhatsApp Business API.](https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg)​ [Book a Free Demo!](https://www.heltar.com/demo.html) ​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp Business API Error Code 200-299: API Permission Author: Prashant Jangid Published: 2024-10-29 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-business-api-error-code-200-299-api-permission-cm2u2fhsh00dowixoih1a33gp When working with the WhatsApp Business API, Error Code 200-299 (API Permission) with a 403 Forbidden status means that the app lacks the necessary permissions.  What Causes Error Code 200-299? ------------------------------- This error appears when: * The app doesn’t have the required permissions to access specific API features. * Permissions were previously granted but later removed or revoked. **Solution for Error Code 200-299** ----------------------------------- To resolve this error: 1. Go to the **[Access Token Debugger](https://business.facebook.com/business/loginpage/?next=https%3A%2F%2Fdevelopers.facebook.com%2Ftools%2Fdebug%2Faccesstoken%2F)** and paste your access token. Verify if the required permissions, **whatsapp\_business\_management** and **whatsapp\_business\_messaging**, are enabled. 2. ​If your token doesn’t include these permissions, you’ll need to create a new one. While generating the token, make sure to: * Select the Meta app you are using for API calls. * Add the permissions: **whatsapp\_business\_management** and **whatsapp\_business\_messaging** (step-by-step guide ahead). To Generate a New System User Access Token: ------------------------------------------- 1. Log into **[Meta Business Suite](https://en-gb.facebook.com/business/tools/meta-business-suite)**. 2. Choose your business account from the top-left dropdown, then click the **Settings** (gear) icon. 3. Go to **Business settings.** 4. Click **User > System users**. 5. Find and select the system user you need from the list. 6. Click **Generate new token**. 7. Select the **Meta app** you are using for API calls. 8. Select the necessary **Graph API permissions** for the app. Ensure **whatsapp\_business\_management** and **whatsapp\_business\_messaging** are added. 9. Finally generate the token. For further troubleshooting tips on WhatsApp API errors or insights into maximizing the potential of WhatsApp Business API potential, visit [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp Business API Error Code 190: Access Token Expired Author: Prashant Jangid Published: 2024-10-29 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/resolving-whatsapp-business-api-error-code-190-access-token-expired-cm2u2aqdz00dnwixoxilpfn7t In the WhatsApp Business API, **Error Code 190** indicates that your access token has expired, resulting in a **401 Unauthorized** status. This error prevents API access until a new token is generated. What Causes Error Code 190? --------------------------- Error Code 190 appears when the access token has reached its expiration date, meaning the app can no longer authenticate requests using that token. Solution for Error Code 190 --------------------------- To resolve this error, generate a new system user token by following these steps: 1. Log into **[Meta Business Suite](https://en-gb.facebook.com/business/tools/meta-business-suite)**. 2. Choose your business account from the top-left dropdown, then click the **Settings** (gear) icon. 3. Go to **Business settings**. 4. Click **User > System users**. 5. Find and select the system user you need from the list. 6. Click **Generate new token**. 7. Choose the app that will use the token. 8. Select the necessary **Graph API permissions** for the app, then generate the token. For further troubleshooting tips on WhatsApp API errors or insights into maximizing the potential of WhatsApp Business API, visit [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp Business API Error Code 10: Permission Denied Author: Prashant Jangid Published: 2024-10-29 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-business-api-error-code-10-permission-denied-cm2u1z32z00dmwixonkbk3abd Resolving WhatsApp Business API Error Code 10: Permission Denied ---------------------------------------------------------------- When using the WhatsApp Business API, **Error Code 10** (Permission Denied) with a **403 Forbidden status** indicates that the necessary permissions are either missing or have been removed. This error usually prevents access to certain API endpoints or actions. What Causes Error Code 10? -------------------------- Error Code 10 means that permission for the requested action is either: * Not granted to the app. * Removed from the app’s access. **Solution for Error Code 10** ------------------------------ To fix this error, follow these steps: 1. Go to the [Access Token Debugger](https://developers.facebook.com/tools/debug/accesstoken/) and paste your access token to check if your app has the required permissions. * Verify if the required permissions, **whatsapp\_business\_management and whatsapp\_business\_messaging**, are enabled. * If your token doesn’t include these permissions, you’ll need to create a new one. While generating the token, make sure to select the Meta app you are using for API calls and to add the permissions: whatsapp\_business\_management and whatsapp\_business\_messaging (detailed steps ahead). 2. Ensure that the phone number used to set the business public key is allowlisted. ### To Generate a New System User Access Token: 1. Log into **[Meta Business Suite](https://en-gb.facebook.com/business/tools/meta-business-suite)**. 2. Choose your business account from the top-left dropdown, then click the **Settings** (gear) icon. 3. Go to **Business settings.** 4. Click **User > System users**. 5. Find and select the system user you need from the list. 6. Click **Generate new token**. 7. Select the **Meta app** you are using for API calls. 8. Select the necessary **Graph API permissions** for the app. Ensure **whatsapp\_business\_management** and **whatsapp\_business\_messaging** are added. 9. Finally generate the token. By confirming the necessary permissions and allowlisting the required phone number, you can restore access and resolve Error Code 10. For further troubleshooting tips on WhatsApp API errors or insights into maximizing the potential of WhatsApp Business API potential, visit [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp Business API Error Code 3: Capability or Permissions Issue Author: Prashant Jangid Published: 2024-10-29 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-business-api-error-code-3-capability-or-permissions-issue-cm2u1fh5300dlwixofuwvs7lq When working with the WhatsApp Business API, **Error Code 3** with a **500 Internal Server Error** indicates a capability or permissions issue. This error usually means your app lacks the necessary permissions for the API endpoint being accessed. What is Error Code 3? --------------------- Error Code 3 signifies that the app is facing restrictions due to missing permissions. The server response shows a **500 Internal Server Error**, meaning the issue is within the application’s configuration rather than the server. Solution for Error Code 3 ------------------------- To resolve this error: 1. Go to the **[Access Token Debugger](https://business.facebook.com/business/loginpage/?next=https%3A%2F%2Fdevelopers.facebook.com%2Ftools%2Fdebug%2Faccesstoken%2F)** and paste your access token. Verify if the required permissions, **whatsapp\_business\_management** and **whatsapp\_business\_messaging**, are enabled. 2. ​If your token doesn’t include these permissions, you’ll need to create a new one. While generating the token, make sure to: * Select the Meta app you are using for API calls. * Add the permissions: **whatsapp\_business\_management** and **whatsapp\_business\_messaging** (step-by-step guide ahead). ### To Generate a New System User Access Token: 1. Log into **[Meta Business Suite](https://en-gb.facebook.com/business/tools/meta-business-suite)**. 2. Choose your business account from the top-left dropdown, then click the **Settings** (gear) icon. 3. Go to **Business settings.** 4. Click **User > System users**. 5. Find and select the system user you need from the list. 6. Click **Generate new token**. 7. Select the **Meta app** you are using for API calls. 8. Select the necessary **Graph API permissions** for the app. Ensure **whatsapp\_business\_management** and **whatsapp\_business\_messaging** are added. 9. Finally generate the token. For further troubleshooting tips on WhatsApp API errors or insights into maximizing the potential of WhatsApp Business API potential, visit [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting WhatsApp Business API Error Code 0: AuthException Author: Prashant Jangid Published: 2024-10-29 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-whatsapp-business-api-error-code-0-authexception-cm2u13ejy00dcwixop1qj78oq When using the WhatsApp Business API, you may encounter **Error Code 0 (AuthException)** with a **401 Unauthorized** status. This error indicates an authentication problem, usually caused by issues with the access token. What is AuthException (Error Code 0)? ------------------------------------- AuthException (Error Code 0) signals that your app couldn't authenticate the user, commonly due to: * Access token expired. * Access token invalidated. * The user changed settings to restrict app access. **Solutions for Error Code 0** ------------------------------ Here’s how to resolve AuthException: 1. Generate a new access token to replace the expired or invalidated one, and update it in your system (steps explained further). 2. Confirm that the user has granted your app the required permissions. If access is restricted, request them to re-enable permissions. ### **To Generate a New System User Access Token:** 1. Log into **[Meta Business Suite](https://en-gb.facebook.com/business/tools/meta-business-suite)**. 2. Choose your business account from the top-left dropdown, then click the **Settings** (gear) icon. 3. Go to **Business settings**. 4. Click **User > System users**. 5. Find and select the system user you need from the list. 6. Click **Generate new token**. 7. Choose the app that will use the token. 8. Select the necessary **Graph API permissions** for the app, then generate the token. For further troubleshooting tips on WhatsApp API errors or insights into maximizing the potential of WhatsApp Business API, visit [heltar.com/blogs](https://heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Business API Pricing Structure – All You Need to Know Author: Prashant Jangid Published: 2024-10-28 Category: WhatsApp API Pricing Tags: Bulk Messaging, WhatsApp API Pricing URL: https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u ![WhatsApp Business API Pricing Structure](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/24202411252259260001-1732923575835-compressed.png) In this blog, we are going to break down both the new WhatsApp API pricing (effective from April 1st, 2025) and the older pricing model. So if you are looking to understand how WhatsApp Business API pricing works, you're at the right place. By the end, you'll have a clear understanding of how much using WhatsApp Business for bulk messaging might cost your company, depending on your needs. Latest WhatsApp Pricing Structure \[Effective from April 1st, 2025\] -------------------------------------------------------------------- ### Quick Summary There are two kinds of messages: first being in the form of pre-authorized templates which are charged and second being free-form messages (like regular chats), during the _service window_, that are not charged. Service Window is the window during which you can send any message to the user without using a template and this window refreshes with every message the user sends. More on how the service window works ahead. #### Business Initiated Message Pricing Businesses can initiate conversations with users through pre approved messaging templates (approved by Meta). These prices are on a per message or _template_ basis. The pricing for these templates are as follows: **1\. Marketing Templates** * These templates are used when you want to sell something to the customer or spread awareness about your business events. These are the most expensive templates.  * Costs vary by country. For instance - * India: ₹0.78 or $0.01 or €0.009 per message * UK: ₹3.87 or $0.05 or €0.0438  per message * UAE: ₹2.81 or $0.03 or €0.0319 per message * For details about rate of WhatsApp Business Templates in different countries check out this blog on  [WhatsApp API Pricing in Different Countries](https://www.heltar.com/blogs/whatsapp-api-pricing-in-different-countries-cm2tidr3d00cdwixo7c0yned6). **2. Authentication Templates:**  * These are used for verifying a user’s identity, like sending **OTP** or **two-factor authentication**. * Pricing again varies country by country: * India: ₹0.115 or $0.0014 or €0.0012 per message * UK: ₹2.62 or $0.0358 or €0.0297 per message * UAE: ₹1.30 or $0.0178 or €0.0147 per message **3\. Utility Templates** * These include order confirmations and updates messaging templates. * Special catch: If the _‘service window’_ (explained below) is active, these messages are _free_. Otherwise, they are charged according to country-specific rates. * Pricing in few countries: * India: ₹0.115 or $0.0014 or €0.0012 per message * UK: ₹1.61 or $0.022 or €0.0182 per message * UAE: ₹1.15 or $0.0157 or €0.013 per message **User Initiated Message Pricing** Service Conversation * All user-initiated conversations are classified as service conversations and these are free. * If a customer reaches out to your business on WhatsApp, it triggers what’s known as a ‘Service Window’. During this window, any messages your business sends to that customer are **_free of charge_** and most importantly your messages do not need to follow a template. ### What exactly is a Service Window? Whenever a customer sends you a message, a **24-hour window** opens. During this time, you can send free-form messages back and forth with the customer without needing to use pre-approved templates. **The window refreshes every time the customer sends a new message.** Once the window closes, you will need to use a template to reach out to the customer again. ### What are WhatsApp Templates? Templates are pre-approved message formats used to send notifications, promotions, or updates when you're reaching out to a customer outside of the 24-hour service window. These templates are especially useful for marketing, sending order updates, or important notifications. Historical/Old WhatsApp Business API Pricing Structure ------------------------------------------------------ Currently WhatsApp charges businesses based on conversation as opposed to the number of messages.  ### What is a Conversation? A conversation is a 24-hour window during which you and your customer can exchange unlimited messages. When you send the first message, this window opens, and you won’t be charged for any further messages during that period. ### How are the rates of different conversions calculated? The rates for different conversations on WhatsApp vary based on the type of conversation and the location of the user. **1\. Marketing Conversations:**  If a business sends promotional messages to customers in India, they are charged  ₹0.78 per conversation. However, if the same messages are sent to customers in the USA, the cost rises to ₹1.83 per conversation. **2\. Utility Conversations:** These include order conversations and updates. Costs vary by country. **3\. Service Conversation:** ​These start when a customer reaches out for help. This opens the service window and you can send any message to the user to resolve the query without needing a template. **4\. Authentication Conversations:** These involve verifying user identity, like two-factor authentication.  ​ If you want to estimate your costs based on your specific business needs, check out our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html). For more tips on optimizing your WhatsApp Business experience, check out our blogs at [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp API Pricing in Different Countries Author: Prashant Jangid Published: 2024-10-28 Category: WhatsApp API Pricing Tags: Bulk Messaging, WhatsApp API Pricing URL: https://www.heltar.com/blogs/whatsapp-api-pricing-in-different-countries-cm2tidr3d00cdwixo7c0yned6 ![WhatsApp API Pricing in Different Countries](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/23202411252259260000-1732923634248-compressed.png) Quick summary of How WhatsApp Business API Pricing Works -------------------------------------------------------- WhatsApp Business API pricing, effective from April 1st 2025 will charge for **business-initiated** messages through templates: 1. **Marketing Templates:** For promotions. 2. **Authentication Templates:** For identity verification. 3. **Utility Templates:** For order updates; free if within the 24-hour service window. **User-initiated messages** start a 24-hour **service window**, during which businesses can send unlimited free messages. Historically WhatsApp has charged businesses per conversation type (Marketing, Utility, Service, Authentication), with prices varying by country. If you want to understand the WhatsApp Pricing Structure in detail, check out this blog on [WhatsApp Business API Pricing Structure – All You Need to Know](https://www.heltar.com/blogs/whatsapp-business-api-pricing-structure-all-you-need-to-know-cm2tjqkrt00cewixo8dr27t9u). **WhatsApp API Pricing in Argentina** ------------------------------------- WhatsApp Business API Pricing in Argentina for all four categories effective from April 1st, 2025: * Marketing: ₹4.5293 per message/template * Utility: ₹2.4918 per message/template * Authentication: ₹2.6888 per message/template * Service: Free WhatsApp API Pricing in Brazil ------------------------------ WhatsApp Business API Pricing in Brazil for all four categories effective from April 1st, 2025: * Marketing: ₹4.5808 per message/template * Utility: ₹0.5863 per message/template * Authentication: ₹2.3087 per message/template * Service: Free WhatsApp API Pricing in Chile ----------------------------- WhatsApp Business API Pricing in Chile for all four categories effective from April 1st, 2025: * Marketing: ₹6.5135 per message/template * Utility: ₹1.4654 per message/template * Authentication: ₹3.8642 per message/template * Service: Free WhatsApp API Pricing in Colombia -------------------------------- WhatsApp Business API Pricing in Colombia for all four categories effective from April 1st, 2025: * Marketing: ₹0.9161 per message/template * Utility: ₹0.0147 per message/template * Authentication: ₹0.5607 per message/template * Service: Free ​WhatsApp API Pricing in Egypt ------------------------------ WhatsApp Business API Pricing in Egypt for all four categories effective from April 1st, 2025: * Marketing: ₹7.8651 per message/template * Utility: ₹0.3812 per message/template * Authentication: ₹4.5321 per message/template * Service: Free WhatsApp API Pricing in France ------------------------------ WhatsApp Business API Pricing in France for all four categories effective from April 1st, 2025: * Marketing: ₹10.4984 per message/template * Utility: ₹2.1994 per message/template * Authentication: ₹5.0674 per message/template * Service: Free WhatsApp API Pricing in Germany ------------------------------- WhatsApp Business API Pricing in Germany for all four categories effective from April 1st, 2025: * Marketing: ₹10.0073 per message/template * Utility: ₹4.0322 per message/template * Authentication: ₹5.6308 per message/template * Service: Free WhatsApp API Pricing in India ----------------------------- WhatsApp Business API Pricing in India for all four categories effective from April 1st, 2025: * Marketing: ₹0.7846 per message/template * Utility: ₹0.115 per message/template * Authentication: ₹0.115 per message/template * Service: Free WhatsApp API Pricing in Indonesia ------------------------------------ WhatsApp Business API Pricing in Indonesia for all four categories effective from April 1st, 2025: * Marketing: ₹3.0111 per message/template * Utility: ₹1.4653 per message/template * Authentication: ₹2.1979 per message/template * Service: Free ​​WhatsApp API Pricing in Israel -------------------------------- WhatsApp Business API Pricing in Israel for all four categories effective from April 1st, 2025: * Marketing: ₹2.5871 per message/template * Utility: ₹0.3885 per message/template * Authentication: ₹1.2368 per message/template * Service: Free WhatsApp API Pricing in Italy ----------------------------- WhatsApp Business API Pricing in Italy for all four categories effective from April 1st, 2025: * Marketing: ₹5.0614 per message/template * Utility: ₹2.1974 per message/template * Authentication: ₹2.7687 per message/template * Service: Free WhatsApp API Pricing in Malaysia -------------------------------- WhatsApp Business API Pricing in Malaysia for all four categories effective from April 1st, 2025: * Marketing: ₹6.3037 per message/template * Utility: ₹1.0262 per message/template * Authentication: ₹1.3194 per message/template * Service: Free WhatsApp API Pricing in Mexico ------------------------------ WhatsApp Business API Pricing in Mexico for all four categories effective from April 1st, 2025: * Marketing: ₹3.1938 per message/template * Utility: ₹0.7325 per message/template * Authentication: ₹1.7537 per message/template * Service: Free WhatsApp API Pricing in Netherlands ----------------------------------- WhatsApp Business API Pricing in Netherlands for all four categories effective from April 1st, 2025: * Marketing: ₹11.7078 per message/template * Utility: ₹3.6656 per message/template * Authentication: ₹5.2784 per message/template * Service: Free WhatsApp API Pricing in Nigeria ------------------------------- WhatsApp Business API Pricing in Nigeria for all four categories effective from April 1st, 2025: * Marketing: ₹3.7851 per message/template * Utility: ₹0.4915 per message/template * Authentication: ₹2.106 per message/template * Service: Free WhatsApp API Pricing in Pakistan -------------------------------- WhatsApp Business API Pricing in Pakistan for all four categories effective from April 1st, 2025: * Marketing: ₹3.4683 per message/template * Utility: ₹0.396 per message/template * Authentication: ₹1.6696 per message/template * Service: Free WhatsApp API Pricing in Peru ---------------------------- WhatsApp Business API Pricing in Peru for all four categories effective from April 1st, 2025: * Marketing: ₹5.1536 per message/template * Utility: ₹1.4662 per message/template * Authentication: ₹2.7626 per message/template * Service: Free WhatsApp API Pricing in Russia ------------------------------ WhatsApp Business API Pricing in Russia for all four categories effective from April 1st, 2025: * Marketing: ₹5.8767 per message/template * Utility: ₹2.9311 per message/template * Authentication: ₹3.1457 per message/template * Service: Free WhatsApp API Pricing in Saudi Arabia ------------------------------------ WhatsApp Business API Pricing in Saudi Arabia for all four categories effective from April 1st, 2025: * Marketing: ₹3.3292 per message/template * Utility: ₹0.842 per message/template * Authentication: ₹1.658 per message/template * Service: Free WhatsApp API Pricing in South Africa ------------------------------------ WhatsApp Business API Pricing in South Africa for all four categories effective from April 1st, 2025: * Marketing: ₹2.7821 per message/template * Utility: ₹0.5579 per message/template * Authentication: ₹1.3213 per message/template * Service: Free WhatsApp API Pricing in Spain ----------------------------- WhatsApp Business API Pricing in Spain for all four categories effective from April 1st, 2025: * Marketing: ₹4.5044 per message/template * Utility: ₹1.4648 per message/template * Authentication: ₹2.5049 per message/template * Service: Free WhatsApp API Pricing in Turkey ------------------------------ WhatsApp Business API Pricing in Turkey for all four categories effective from April 1st, 2025: * Marketing: ₹0.7989 per message/template * Utility: ₹0.3884 per message/template * Authentication: ₹0.6101 per message/template * Service: Free WhatsApp API Pricing in United Arab Emirates -------------------------------------------- WhatsApp Business API Pricing in United Arab Emirates for all four categories effective from April 1st, 2025: * Marketing: ₹2.8164 per message/template * Utility: ₹1.1509 per message/template * Authentication: ₹1.3033 per message/template * Service: Free WhatsApp API Pricing in United Kingdom -------------------------------------- WhatsApp Business API Pricing in United Kingdom for all four categories effective from April 1st, 2025: * Marketing: ₹3.8747 per message/template * Utility: ₹1.6122 per message/template * Authentication: ₹2.6249 per message/template * Service: Free WhatsApp API Pricing in North America ------------------------------------- WhatsApp Business API Pricing in North America for all four categories effective from April 1st, 2025: * Marketing: ₹1.8313 per message/template * Utility: ₹0.293 per message/template * Authentication: ₹0.9889 per message/template * Service: Free WhatsApp API Pricing in Rest of Africa WhatsApp Business API Pricing in Rest of Africa for all four categories effective from April 1st, 2025: * Marketing: ₹1.6497 per message/template * Utility: ₹0.4472 per message/template * Authentication: ₹1.0558 per message/template * Service: Free WhatsApp API Pricing in Rest of Asia Pacific -------------------------------------------- WhatsApp Business API Pricing in Argentina for all four categories effective from April 1st, 2025: * Marketing: ₹5.3664 per message/template * Utility: ₹1.151 per message/template * Authentication: ₹3.1124 per message/template * Service: Free WhatsApp API Pricing in Rest of Central & Eastern Europe -------------------------------------------------------- WhatsApp Business API Pricing in Rest of Central & Eastern Europe for all four categories effective from April 1st, 2025: * Marketing: ₹6.2997 per message/template * Utility: ₹2.5858 per message/template * Authentication: ₹4.0809 per message/template * Service: Free WhatsApp API Pricing in Rest of Latin America --------------------------------------------- WhatsApp Business API Pricing in Rest of Latin America for all four categories effective from April 1st, 2025: * Marketing: ₹5.4207 per message/template * Utility: ₹0.8278 per message/template * Authentication: ₹3.2581 per message/template * Service: Free WhatsApp API Pricing in Rest of Middle East ------------------------------------------- WhatsApp Business API Pricing in Rest of Middle East for all four categories effective from April 1st, 2025: * Marketing: ₹2.4993 per message/template * Utility: ₹1.1507 per message/template * Authentication: ₹1.303 per message/template * Service: Free WhatsApp API Pricing in Rest of Western Europe ---------------------------------------------- WhatsApp Business API Pricing in Rest of Western Europe for all four categories effective from April 1st, 2025: * Marketing: ₹4.3378 per message/template * Utility: ₹2.1982 per message/template * Authentication: ₹2.7697 per message/template * Service: Free WhatsApp API Pricing in Other Regions ------------------------------------- WhatsApp Business API Pricing in Other Regions for all four categories effective from April 1st, 2025: * Marketing: ₹4.4248 per message/template * Utility: ₹0.5641 per message/template * Authentication: ₹2.2292 per message/template * Service: Free You can try our free [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) to estimate the cost of the WhatsApp API for bulk messaging, tailored to your business needs. Get results based on your region and currency! For more insights on WhatsApp Business API, check out our blogs at [heltar.com/blogs](https://heltar.com/blogs)! ​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## AiSensy Pricing Explained 2025: A Comprehensive Breakdown (Updated) Author: Manav Mahajan Published: 2024-10-16 Tags: Free WhatsApp API, WhatsApp for Business, WhatsApp API Pricing, AiSensy, AiSensy Pricing URL: https://www.heltar.com/blogs/aisensy-pricing-explained-2024-a-comprehensive-breakdown-updated-cm2cb1vj00003m1jlzvuunobn AiSensy offers **tiered pricing plans** for WhatsApp Business API, starting from **₹999/month** for the **Basic** plan, **₹2,399/month** for **Pro** plan, with a Custom plan available for larger enterprises. Each plan includes a few free conversations per month, but additional conversations incur **markups** over Meta Pricing: up to **12.15%** for **marketing** and **8.69%** for **utility** and **authentication** conversations. Features like user limits, bot builders, integrations, and support options vary by plan (as covered in detail in the blog) with advanced capabilities often restricted to higher-tier subscriptions. **Hidden Charges** in AiSensy’s plan include INR 1,999/month for accessing their chatbot builder. This pricing structure can become costly and complex, particularly for small to medium-sized businesses looking to scale their WhatsApp operations. In addition, no mobile application version and lack of end to end priority customer support make AiSensy a not so user friendly software. On the contrary, [Heltar - Best WhatsApp Business API](https://www.heltar.com/) comes as a savior by providing low cost plans catered to SMBs (Small and Medium sized Businesses), and different plans suited to the needs of larger enterprises, with mobile application versions for both IOS and Android, as well as end-to-end priority customer support, irrespective of the plan. In addition, Heltar’s flat 5% markup policy makes sure that the API becomes an asset for your marketing team rather than a financial burden. Read the blog to discover how exactly. Is WhatsApp API free? --------------------- While WhatsApp offers free options for small businesses through the WhatsApp Business App, this is a basic tool designed for immediate, small-scale customer communication, available for free on both mobile and desktop via WhatsApp Web. However, for businesses looking to scale their operations, the WhatsApp Business API is the real game-changer—but it comes at a cost. The API is not free, and businesses must use one of WhatsApp’s Business Solution Providers like AiSensy or Heltar to access it. * **AiSensy** offers tiered pricing plans, which can quickly become expensive and complex to manage, especially for small to medium-sized businesses. * **Heltar**, on the other hand, provides a cost-effective, simplified pricing model, making it easier for businesses to scale without facing the high setup fees or confusing pricing structures that are often found with other providers. In essence, while the WhatsApp Business App is free for basic usage, businesses seeking growth through automation, analytics, and other advanced features will need to invest in the WhatsApp Business API AiSensy Costs Breakdown ----------------------- **1) Recurring Subscription Costs**: Subscription fees at AiSensy are variable, starting from INR 999/- to INR 2,399/- per month, depending on the plan. This range accommodates different business sizes but can escalate with additional feature access. **2) Conversation Costs:** AiSensy also charges per conversation, with rates varying based on the interaction type. * **User-Initiated Conversations:** These are charged when a customer contacts the business, triggering a 24-hour window of unlimited messaging. * **Business-Initiated Conversations:** Charges apply when the business starts the conversation, with the same 24-hour unlimited messaging rule. **3) Chatbot Charges:** Apart from the recurring subscription and conversation costs, the chatbot flows are chargeable separately, and customers have to pay INR  1,999/- per month for just 5 chatbot flows. AiSensy Pricing Plans: A Closer Look ------------------------------------ AiSensy offers structured pricing tiers, each designed to cater to different stages of business growth: ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/4-1729110764295-compressed.png) Basic Plan (₹999/month) * Designed for small teams to manage WhatsApp interactions. * Includes a Shared Team Inbox. * Includes basic choice based chatbots, limited webhook and API access, and few inbox analytics. * Upto 10 Tags and 5 Customer Attributes. ### Pro Plan (₹2,399/month) * Designed for fast-growing businesses using WhatsApp automation. * Includes everything in Basic Plan, plus Campaign Scheduler. * Advanced control via Campaign Click Tracking, Campaign Budget Analytics, and Smart Agent Routing. * Upto 100 Tags and 20 Customer Attributes. ### Enterprise Plan (Custom Pricing) * Designed for businesses with 5 Lac+ user. * Includes all features of the Pro Plan, plus dedicated account manager and downloadable reports. * 24x7 priority customer support. * Unlimited tags and attributes > Note: Aisensy also has a 'free forever' trial plan, with minimal features & automation; but it helps in providing an experience of the platform. **The table below provides a comprehensive look of these plans: ** **Feature** **Basic** **Pro** **Enterprise** **Price** ₹999/month ₹2399/month Custom **User Limit** Unlimited Unlimited Unlimited **Free Conversations** 1000/month 1000/month 1000/month **Tag Limits** 10 100 Unlimited **Attribute Limits** 5 20 Unlimited **Priority Support** Not Included Not Included Included WhatsApp Conversation Sessions and Charges (as applicable in India) ------------------------------------------------------------------- While the actual charges that Meta levies on businesses for the conversations are as follows: * Marketing Conversation - INR 0.7846 * Utility Conversation - INR 0.1150 * Authentication Conversation - INR 0.1150 AiSensy charges the businesses the following marked up rates:  * Marketing Conversation - INR 0.88 * Utility Conversation - INR 0.125 * Authentication Conversation - INR 0.125 > **Calculate your WhatsApp conversation charges with our Pricing Calculator!** [Heltar Pricing Calculator](https://www.heltar.com/pricing-calculator.html) **​ ** ### **EXTREMELY HIGH CONVERSATIONAL MARKUPS** Upon deeper analysis, we observe that AiSensy charges upto **12.15% markup** on **marketing** conversations, upto **8.69%** **markup** on **utility** and **authentication** conversations. These charges can end up being a big financial burden, eating into your business’ marketing budget and decreasing the ROI as you scale up. In contrast, Heltar offers a straightforward and transparent pricing model with a blanket 5% markup across all conversation types. This consistency provides businesses with predictable costs that helps them in scaling their business with no excessive markups. Why Choose Heltar Over AiSensy? ------------------------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/3-1729111148571-compressed.png) ### Lower Markups and Charges * **AiSensy:** AiSensy’s pricing plans charge upto 12.15% markups per conversation, also, the incremental costs for unlocking advanced features force businesses to either commit to higher-tier plans or compromise on functionality. An additional INR 1,999 per month for the chatbot builder can be painful to SMBs. * **Heltar:** In contrast, Heltar not only offers lower subscription fees with a base plan, It is also designed to be budget-friendly for businesses of all sizes, particularly small and medium enterprises (SMEs) looking to minimize upfront costs, along with a simplified and transparent conversation pricing model, charging a flat 5% markup across all conversation types.  ### User Friendliness and Inter-Platform Usability * **AiSensy:** AiSensy offers a variety of features, but the interface could be difficult to learn for inexperienced users. It may be a real pain for people who are not familiar with navigating multi-tiered software ecosystems. In addition to that, AiSensy has no application for IOS or Android users, making it barely usable on phones. * Heltar: Heltar’s platform is designed with ease of use in mind. It features an intuitive interface, making it simple to navigate, even for those new to such systems. The user-friendly mobile application version provides easy access to key tools, reducing the learning curve and allowing businesses to get up and running quickly without sacrificing functionality across devices. **Well Rounded Customer Support:** While AiSensy does not provide priority customer support in the basic and pro plan, in Heltar, End-to-End Customer Support is made available to all customers, irrespective of their subscription plans. For us, at [Heltar - Best WhatsApp Business API](https://www.heltar.com/), Our Customers are our biggest priority, and we ensure they are well served through a comprehensive knowledge transfer of our platform and continued assistance. ​ **_Try Heltar today!_** _Start with our free trial and experience the difference in service and support. Choose Heltar for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your budget._ [Book a Demo!](https://www.heltar.com/demo.html) ​[Read more about the WhatsApp Business API pricing.](https://www.heltar.com/blogs/interakt-pricing-explained-2024-a-comprehensive-breakdown-updated-cm1agqx7u00azb98sy3qu2ttt) --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Wati Pricing Explained 2025: A Comprehensive Breakdown (Updated) Author: Manav Mahajan Published: 2024-10-16 Category: WhatsApp API Pricing Tags: Free WhatsApp API, WhatsApp for Business, Best Wati Alternative, WhatsApp API Pricing, Wati Pricing URL: https://www.heltar.com/blogs/wati-pricing-explained-2024-a-comprehensive-breakdown-updated-cm2caa19d0000m1jll93j556z Wati offers tiered pricing plans for WhatsApp Business API, starting from **₹2,499/month** for the **Growth** plan, **₹5,999/month** for **Pro**, and **₹16,999/month** for **Business** Plan, with a Custom plan available for larger enterprises. Each plan includes a few free conversations per month, but additional conversations incur **markups** over Meta Pricing: up to 20%. Features like user limits, bot builders, integrations, and support options vary by plan (as covered in detail in the blog) with advanced capabilities often restricted to higher-tier subscriptions. **Hidden Charges** in Wati’s plan, that include paid integrations, extra charges for additional users, and extra charges for chatbot sessions, become apparent to the customer with time. This pricing structure can become costly and complex, particularly for small to medium-sized businesses looking to scale their WhatsApp operations. On the contrary, [Heltar - Best Whatsapp Business API Provider](https://www.heltar.com/) comes as a savior by providing low cost plans catered to SMBs (Small and Medium sized Businesses), and different plans suited to the needs of larger enterprises. In addition, Heltar’s flat 5% markup policy makes sure that the API becomes an asset for your marketing team rather than a financial burden. Read the blog to discover how exactly. Is WhatsApp API free? --------------------- While WhatsApp offers free options for small businesses through the WhatsApp Business App, this is a basic tool designed for immediate, small-scale customer communication, available for free on both mobile and desktop via WhatsApp Web. However, for businesses looking to scale their operations, the WhatsApp Business API is the real game-changer—but it comes at a cost. The API is not free, and businesses must use one of WhatsApp’s Business Solution Providers like Wati or Heltar to access it. * Wati offers tiered pricing plans, which can quickly become expensive and complex to manage, especially for small to medium-sized businesses. * Heltar, on the other hand, provides a cost-effective, simplified pricing model, making it easier for businesses to scale without facing the high setup fees or confusing pricing structures that are often found with other providers. In essence, while the WhatsApp Business App is free for basic usage, businesses seeking growth through automation, analytics, and other advanced features will need to invest in the WhatsApp Business API Wati Costs Breakdown -------------------- 1) **Recurring Subscription Costs:** Subscription fees at Wati are variable, starting from INR 2,499/- to INR 16,999/- per month, depending on the plan. This range accommodates different business sizes but can escalate with additional feature access. 2) **Conversation Costs:** Wati also charges per conversation, with rates varying based on the interaction type. * **User-Initiated Conversations:** These are charged when a customer contacts the business, triggering a 24-hour window of unlimited messaging. * **Business-Initiated Conversations:** Charges apply when the business starts the conversation, with the same 24-hour unlimited messaging rule. 3) **Hidden Charges:** Apart from the recurring subscription and conversation costs that are charged by mostly Whatsapp Official Business API providers, including Heltar, Wati charges the following additional charges: * **Additional User Charges:** Wati allows only 5 free users per plan, which is a very constricting cap for any business team willing to function seamlessly. Incase more members need to access the platform the charges are as follows: * Growth Plan: ₹699/Month/User * Pro Plan: ₹1,299/Month/User * Business Plan: ₹3,999/Month/User * **Extra Charges for Chatbot Sessions:** For any kind of chatbot conversation outside the free limit (which is very low, ranging between 1,000 to 5,000 free sessions), Additional chatbot sessions have to be purchased for obscenely high prices, like ₹14,400/Month for 8000 chatbot sessions. * **Paid Integrations:** Integrations like Shopify are chargeable at $4.99/Month/Integration Wati Pricing Plans: A Closer Look --------------------------------- Wati offers structured pricing tiers, each designed to cater to different stages of business growth: ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/6-1729109168241-compressed.png) ### Growth Plan (₹2,499/month) * Designed for small teams to manage WhatsApp interactions. * Includes a Shared Team Inbox. * Includes basic choice based chatbots, limited webhook and API access, and few inbox analytics. * Select commerce and CRM Integrations available. ### Pro Plan (₹5,999/month) * Designed for fast-growing businesses using WhatsApp automation. * Includes everything in Growth, plus CTWA (Click-to-Whatsapp Apps) analytics. * Advanced control via user roles, and multiple CRM Integrations including HubSpot. * Advanced Shopify Integrations using customer key syncing. ### Business Plan (₹16,999/month) * Designed for businesses looking to scale their WhatsApp operations. * Round-Robin Chat Assignment and reminders via google sheets. * IP whitelisting, free custom domain and 24x7 priority customer support ### The table below provides a comprehensive look of these plans: **Feature** **Growth** **Pro** **Business​** **Price** ₹2,499/month ₹5,999/month ₹16,999/month **Additional Charges** Apply for conversations Apply for conversations Apply for conversations **User Limit** 5 users 5 users 5 users **Additional Charges/User** ₹699/month ₹1,299/month ₹3,999/month **Broadcast Messages** Yes Yes Yes **Click-to-WhatsApp Ads Analytics** No Yes Yes **Shared Team Inbox** Yes Yes Yes **Auto-Delete Chat** No No Yes **Chatbot Sessions** 1,000 free/month 2,000 free/month 5,000 free/month **Free AI KnowBot Responses** Not Included 250 free/month 1,000 free/month **Webhooks & Google Sheets** Yes Yes Yes **Trigger Reminders via google sheets** No No Yes **Analytics** High-level campaign & inbox Exhaustive campaign & inbox Exhaustive campaign & inbox **Webhooks & API Access** Limited Detailed team performance report Extensive Webhook & API access **Integrations** Select Commerce, CRM integrations All CRM integrations Advanced access control via user roles **Shopify** Automated messages Sync key customer & order info Support for 3rd party checkout pages **Support** Not Included Not Included 24x7 Priority support WhatsApp Conversation Sessions and Charges (as applicable in India) ------------------------------------------------------------------- While the actual charges that Meta levies on businesses for the conversations are as follows: * Marketing Conversation - INR 0.7846 * Utility Conversation - INR 0.1150 * Authentication Conversation - INR 0.1150 Wati charges the businesses the following marked up rates:  * Marketing Conversation - INR 0.94152 * Utility Conversation - INR 0.138 * Service Conversation - INR 0.138 > **Calculate your WhatsApp conversation charges with our Pricing Calculator!** [Heltar Pricing Calculator](https://www.heltar.com/pricing-calculator.html) **​ ** ### **EXTREMELY HIGH CONVERSATIONAL MARKUPS** Upon deeper analysis, we observe that Wati charges upto 20% markups on conversations. These charges can end up being a big financial burden, eating into your business’ marketing budget and decreasing the ROI as you scale up. In contrast, Heltar offers a straightforward and transparent pricing model with a blanket 5% markup across all conversation types. This consistency provides businesses with predictable costs that helps them in scaling their business with no excessive markups. Why Choose Heltar Over Wati? ---------------------------- **Metric** **Wati** **Heltar** **Base Subscription Fee** Expensive - Starts ₹2,499/month  Lower, budget-friendly - Starts ₹999/month  **Pricing Structure** Tiered, complex Simplified, transparent **Markup on Conversations** Up to 20% Flat 5% across all conversation types **Extra User Fees** Upto ₹3,999/Month/User No additional charges **API Integrations** Charged separately (e.g., $4.99/month for Shopify) No extra charges **Customer Support** Limited (No setup support in Growth and Pro plan) Full support for all customers **User Interface** Complex & Difficult to navigate Intuitive & user-friendly ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/5-1729109218195-compressed.png) Lower Platform Fees and Markups * **Wati:** Wati’s pricing plans start from ₹2,499 per month, scaling up to  ₹16,999 per month for the business plan. The multiple packages and tiered features make it expensive, especially for small and medium-sized businesses. The incremental costs for unlocking advanced features force businesses to either commit to higher-tier plans or compromise on functionality. * **Heltar:** In contrast, Heltar offers lower subscription fees with a base plan starting at a more affordable monthly rate. It is designed to be budget-friendly for businesses of all sizes, particularly small and medium enterprises (SMEs) looking to minimize upfront costs, along with a simplified and transparent conversation pricing model, charging a flat 5% markup across all conversation types.  ### **No Extra/Hidden Charges for Integrations** * **Wati:** While Wati provides robust features, many advanced capabilities are locked behind higher-priced plans. Essential features like advanced analytics, automated workflows, and API integrations are only available in the more expensive plans. Apart from that, Wati charges extra fees for employing integrations, like an additional USD 5 per month for a shopify integration, and additional charges for extra users. * **Heltar:** Heltar includes advanced features—automation, analytics, customer segmentation. Businesses benefit from unrestricted access to essential tools allowing them to leverage full functionality of the platform. ### **Intuitive and User-Friendly Interface** * **Wati:** Wati offers a variety of features, but the interface could be difficult to learn for inexperienced users. The tiered functionality makes it hard to locate important tools within the complex menu structure it offers. It may be a real pain for people who are not familiar with navigating multi-tiered software ecosystems.  * **Heltar:** Heltar’s platform is designed with ease of use in mind. It features an intuitive interface, making it simple to navigate, even for those new to such systems. The user-friendly dashboard provides easy access to key tools, reducing the learning curve and allowing businesses to get up and running quickly without sacrificing functionality or efficiency. **Well Rounded Customer Support:** While Wati does not provide even setup support in the growth plan, in Heltar, End-to-End Customer Support is made available to all customers, irrespective of their subscription plans. For us, at Heltar, Our Customers are our biggest priority, and we ensure they are well served through a comprehensive knowledge transfer of our platform and continued assistance. _**Try Heltar today!**_ _Start with our free trial and experience the difference in service and support. Choose Heltar for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your budget._ [Book a Demo!](https://www.heltar.com/demo.html) ​[Read more about the WhatsApp Business API pricing.](https://www.heltar.com/blogs/interakt-pricing-explained-2024-a-comprehensive-breakdown-updated-cm1agqx7u00azb98sy3qu2ttt) --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Top 5 AiSensy Alternatives & Competitors in 2025 Author: Prashant Jangid Published: 2024-10-13 Tags: AiSensy, AiSensy Pricing, top aisensy alternatives, top aisensy alternative, aisensy alternative, AiSensy alternatives URL: https://www.heltar.com/blogs/top-5-aisensy-alternatives-and-competitors-in-2024-cm27bq4v500uwkt5xix10p6yq AiSensy is one of the most useful WhatsApp business API options available in the market. It lets you create WhatsApp chatbots and broadcast unlimited campaigns, all with a very intuitive UI.  But is it the best bang for your buck?  We will explore some of the alternatives you can get in the market, their pricing and features and whether or not they are the best value for money.  ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/aisensy-1729923726702-compressed.jpeg) AiSensy Pricing: ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1729871293743-compressed.png) AiSensy pricing starts with ₹999/month called the Basic plan which offers only 10 Tags and 1200 messages/minute followed by their Pro and Enterprise plans with additional features.  For the no code chatbot builder users need to pay an additional ₹1999/month.  ### AiSensy Features: Apart from the WhatsApp Templates and broadcast, AiSensy focuses on the following features: * Ability to connect **No-Code Chatbots** from Google Dialogflow in a Single Click * **Single-click broadcasts** to reach thousands of customers instantly. * Integrate your **Shopify & WooCommerce stores** easily with AiSensy & automate notifications for Order delivery, Abandoned Carts, etc.  * Free access to essential integrations like AWRFree. * Advanced API integration options for seamless automation. ### **AiSensy Limitations:** * Limited features in Basic & Pro plans: AiSensy has **key tool restrictions** that are fully available on Heltar for 0 additional cost. * **Tags and attributes capped**: Features like tags and attributes are limited but come free with Heltar. * **Restricted analytics**: AiSensy's basic plans offer limited analytics, which are free on other platforms. * **No campaign scheduler** in Basic plan: The Basic plan lacks a campaign scheduler, reducing automation options. ### **Top 5 AiSensy Alternatives - Best value for money:** 1. **Heltar - Best AiSensy Alternative** 2. **Gallabox - Second Best AiSensy Alternative** 3. **Yellow.ai - Third Best AiSensy Alternative** 4. **Interakt - Fourth Best AiSensy Alternative** 5. **Wati - Fifth Best AiSensy Alternative** **#1 Heltar - Best AiSensy Alternative** ---------------------------------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/1202410071033080000-min-1729923570895-compressed.jpg) Sell products 10x faster with our mobile & desktop platforms! Heltar was built to provide easy access to WhatsApp business API to SMEs & reduce marketing costs of enterprises. The pricing starts at ₹799/month and we will heavily critique in this article the offerings you get for that price and how they compare to AiSensy. ### **Heltar Features:** 1. **Unlimited Tags!** That's right, unlike AiSensy, Heltar doesn't impose a limit on the number of user accounts for your dashboard.  2. **Assisted Onboarding** for all plans! You do not need to pay extra for better support. The Heltar team will assist you all the way.  3. **Unlimited texts-per-minute** on Heltar. This facility is even available in their entry-level plans. 4. **Catalog messages included** with their base models as well and do not cost extra unlike Interakt. 5. **OpenAI Integration**: Domain-specific integration with your pre-trained OpenAI models. 6. **24/7 Customer support available** on call, WhatsApp or email & 1,000,000+ messages in one click without getting banned. ### **Heltar Limitations:** 1. Heltar having an intuitive WhatsApp like UI, it is best suited for mobile devices. ### **Heltar Pricing:** Features Lite Starter Growth Pro Custom (Talk to Us) Eligibility Recommendation <5,000 Automated Conversations per month 5,000 - 10,000 Automated Conversations per month 10,000 - 50,000 Automated Conversations per month 50,000 - 1,00,000 Automated Conversations per month \> 1,00,000 Automated Conversations per month Platform Subscription 0 ₹2099/mo ₹4999/mo ₹9999/mo Custom Number of Automated Conversation Sessions Included FREE (Credits) 100/mo 5,000/mo 15,000/mo 30,000/mo Custom Additional cost per automated session after Free Credits ₹5/session ₹2/session ₹1.75/session ₹1.5/session Custom Number of WhatsApp Business Accounts Allowed 1 1 1 2 Custom Additional cost per WABA Not Applicable ₹799/mo ₹799/mo ₹799/mo Custom Meta Marketing Cost (To be paid on Actuals directly to Meta) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) Custom Meta Utility/Authentication Cost (To be paid on Actuals directly to Meta) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) Custom Meta User-Initiated Message Cost FREE FREE FREE FREE Custom **#2 Gallabox - Second Best AiSensy Alternative** ------------------------------------------------- Gallabox is an official Meta business partner. This means your business can send unlimited marketing messages without getting banned. Make chatbots, templates, catalogs, payment portals, and much more with Gallabox. BUT IT'S EXPENSIVE! ### Gallabox Features: 1. Businesses can collect user data with **easy WhatsApp flows**. 2. Your team can build WhatsApp chatbots without writing any code! 3. Lead qualification, Service bookings, Order tracking, Surveys, and Event registration all under one provider! 4. **Generative AI features** can be integrated right into the WhatsApp chatbot with Gallabox GenAI. 5. **Drip Marketing** with Gallabox's pre-built templates allows businesses to send a sequence of messages at intervals on WhatsApp. ### Gallabox Limitations: 1. **No monthly plans available**, users can only subscribe to Quaterly & Yearly plans. This means spending a **minimum of ₹9000/Quater** just to try the platform. 2. Onboarding for these platforms is quite complicated. Gallabox provides **no onboarding assistance** for their Growth plans. 3. **Additional $5/Month** for Shopify integrations. For businesses who want WhatsApp on their Shopify store, this will be very costly! ### ​Gallabox Pricing: Growth Plan starts at **₹2999/month** and allows upto 6 users & 15 integrations across business apps. Scale & Pro cost **₹5999/month & ₹9999/month** respectively and offer assisted onboarding along with varying complexities of WhatsApp bots. #3 Yellow.ai - Third Best AiSensy Alternative --------------------------------------------- Yellow.ai is a leading WhatsApp Business Solution Provider, offering enterprises AI-powered automation that delivers real-time customer service across chat, voice, and email. ### Yellow.ai Features: 1. AI-Powered Automation: Automate customer service across multiple channels using AI to deliver real-time, human-like responses. 2. Omnichannel Engagement: Supports a wide range of platforms including WhatsApp, email, chat, and voice. 3. Advanced Chatbots: AI-driven chatbots provide proactive customer service, including answering queries and performing tasks like booking appointments. 4. Analytics and Reporting: Detailed reports on customer interactions and agent performance. 5. Yellow.ai + Zendesk: Revolutionise Customer Service with Yellow.ai & Zendesk Sunshine Conversations ### Yellow.ai Limitations: 1. Custom pricing: Yellow.ai only offers pricing based on custom request, making it only suitable for large enterprises. ### Yellow.ai Pricing: Data not available #4 Interakt - Fourth Best AiSensy Alternative Interakt provides bulk messages, package tracking details, and OTP verification on WhatsApp. These messages can only be sent through a Meta business provider. Interakt is one among many Meta business providers available in the market. ### Interakt Features: Auto Retries: Allowing businesses to automatically send messages to failed leads. Campaign Summary Report: Allows businesses to track all their campaigns in one single dashboard. COD to Prepaid Campaigns: Shopify merchants can ask customers to prepay for their COD orders and send automated delivery notifications on WhatsApp. WhatsApp Chatbot: Create chat workflows on WhatsApp Auto Chat Assignment: Allowing sales managers to auto-assign chats to the sales team. ### Interakt Limitations: 1. Interakt’s cheapest monthly offering called ‘Growth Plan’ costs ₹2499/month! 2. Consumer-level campaign report is not available on the plan that costs ₹2499/month! 3. A limit of 300 requests/min, meaning 10000 messages would take >30 mins to send! 4. No catalogue messaging available for the base pricing, for that you will have to shell out an extra ₹1000/month! ### Pricing: The cheapest plan Starter costs ₹2499/Month followed by Advanced at ₹3499/Month and then Enterprise plans priced “On Request” #5 Wati - Fifth Best AiSensy Alternative WATI focuses on providing advanced customer segmentation, allowing businesses to target specific audiences and tailor WhatsApp communications based on customer behavior and preferences. ### Wati Features: 1. Broadcast – Bulk engagement with your customers efficiently through customised campaigns. 2. Chatbots – Create no-code chatbots and integrate them with Claude, Gemini, or OpenAI API Keys to provide responses to queries. 3. Shared Team Inbox – Have a shared inbox for your team on the WhatsApp Business API. ### Wati Limitations: 1. Limit on chatbot sessions: Wati restricts the number of chatbot sessions, limiting scalability for high interaction businesses. 2. Extra charge for additional responses: Wati adds costs for extra chatbot responses once you surpass the included limit. 3. **5 users limit** per plan: Wati limits user access to 5 per plan, unlike Heltar, which has no user restrictions. 4. **Basic chatbots**: Wati’s chatbots are simple and rely on predefined responses, lacking advanced automation features. ### Wati Pricing: Wati offers three pricing plans: CRM at **₹2,499/month**, CRM with ChatBot at **₹5,999/month**, and an Enterprise plan at **₹16,999/month**. Look at our other blogs: ------------------------ [AiSensy Pricing Explained 2024: A Comprehensive Breakdown (Updated)](https://www.heltar.com/blogs/aisensy-pricing-explained-2024-a-comprehensive-breakdown-updated-cm2cb1vj00003m1jlzvuunobn) [WhatsApp Message Delivery Rate Falling; Here’s Why](https://www.heltar.com/blogs/whatsapp-message-delivery-rate-falling-heres-why-cm24ulczp006dqegvz06sdft0) [Top 10 Interakt Alternatives](https://www.heltar.com/blogs/top-10-interakt-alternatives-cheap-and-best-september-2024-cm24e21ur0050qegv9mi3lmnd)​ ​ ### --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting #131049 Message Not Delivered to Maintain a Healthy Ecosystem Error: What You Need to Know Author: Prashant Jangid Published: 2024-10-12 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/troubleshooting-131049-message-not-delivered-to-maintain-a-healthy-ecosystem-error-what-you-need-to-know-cm26g4vzw0093qegv8mjrhg1m If you’ve been using WhatsApp for your marketing campaigns, you might have encountered error code **131049** with the message: _"This message was not delivered to maintain healthy ecosystem engagement."_  Let’s break down what this error means, why it occurs, and how you can adjust your strategy to avoid it. Why Are You Seeing Error #131049? --------------------------------- This error usually pops up when a user has received too many marketing messages from businesses within a specific timeframe. This cap for each user adapts based on factors such as how many messages the user has already received or whether they've interacted with previous ones. **For example, if six businesses have sent marketing messages to a user within a certain time frame, WhatsApp may block a seventh business from sending a marketing message, even if that business is reaching out to this user for the first time** and throw the #131049 Error with the following error data : "_In order to maintain a healthy ecosystem engagement, the message failed to be delivered._" What Is the Healthy Ecosystem? ------------------------------ In order to prevent WhatsApp from becoming a cluttered platform and to protect users from getting bombarded by frequent marketing notifications Meta has implemented **_Marketing Message Frequency Cap_**. By limiting the number of marketing messages users receive from businesses within a certain timeframe, Meta aims to maintain a healthy environment for users on WhatsApp. In India only _20-25%_ of marketing messages are affected by this error. How to Tackle Error #131049? ---------------------------- **Constantly trying to send messages will not solve the problem in this case.**  Although there's no clear cut solution except for waiting for some time, here are some practical steps you can take to minimize the impact of the error: 1. If you have something urgent to communicate, consider sending a **utility message** as they are not affected by Frequency Capping. 2. As the cap is not permanent, try sending marketing messages at increasing intervals (e.g., after two days, then a week, and so on). 3. Check if users have read (message has blue ticks) the previous marketing messages (in WhatsApp API it comes as a webhook). If a message has gone unread, use an alternate communication channel to prompt users to open it. 4. If you’re consistently running into this error, reach out to your potential/existing customers through other channels like calls, SMS, or email. Navigating the WhatsApp Business API takes patience and practice, but with these strategies, you’ll be better equipped to manage your marketing communications effectively. For more insights on Meta’s Marketing Frequency Capping check out our blog on [WhatsApp Message Delivery Rate Falling; Here’s Why](https://www.heltar.com/blogs/whatsapp-message-delivery-rate-falling-heres-why-cm24ulczp006dqegvz06sdft0). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Troubleshooting #131026 Message Undeliverable Error in WhatsApp Business API Author: Prashant Jangid Published: 2024-10-12 Category: Troubleshoot Tags: WhatsApp for Business URL: https://www.heltar.com/blogs/troubleshooting-131026-message-undeliverable-error-in-whatsapp-business-api-cm264zbb5008bqegvrftuynrm If you are a business that uses WhatsApp Business API to scale your business then you might have faced problems in delivering message to users with the 131026 error that shows the following error message: _"errors": \[ { "code": 131026, "title": "Message Undeliverable." }_ Possible Causes for the #131026 Error [\[Officially Listed by Meta\]](https://developers.facebook.com/docs/whatsapp/cloud-api/support/error-codes/)​ ---------------------------------------------------------------------------------------------------------------------------------------------------- There are several reasons this error might occur as officially listed by Meta: * The recipient’s phone number is not linked to WhatsApp. * You are trying to send an authentication template to WhatsApp users in India, which is currently not supported. * The recipient has not accepted Meta’s latest Terms of Service and Privacy Policy. * The recipient is using an outdated version of WhatsApp. Possible Causes With Solutions for the #13026 Error \[Suspected by [Heltar](https://www.heltar.com)\] ----------------------------------------------------------------------------------------------------- To help you troubleshoot the error effectively, here are possible solutions suggested by [Heltar](https://www.heltar.com): ### 1. Send a Utility Message _(To check for marketing frequency cap)_ To narrow down the cause, try sending a utility message (non-marketing) to the phone number that triggered the error. If the utility message is delivered successfully, it likely means the original marketing message was blocked by WhatsApp to maintain what Meta calls a **_‘healthy ecosystem’_**. What is meant by WhatsApp Healthy Ecosystem? WhatsApp has implemented _**Marketing Template Frequency Capping**_ to maintain a healthy environment for users and protect them from being overwhelmed by excessive marketing messages. This system limits the number of marketing messages from businesses a user receives within a certain timeframe, although the exact limits are dynamic and undisclosed by Meta. Here's how Frequency Capping works: If a user receives too many marketing messages in a short period or fails to engage with previous messages, WhatsApp may block further marketing messages to protect them from spam. For example, if six brands have sent marketing messages to a user, WhatsApp may block a seventh, even if that brand is reaching out to this user for the first time. **Since the marketing frequency applies only to marketing messages you can send a utility message to the customer if it’s urgent.**  If you absolutely need to send a marketing template message you can try the below steps: * As the cap is not permanent, try sending marketing messages at increasing intervals (e.g., after two days, then a week, and so on). * Check if users have read (message has blue ticks) the previous marketing messages (in WhatsApp API it comes as a webhook). If a message has gone unread, use an alternate communication channel to prompt users to open it. This helps prevent further undelivered messages. Although WhatsApp has now shifted the message undeliverable error due to frequency capping to error code 131049 with the message: _"This message was not delivered to maintain healthy ecosystem engagement",_ we suspect that in some instances, it may still trigger the 131026 error under similar circumstances. Read more about [Meta’s Marketing Message Frequency Capping for Healthy Ecosystem on WhatsApp](https://www.heltar.com/blogs/whatsapp-message-delivery-rate-falling-heres-why-cm24ulczp006dqegvz06sdft0). ### **2\. Send a plain-text utility message** _**(To check if customer’s WhatsApp version is outdated)**_ If the marketing message is not delivered, try sending a basic plain-text utility message with no formatting, links, or buttons. If this message goes through, it indicates that the user’s WhatsApp version is outdated and cannot render _advanced message_ formats (such as those with buttons, links or carousels). In this case, either send a simple text-only message or encourage the user to update their WhatsApp to the latest version. ### 3\. Other Reasons If the plain message is also not delivered then this means either the recipient's phone number is not on WhatsApp or they haven't accepted WhatsApp's latest terms and conditions and you will have to **contact them through an alternate communication channel.**  For more insights on WhatsApp Business API, check out more blogs at [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Message Delivery Rate Falling; Complete Breakdown of Meta's Marketing Frequency Capping [2025] Author: Prashant Jangid Published: 2024-10-11 Category: WhatsApp Business API Tags: Bulk Messaging, Digital Marketing URL: https://www.heltar.com/blogs/whatsapp-message-delivery-rate-falling-heres-why-cm24ulczp006dqegvz06sdft0 ![WhatsApp Delivery Rate Falling; Here's why](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/whatsapp-delivery-rate-dropping-1728735900151-compressed.png) Meta has rolled out a Marketing Frequency Capping, aiming at improving user experience, and ensuring that businesses do not overload users with marketing messages, ultimately creating a ‘healthy ecosystem’ as Meta calls it, for everyone on the platform. **Why Frequency Capping?** -------------------------- WhatsApp has emerged as one of the biggest marketing channels for businesses due to its widespread reach among all kinds of audiences. While this has unlocked a huge marketing potential, the downside has been users getting bombarded by constant marketing notifications, leading to a decline in open rates.  To prevent WhatsApp from becoming another SMS platform cluttered with unwanted promotions resulting in a large number of messages going unnoticed, Meta has updated its terms and implemented ‘Marketing Message Frequency Capping’. This is intended to protect users from spam-like marketing experiences while encouraging businesses to be more strategic in their messaging. **How Does Frequency Capping Work?** ------------------------------------ Frequency Capping limits how many marketing messages a user can receive from businesses within a specific timeframe. This cap for each user adapts based on factors such as how many messages the user has already received or whether they've interacted with previous ones. **For example, if six brands have sent marketing messages to a user, WhatsApp may block a seventh marketing message from a business, even if that business is reaching out to this user for the first time.** Businesses will receive a clear error code **[(131049)](https://www.heltar.com/blogs/troubleshooting-131049-message-not-delivered-to-maintain-a-healthy-ecosystem-error-what-you-need-to-know-cm26g4vzw0093qegv8mjrhg1m)**, stating that, _“This message was not delivered to maintain healthy ecosystem engagement..”_  Frequency Capping specifically targets marketing template messages sent through WhatsApp Business API. The focus is on preventing unsolicited marketing spam while still allowing critical interactions. Any ongoing conversation with a customer will not be affected within the 24-hour window. **Benefits of Frequency Capping for Businesses** ------------------------------------------------ By limiting the number of marketing messages a user receives, businesses can avoid the risk of frustrating their audience. Also, this cap forces businesses to focus on sending meaningful, engaging messages that resonate with the audience. ### Here’s how you can adjust your strategy to leverage the cap: * Instead of broadcasting, use chatbots to initiate meaningful interactions and create dialogues with your customers. * Make sure your messages offer real value, through personalized updates, exclusive offers or useful tips. * Use data-driven insights to optimize your messaging frequency and avoid overwhelming users. For example, analyze open rates to focus on customers likely to engage with your messages again, or tailor remarketing efforts to specific market segments for improved ROI. **What can you do to improve the delivery rate?** ------------------------------------------------- * As the cap is not permanent retry sending marketing messages at increasing intervals (e.g., after two days, then a week, and so on). * Engage more with customers by rendering customer support along with marketing messages. * Check if users have read (message has blue ticks) the previous marketing messages (in WhatsApp API it comes as a webhook). If a message has gone unread, use an alternate communication channel to prompt users to open it. This helps prevent further undelivered messages. For more interesting insights on WhatsApp Business API, check out [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Top 10 Interakt Alternatives - Cheap & Best (Updated 2025) Author: Prashant Jangid Published: 2024-10-11 Tags: Interakt, Interakt Pricing, Interakt Alternatives, Interakt Alternatives 2024, Best Interakt Alternatives URL: https://www.heltar.com/blogs/top-10-interakt-alternatives-cheap-and-best-september-2024-cm24e21ur0050qegv9mi3lmnd If you want to reach your customers on WhatsApp, you need to partner with an official Meta Partner such as Interakt, Heltar, or AiSensy. There are a lot of options available in the market and in this article you will find all the alternatives to Interakt we could get our hands on and our comprehensive review. What is Interakt? ----------------- Interakt is a WhatsApp business API provider. Think sending bulk messages, chatbots, package tracking details, and OTP verification on WhatsApp. These messages can only be sent through a Meta business provider. Interakt is one among many Meta business providers available in the market. ### Interakt Features: ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/img-1-1728805397763-compressed.png) * * * Along with WhatsApp bulk messaging, chatbots, and WhatsApp marketing Interakt highlights the following features.  * **Auto Retries**: Allowing businesses to automatically send messages to failed leads. * **Campaign Summary Report**: Allows businesses to track all their campaigns in one single dashboard. * **COD to Prepaid Campaigns**: Shopify merchants can ask customers to prepay for their COD orders. * **Automated Out-For-Delivery campaigns**: Merchants could send automated notifications on WhatsApp when the orders are out for delivery. Why consider an Interakt alternative? ------------------------------------- While mostly all the Meta WhatsApp API providers have similar features, a difference comes in how much they charge for their features. To understand that, we look at the cheapest offering from all the WhatsApp business API providers and compare the features they offer. Interakt’s cheapest monthly offering called ‘Growth Plan’ costs ₹2499/month! ### Missing Features in Growth Plan: * The Chatbot UI is not intuitive and harder to use for most folks**.** * Consumer-level campaign report is not available on the plan that costs ₹2499/month! * A limit of 300 requests/min, meaning 10000 messages would take >30 mins to send! * No catalogue messaging available for the base pricing, for that you will have to shell out an extra ₹1000/month! ### ​[Interakt Pricing:](https://www.heltar.com/blogs/interakt-pricing-explained-2024-a-comprehensive-breakdown-updated-cm1agqx7u00azb98sy3qu2ttt)​ ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/img-2-1728805897064-compressed.png) ​ * * * ### #1 Heltar - Best WhatsApp API Alternative to Interakt ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/img-3-1728805809211-compressed.PNG) Sell products 10x faster with our mobile & Desktop platforms! Heltar was built to democratise access to WhatsApp business API to SMEs & reduce the Marketing costs of Enterprises.  Heltar provides an easy-to-use no-code chatbot builder with latest integrations. The pricing starts at ₹799/month and we will heavily critique in this article the offerings you get for that price and how they compare to Interakt. ### Heltar Features: * AI enabled no-code chatbot builders with advanced capabilities and intuitive UI.  * Bulk messaging and bulk broadcasts.  * All the campaign analysis tools you will need including link tracking and external integrations not provided by Interakt. * You can send 4800 messages-per-minute on Heltar vs 600 messages-per-minute on Interakt's most expensive plan.  * Catalog messages are included with their base models and do not cost extra unlike Interakt. * Dedicated account manager & growth consultation for all clients. * OpenAI Integration: Domain-specific integration with your pre-trained OpenAI models. Some **additional features** offered by Heltar are: * No limit on the number of chatbot responses. * A transparent pricing structure. * 24/7 Customer support is available on call, WhatsApp, or email. * 1,000,000+ messages in one click without getting banned. * OpenAI and Google Sheets Integration. * No-code bots enabled by their drag & drop architecture. * A shared dashboard for the entire sales team. ### Limitations: * Integrations: Heltar allows multiple integrations, easy or complex. The drag and drop and low-code system allows every integration with Heltar’s WhatsApp Business API. ### Pricing: Features Lite Starter Growth Pro Custom (Talk to Us) Eligibility Recommendation <5,000 Automated Conversations per month 5,000 - 10,000 Automated Conversations per month 10,000 - 50,000 Automated Conversations per month 50,000 - 1,00,000 Automated Conversations per month \> 1,00,000 Automated Conversations per month Platform Subscription 0 ₹2099/mo ₹4999/mo ₹9999/mo Custom Number of Automated Conversation Sessions Included FREE (Credits) 100/mo 5,000/mo 15,000/mo 30,000/mo Custom Additional cost per automated session after Free Credits ₹5/session ₹2/session ₹1.75/session ₹1.5/session Custom Number of WhatsApp Business Accounts Allowed 1 1 1 2 Custom Additional cost per WABA Not Applicable ₹799/mo ₹799/mo ₹799/mo Custom Meta Marketing Cost (To be paid on Actuals directly to Meta) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) Custom Meta Utility/Authentication Cost (To be paid on Actuals directly to Meta) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) Custom Meta User-Initiated Message Cost FREE FREE FREE FREE Custom ​ * * * ### #2 DoubleTick - Second Best Interakt Alternative Doubletick is a top WhatsApp business API provider allowing businesses to send personalized messages at scale through the WhatsApp Business API, with built-in automation tools for enhanced customer interactions and quick responses. ### DoubleTick features: Aside from the basic WhatsApp chatbots, marketing, and bulk messaging features * Customer Segmentation: Allows users to create groups and segment customers for effective targeting. * Pabbly, Zoho, Shopify, WooCommerce & Quicksell integrations. * Automatic agent assignment: Assigns the leads to your agents automatically. * Agent activity & Account summary: Track the activities of your agents and according to defined KPIs. * Dedicated account manager & growth consultation for Enterprise clients. Their ‘Standard’ plan starts with ₹2500/month. ### DoubleTick limitations: * Only 5 agents can be added with the plan. Additional agents cost ₹500/month. * Automatic chat assignment is not present in this plan. * You can only broadcast to up to 25000 people at a time and schedule up to 10 broadcasts. * No agent or organizational analytics can be accessed for this plan. ### Pricing: * Starter: ₹2500/Month * Pro: ₹3500/Month * * * ### #3 Twilio - Third Best Interakt Alternative Twilio is a leading omnichannel WhatsApp Business API Provider, offering businesses a seamless integration with various CRM systems. They ensure a unified experience across multiple marketing channels. ### Twilio’s features: * Voice API: IVR & self-service allow users to set up a modern IVR with AI-enabled support. * Twilio Segment CDP: Allows you to create personalized engagement and build customer profiles across platforms on a single platform. * Twilio Sendgrid Email API: Users can build a custom email API with a brand trusted by top companies. ### Limitations of the Twilio platform: * Twilio doesn’t have a dedicated dashboard. * Additional charge for every message+conversation sent. * Only API integration is available, meaning no chatbots either. ### Twilio Pricing: * $0.004/Conversation, $0.005/Message * * * ### #4 Gupshup - Fourth Best Interakt Alternative Gupshup stands out for its robust analytics dashboard, empowering businesses with real-time insights into customer conversations, engagement, and response rates on WhatsApp. ### Gupshup Features: * Integration with WooCommerce, Magneto, and Shopify platforms. * Gupshup AI: Domain-specific AI models available for direct integration. * Bot Platform: Deploy your intelligent bots across channels like Instagram, Telegram & Twitter. * Enterprise Grade Security: Certified by RBI, GDPR, AICPA, and 4 more, GupShup ensures that your organization’s data stays secure. ### Gupshup Limitations: * GupShup doesn’t have tier-based pricing. * It charges based on every message and conversation made with a high markup. ### Gupshup Pricing: * Marketing- $0.0099/Conversation + $0.001/Message * Utility- $0.0014/Conversation +$0.001/Message * Authentication- $0.0014/Conversation + $0.001/Message * Authentication (International)- $0.028/Conversation + $0.001/Message * Service- $0.004/Conversation + $0.001/Message * * * ### #5 Wati - Fifth Best Interakt Alternative WATI focuses on providing advanced customer segmentation, allowing businesses to target specific audiences and tailor WhatsApp communications based on customer behavior and preferences. ### Wati Features: * Broadcast – Bulk engagement with your customers efficiently through customized campaigns. * Chatbots – Create no-code chatbots and integrate them with Claude, Gemini, or OpenAI API Keys to provide responses to queries. * Shared Team Inbox – Have a shared inbox for your team on the WhatsApp Business API. ### Limitations of Wati (₹2499/Month): * Limitations on the number of chatbot sessions. * Additional charge for extra chatbot responses. * A cap of 5 users in all their plans, while Heltar has no limitation. * Basic, response-based Chatbots. ### Wati Pricing: * CRM- ₹2,499/Month * CRM+ChatBot- ₹5,999/Month * Enterprise- ₹16,999/Month * * * ### #6 360Dialog - Sixth Best Interakt Alternative 360Dialog is a WhatsApp Business API provider known for its seamless integration and scalability. Its direct access to the WhatsApp API makes it ideal for enterprises needing high message volumes and advanced analytics. ### 360Dialog Features: * Direct WhatsApp API Access: Enables businesses to bypass intermediary platforms for a more reliable experience. * Scalable Messaging: Perfect for large organizations, capable of handling high-volume campaigns. * Analytics Tools: Includes comprehensive reporting and analytics for monitoring customer interactions in real-time. * No-Code Chatbot: Easily deploy chatbots with simple drag-and-drop tools, enabling automation without the need for coding. ### 360Dialog Limitations: * Focus on Enterprises: 360Dialog’s focus on scalability makes it more suitable for larger enterprises rather than small businesses. * Limited Integrations: Although it offers direct API access, the number of native integrations is lower compared to other platforms like Heltar. ### 360Dialog Pricing: * The pricing for 360Dialog starts at €49/month. * * * ### #7 Infobip - Seventh Best Interakt Alternative Infobip offers a robust, multi-channel communication platform, enabling businesses to seamlessly interact with their customers through SMS, email, voice, and social media channels. ### Infobip Features: * Omnichannel Support: Businesses can reach customers across multiple channels from a single platform, ensuring a consistent brand experience. * AI-Powered Chatbots: Infobip’s chatbots are equipped with AI-driven automation tools that enhance customer service and engagement. * Global Reach: Infobip supports over 700 telecom integrations globally, making it one of the most reliable platforms for international campaigns. * Secure Communications: With advanced encryption and security protocols, Infobip ensures that sensitive customer data is always protected. ### Infobip Limitations: * Complex Pricing: The pricing structure can be confusing and is typically customized based on the specific needs of a business. * Overwhelming Features for Smaller Businesses: Infobip’s extensive features may be overwhelming for smaller businesses that don’t require such advanced capabilities. ### Infobip Pricing: * Pricing is custom-based depending on the scale and specific needs of the business. * * * ### #8 Cheerio - Eighth Best Interakt Alternative Cheerio is known for its ability to combine email, SMS, and WhatsApp marketing into one platform, helping businesses drive engagement across multiple channels. ### Cheerio Features: * Retargeting Alerts: Automatically send personalized WhatsApp messages to customers based on their behavior on your website. * Drip Campaigns: Create and manage WhatsApp drip campaigns with ease using Cheerio’s drag-and-drop workflow design. * Native CRM Integrations: Seamlessly integrate with popular CRM systems like Salesforce, HubSpot, and Zoho to improve customer relationship management. ### Cheerio Limitations: * High Base Pricing: The base plan for Cheerio starts at ₹4500/quarter, which may be steep for small businesses. * Limited Features on Lower Plans: Some advanced features, such as unlimited chatbot capabilities, are only available to Enterprise subscribers, limiting the utility of lower-tier plans. ### Cheerio Pricing: * Basic Plan: ₹4500/Quarter * Growth Plan: ₹15,000/Quarter * * * ### #9 Vonage - Ninth Best Interakt Alternative Vonage offers GenAI-powered conversational flows across multiple platforms including WhatsApp, enabling businesses to engage their customers in a more human-like manner. ### Vonage Features: * Omnichannel Messaging: Connect with customers across multiple channels like WhatsApp, SMS, and Facebook Messenger from a single platform. * GenAI Capabilities: Vonage’s advanced AI tools help create personalized, human-like conversational flows for improved customer interactions. * Real-Time Analytics: Vonage offers detailed reporting and analytics that help businesses track the performance of their messaging campaigns in real-time. ### Vonage Limitations: * High Setup Costs: Vonage’s GenAI features and advanced tools come with high setup costs, making it less accessible to smaller businesses. * Limited Free-Tier Options: Vonage offers limited options for businesses looking to start with a free tier, making it difficult to test the platform without financial commitment. ### Vonage Pricing: * API pricing starts at $0.004 per WhatsApp conversation, and additional costs apply for advanced AI features. * * * ### #10 Yellow.ai - Tenth Best Interakt Alternative Yellow.ai is a leading WhatsApp Business Solution Provider, offering businesses a comprehensive platform for AI-powered automation across multiple communication channels. ### Yellow.ai Features: * Omnichannel Engagement: Engage with customers across multiple channels including WhatsApp, email, and voice using Yellow.ai’s unified platform. * Advanced Chatbots: Yellow.ai’s AI-driven chatbots enable businesses to provide real-time customer support and automate repetitive tasks. * Comprehensive Analytics: Yellow.ai provides detailed analytics and reporting tools, allowing businesses to gain insights into customer interactions and improve engagement strategies. ### Yellow.ai Limitations: * Custom Pricing: Yellow.ai does not offer transparent pricing and is typically available for large enterprises that can afford to negotiate bespoke plans based on their specific needs. * * * By evaluating these top 10 alternatives, you can choose the best WhatsApp business API provider that suits your business needs, budget, and growth potential. Read our other articles on [Gallabox](https://www.heltar.com/blogs/top-5-gallabox-alternatives-cheap-and-best-cm1v3w2rv007lv714dqnpfub8) & [Wati](https://www.heltar.com/blogs/top-10-wati-alternatives-2024-heltar-vs-wati-cm17r4s6n003cb98soh94kwzj). ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Top 5 Gallabox Alternatives - Cheap & Best (Updated 2025) Author: Prashant Jangid Published: 2024-10-04 Tags: Gallabox Alternatives, Top Gallabox Alternatives, Cheap Gallabox Alternatives, Best Gallabox Alternatives URL: https://www.heltar.com/blogs/top-5-gallabox-alternatives-cheap-and-best-cm1v3w2rv007lv714dqnpfub8 Want to reach your customers on WhatsApp? Finding Gallabox too expensive? Looking for a WhatsApp chatbot that is affordable and feature rich? Feeling overwhelmed with the options available, right? We got you covered. In this article let's look at 5 best alternatives to Gallabox. We will look at: Heltar, Interakt, Wati, AiSensy, & Twilio.  ### What is Gallabox? ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/img-1-1728070521509-compressed.png) Gallabox is an official Meta business partner. This means your business can send unlimited marketing messages without getting banned.  Make chatbots, templates, catalogs, payment portals, and much more with Gallabox. BUT IT'S EXPENSIVE! ### ​[Gallabox Pricing](https://www.heltar.com/blogs/gallabox-pricing-explained-an-updated-breakdown-september-2024-cm1pcdr4s008ptpnfk6uqv86l):  Growth Plan starts at **₹2999/month** and allows upto **6 users** & **15 integrations** across business apps. Scale & Pro cost **₹5999/month & ₹9999/month** respectively and offer assisted onboarding along with varying complexities of WhatsApp bots.  The Scale & Pro plans both only offer upto 6 users now and 25+ users are reserved for enterprise clients with custom pricing.  **Gallabox Features:** * Businesses can collect user data with easy WhatsApp flows . * Your team can build WhatsApp chatbots without writing any code! *  Lead qualification, Service bookings, Order tracking, Surveys, and Event registration all under one provider! * Generative AI features can be integrated right into the WhatsApp chatbot with _Gallabox GenAI._ * Drip Marketing with Gallabox's pre-built templates allows businesses to send sequence of messages at intervals on WhatsApp.  **Gallabox Limitations:** * **No monthly plans** available, users can only subscribe to Quaterly & Yearly plans. This means spending a minimum of **₹9000/Quater** just to try the platform.  * Onboarding for these platforms is quite complicated. Gallabox provides **no onboarding assistance** for their _Growth_ plans.  * Additional **$5/Month** for **Shopify** integrations. For businesses who want WhatsApp on their Shopify store, this will be **very costly!** ### Top 5 Gallabox Alternatives - Best for your business 1. ​Heltar  2. Interakt 3. Wati 4. AiSensy 5. Twilio. #1 [Heltar - Best Gallabox Alternative](https://www.heltar.com/)  ----------------------------------------------------------------- Sell products 10x faster with our mobile & Desktop platforms! Heltar was built to democratise access to WhatsApp business API to SMEs & reduce Marketing costs of Enterprises.  The pricing starts at ₹799/month and we will heavily critique in this article the offerings you get for that price and how they compare to Gallabox. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/img-3-1728221575023-compressed.PNG) ### **Heltar Features**: * **Unlimited Users**! That's right unlike Gallabox, Heltar doesn't impose a limit on the number of user accounts for your dashboard.  * **Assisted Onboarding** for all plans! You do not need to pay extra for better support. The Heltar team will assist you all the way.  * **Unlimited texts-per-minute** on Heltar. This facility is even available in their entry-level plans. * Catalog messages are included with their base models as well and do not cost extra unlike Interakt. * **OpenAI Integration**: Domain-specific integration with your pre-trained OpenAI models. * **24/7 Customer support** is available on call, WhatsApp or email & **1,000,000+ messages** in one click without getting banned. ### **Heltar Limitations**: * Integrations: Some of the integrations such as Zoho are still under production at Heltar.  * No WhatsApp chatbots available for their basic plan.  ### **Heltar Pricing**: Features Lite Starter Growth Pro Custom (Talk to Us) Eligibility Recommendation <5,000 Automated Conversations per month 5,000 - 10,000 Automated Conversations per month 10,000 - 50,000 Automated Conversations per month 50,000 - 1,00,000 Automated Conversations per month \> 1,00,000 Automated Conversations per month Platform Subscription 0 ₹2099/mo ₹4999/mo ₹9999/mo Custom Number of Automated Conversation Sessions Included FREE (Credits) 100/mo 5,000/mo 15,000/mo 30,000/mo Custom Additional cost per automated session after Free Credits ₹5/session ₹2/session ₹1.75/session ₹1.5/session Custom Number of WhatsApp Business Accounts Allowed 1 1 1 2 Custom Additional cost per WABA Not Applicable ₹799/mo ₹799/mo ₹799/mo Custom Meta Marketing Cost (To be paid on Actuals directly to Meta) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) Custom Meta Utility/Authentication Cost (To be paid on Actuals directly to Meta) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) Custom Meta User-Initiated Message Cost FREE FREE FREE FREE Custom #2 Interakt - Second Best Gallabox Alternative ------------------------------------------------- Interakt provides bulk messages, package tracking details, and OTP verification on WhatsApp. These messages can only be sent through a Meta business provider. Interakt is one among many Meta business providers available in the market. ### Interakt Features: * **Auto Retries**: Allowing businesses to automatically send messages to failed leads. * **Campaign Summary Report**: Allows businesses to track all their campaigns in one single dashboard. * **COD to Prepaid Campaigns**: Shopify merchants can ask customers to prepay for their COD orders and send automated out for delivery notifications on WhatsApp.  * **WhatsApp Chatbot**: Create chat workflows on WhatsApp  * **Auto Chat Assignment**: Allowing sales managers to auto-assign chats to the sales team. ### Interakt Limitations: * Interakt’s cheapest monthly offering called ‘Growth Plan’ costs ₹2499/month! * Consumer-level campaign report is not available on the plan that costs ₹2499/month! * A limit of 300 requests/min, meaning 10000 messages would take >30 mins to send! * No catalogue messaging available for the base pricing, for that you will have to shell out an extra ₹1000/month! ### Pricing: The cheapest plan _Starter_ costs ₹2499/Month followed by _Advanced_ at ₹3499/Month and then _Enterprise_ plans priced “On Request” #3 Wati - Third Best Gallabox Alternative ----------------------------------------- WATI focuses on providing advanced customer segmentation, allowing businesses to target specific audiences and tailor WhatsApp communications based on customer behavior and preferences. ### Wati Features: * **Broadcast** – Bulk engagement with your customers efficiently through customized campaigns. * **Chatbots** – Create no-code chatbots and integrate them with Claude, Gemini, or OpenAI API Keys to provide responses to queries. * **Shared Team Inbox** – Have a shared inbox for your team on the WhatsApp Business API. ### Wati Limitations: * **Limit on chatbot sessions**: Wati restricts the number of chatbot sessions, limiting scalability for high interaction businesses. * **Extra charge** for additional responses: Wati adds costs for extra chatbot responses once you surpass the included limit. * Cap of **5 users per plan**: Wati limits user access to 5 per plan, unlike Heltar, which has no user restrictions. * **Basic response-based chatbots**: Wati’s chatbots are simple and rely on predefined responses, lacking advanced automation features. ### Wati Pricing: Wati offers three pricing plans: CRM at ₹2,499/month, CRM with ChatBot at ₹5,999/month, and an Enterprise plan at ₹16,999/month. #4 AiSensy - Fourth Best Gallabox Alterntive ----------------------------------------------- AiSensy’s Smart Campaign Manager helps businesses reach thousands of customers with just one click, making it an efficient tool for mass communication. While some integrations are free, others require payment. ### AiSensy Features: * Single-click broadcasts to reach thousands of customers instantly. * Top-tier integrations, including Shopify, WooCommerce, and Razorpay. * Free access to essential integrations like AWRFree. * Advanced API integration options for seamless automation. ### AiSensy Limitations: * **Limited features in Basic & Pro plans**: AiSensy restricts key tools that are fully available on Heltar. * **Tags and attributes capped**: Features like tags and attributes are limited but come free with Heltar. * **Advanced analytics restricted**: AiSensy's basic plans offer limited analytics, which are free on other platforms. * **No campaign scheduler in Basic plan**: The Basic plan lacks a campaign scheduler, reducing automation options. ### AiSensy Pricing: AiSensy offers three pricing tiers: CRM Pro at ₹2,399/month or ₹25,908 annually, Pro+ChatBot at ₹4,399/month or ₹47,499 annually, and a customizable Enterprise plan with tailored pricing. #5 Twilio - Fifth Best Gallabox Alternative ------------------------------------------- Twilio is a leading omnichannel WhatsApp Business API Provider, offering businesses a seamless integration with various CRM systems. They ensure a unified experience across multiple marketing channels. ### Twilio Features: * Voice API: IVR & self-service allow users to set up a modern IVR with AI-enabled support. * Twilio Segment CDP: Allows you to create personalized engagement and build customer profiles across platforms on a single platform. * Twilio Sendgrid Email API: Users can build a custom email API with a brand trusted by top companies. ### Twilio Limitations: * Twilio doesn’t have a dedicated dashboard. * Additional charge for every message+conversation sent. * Only API integration is available, meaning no chatbots either. ### Pricing: $0.004/Conversation and $0.005/Message, this cost is very expensive given the Indian alternatives which do not charge additionally for messages.  Why Choose Heltar Over Gallabox? -------------------------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/whatsapp-image-2024-09-29-at-12-1727683597028-compressed.jpeg) Metric Gallabox Heltar Base Subscription Fee Expensive - Starts ₹2,999/month  Lower, budget-friendly -n Starts ₹999/month  Pricing Structure Tiered, complex Simplified, transparent Markup on Conversations Up to 24.19% (Marketing), 15.04% (Utility/Service) Flat 5% across all conversation types Setup Fees High for advanced plans No Setup Fees API Integrations Charged separately (e.g., USD 5/month for Shopify) No extra charges Onboarding Support Only in Scale Plans and above Available to all customers Customer Support Limited (No setup support in Growth plan) Full support for all customers User Interface Complex & Difficult to navigate Intuitive & user-friendly ### Lower Platform Fees and Markups * Gallabox: Gallabox’s pricing plans start from ₹2,999 per month, scaling up to custom pricing for the Pro plan. The multiple packages and tiered features make it expensive, especially for small and medium-sized businesses. The incremental costs for unlocking advanced features force businesses to either commit to higher-tier plans or compromise on functionality. * Heltar: In contrast, Heltar offers lower subscription fees with a base plan starting at a more affordable monthly rate. It is designed to be budget-friendly for businesses of all sizes, particularly small and medium enterprises (SMEs) looking to minimize upfront costs, along with a simplified and transparent conversation pricing model, charging a flat 5% markup across all conversation types.  ### No Extra/Hidden Charges for Integrations * GallaBox: While GallaBox provides robust features, many advanced capabilities are locked behind higher-priced plans. Essential features like advanced analytics, automated workflows, and API integrations are only available in the more expensive plans. Apart from that, GallaBox charges extra fees for employing integrations, like an additional USD 5 per month for a shopify integration. * Heltar: Heltar includes advanced features—automation, analytics, customer segmentation. Businesses benefit from unrestricted access to essential tools allowing them to leverage full functionality of the platform. ### Intuitive and User-Friendly Interface * Gallabox: Gallabox offers a variety of features, but the interface could be difficult to learn for inexperienced users. The tiered functionality makes it hard to locate important tools within the complex menu structure it offers. It may be a real pain for people who are not familiar with navigating multi-tiered software ecosystems.  * Heltar: Heltar’s platform is designed with ease of use in mind. It features an intuitive interface, making it simple to navigate, even for those new to such systems. The user-friendly dashboard provides easy access to key tools, reducing the learning curve and allowing businesses to get up and running quickly without sacrificing functionality or efficiency. * Well Rounded Customer Support: While GallaBox does not provide even setup support in the growth plan, in Heltar, End-to-End Customer Support is made available to all customers, irrespective of their subscription plans. For us, at Heltar, Our Customers are our biggest priority, and we ensure they are well served through a comprehensive knowledge transfer of our platform and continued assistance. _**Try Heltar today!**_ _Start with our free trial and experience the difference in service and support. Choose Heltar for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your budget._ [Book a Demo](https://www.heltar.com/demo.html)​ ​[Read more about the WhatsApp Business API pricing.](https://www.heltar.com/blogs/interakt-pricing-explained-2024-a-comprehensive-breakdown-updated-cm1agqx7u00azb98sy3qu2ttt) --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Gallabox Pricing Explained: An Updated Breakdown (September 2025) Author: Manav Mahajan Published: 2024-09-30 Category: WhatsApp API Pricing Tags: WhatsApp API, Free WhatsApp API, WhatsApp for Business, WhatsApp API Pricing URL: https://www.heltar.com/blogs/gallabox-pricing-explained-an-updated-breakdown-september-2024-cm1pcdr4s008ptpnfk6uqv86l Gallabox offers tiered pricing plans for WhatsApp Business API, starting from ₹999/month for the Starter plan, ₹2,999/month for Growth, and ₹5,999/month for Scale, with a Custom plan available for larger enterprises. Each plan includes 1,000 free conversations per month, but **additional conversations incur markups: up to 19.99% for marketing and 20% for utility and authentication conversations**. Features like user limits, bot builders, integrations, and support options vary by plan (as covered in detail in the blog) with advanced capabilities often restricted to higher-tier subscriptions. Setup fees & hidden charges apply for advanced plans, and certain integrations, such as Shopify, come with extra charges. This pricing structure can become costly and complex, particularly for small to medium-sized businesses looking to scale their WhatsApp operations. On the contrary, [Heltar-Best WhatsApp Business API](https://www.heltar.com/) comes as a savior by providing low cost plans catered to SMBs (Small and Medium sized Businesses), and different plans suited to the needs of larger enterprises. In addition, **Heltar’s flat 5% markup policy** makes sure that the API becomes an asset for your marketing team rather than a financial burden. Read the blog to discover how exactly. **Is WhatsApp API free?** ------------------------- While WhatsApp offers free options for small businesses through the WhatsApp Business App, this is a basic tool designed for immediate, small-scale customer communication, available for free on both mobile and desktop via WhatsApp Web. However, for businesses looking to scale their operations, the WhatsApp Business API is the real game-changer—but it comes at a cost. The API is not free, and businesses must use one of WhatsApp’s Business Solution Providers like Gallabox or Heltar to access it. * Gallabox offers tiered pricing plans, which can quickly become expensive and complex to manage, especially for small to medium-sized businesses. * Heltar, on the other hand, provides a cost-effective, simplified pricing model, making it easier for businesses to scale without facing the high setup fees or confusing pricing structures that are often found with other providers. _In essence, while the WhatsApp Business App is free for basic usage, businesses seeking growth through automation, analytics, and other advanced features will need to invest in the WhatsApp Business API._ **Gallabox Costs Breakdown** ---------------------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/whatsapp-image-2024-09-29-at-12-1727683560214-compressed.jpeg) ### **Setup Fee and Free Trials** Gallabox promotes a 15-day free trial, enabling businesses to test their services without initial investment. However, it’s essential to understand that the low upfront cost might be compensated by higher ongoing expenses. Recurring Subscription Costs: Subscription fees at Gallabox are variable, starting from INR 3,000/- to INR 10,000/- per month, depending on the plan. This range accommodates different business sizes but can escalate with additional feature access. ### **Conversation Costs** Gallabox also charges per conversation, with rates varying based on the interaction type. * User-Initiated Conversations: These are charged when a customer contacts the business, triggering a 24-hour window of unlimited messaging. * Business-Initiated Conversations: Charges apply when the business starts the conversation, with the same 24-hour unlimited messaging rule. These costs can add up, especially for businesses with high customer engagement rates. Gallabox Pricing Plans: A Closer Look ------------------------------------- Gallabox offers structured pricing tiers, each designed to cater to different stages of business growth: ### Starter Plan (₹999/month) * Designed for small teams to manage WhatsApp interactions. * Supports up to 6 users. * Includes basic bot builder, essential conversation tools, and 10 app integrations. * Basic messaging API and email support available. ### **Growth Plan (₹2,999/month)** * Designed for fast-growing businesses using WhatsApp automation. * Includes everything in Growth, plus critical conversation tools and advanced segmentation. * Offers assisted onboarding, advanced bot builder, and more app integrations. * WhatsApp support and onboarding assistance included. ### **Scale Plan (₹5,999/month)** * Designed for businesses looking to scale their WhatsApp operations. * Includes all features from Scale, with additional pro-level segmentation and custom API integrations. * Enhanced onboarding, account setup support, and more advanced business integrations. ### **Custom Plan (Custom Pricing)** * Tailored for large enterprises needing bespoke WhatsApp automation solutions. * Includes features like conversational AI, dedicated hosting, SSO, high-speed messaging, and a security audit. The table below provides a comprehensive look of these plans: Feature Starter (₹999/month) Growth (₹2,999/month) Scale (₹5,999/month) Custom (Contact for Pricing) Free Conversations per Month 1,000 1,000 1,000 Customizable Number of Users Up to 6 Up to 6 Up to 6 25+ Users Advanced Conversation Tools No No Yes Yes Assisted Onboarding No Yes Yes Yes Bot Builder Basic Advanced Advanced Conversational AI Business App Integrations 10 Essential Integrations 15 Critical Integrations 25 Advanced Integrations Customizable Custom API Integrations No No Yes Yes Advanced Messaging API No Yes Yes Yes Conversation Widget + Custom Integrations No No Yes Yes WhatsApp Support (Mon-Fri, 8:00 AM - 11:00 PM) No Yes Yes Customizable Onboarding Support No Yes Yes Customizable Dedicated Hosting No No No Yes High-Speed Messaging No No No Yes WhatsApp Conversation Sessions and Charges (as applicable in India) ------------------------------------------------------------------- While the actual charges that Meta levies on businesses for the conversations are as follows: * Marketing Conversation - INR 0.7846 * Utility Conversation - INR 0.1150 * Authentication Conversation - INR 0.1150 Gallabox charges the businesses the following **marked up rates**:  * Marketing Conversation - INR 0.9415 * Utility Conversation - INR 0.138 * Authentication Conversation - INR 0.138 ### EXTREMELY HIGH CONVERSATIONAL MARKUPS Upon deeper analysis, we observe that **Gallabox charges upto 19.99% markup on marketing conversations, upto 20% markup on utility and service conversations**. These charges can end up being a big financial burden, eating into your business’ marketing budget and decreasing the ROI as you scale up. In contrast, [Heltar-Best WhatsApp API](https://www.heltar.com/) offers a straightforward and transparent pricing model with a **blanket 5% markup across all conversation types**. This consistency provides businesses with predictable costs that helps them in scaling their business with no excessive markups. > **Calculate your WhatsApp conversation charges with our Pricing Calculator!** [Heltar Pricing Calculator](https://www.heltar.com/pricing-calculator.html) Why Choose Heltar Over Gallabox? -------------------------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/whatsapp-image-2024-09-29-at-12-1727683597028-compressed.jpeg) Metric Gallabox Heltar Base Subscription Fee Expensive - Starts ₹2,999/month  Lower, budget-friendly -n Starts ₹999/month  Pricing Structure Tiered, complex Simplified, transparent Markup on Conversations Up to 24.19% (Marketing), 15.04% (Utility/Service) Flat 5% across all conversation types Setup Fees High for advanced plans No Setup Fees API Integrations Charged separately (e.g., USD 5/month for Shopify) No extra charges Onboarding Support Only in Scale Plans and above Available to all customers Customer Support Limited (No setup support in Growth plan) Full support for all customers User Interface Complex & Difficult to navigate Intuitive & user-friendly ### Lower Platform Fees and Markups * Gallabox: Gallabox’s pricing plans start from ₹999 per month, scaling up to custom pricing for the Pro plan. The multiple packages and tiered features make it expensive, especially for small and medium-sized businesses. The incremental costs for unlocking advanced features force businesses to either commit to higher-tier plans or compromise on functionality. * Heltar: In contrast, Heltar offers lower subscription fees with a base plan starting at a more affordable monthly rate. It is designed to be budget-friendly for businesses of all sizes, particularly small and medium enterprises (SMEs) looking to minimize upfront costs, along with a simplified and transparent conversation pricing model, charging a flat 5% markup across all conversation types.  ### No Extra/Hidden Charges for Integrations * GallaBox: While GallaBox provides robust features, many advanced capabilities are locked behind higher-priced plans. Essential features like advanced analytics, automated workflows, and API integrations are only available in the more expensive plans. Apart from that, GallaBox charges extra fees for employing integrations, like an additional USD 5 per month for a shopify integration. * Heltar: Heltar includes advanced features—automation, analytics, customer segmentation. Businesses benefit from unrestricted access to essential tools allowing them to leverage full functionality of the platform. ### Intuitive and User-Friendly Interface * Gallabox: Gallabox offers a variety of features, but the interface could be difficult to learn for inexperienced users. The tiered functionality makes it hard to locate important tools within the complex menu structure it offers. It may be a real pain for people who are not familiar with navigating multi-tiered software ecosystems.  * Heltar: Heltar’s platform is designed with ease of use in mind. It features an intuitive interface, making it simple to navigate, even for those new to such systems. The user-friendly dashboard provides easy access to key tools, reducing the learning curve and allowing businesses to get up and running quickly without sacrificing functionality or efficiency. * Well Rounded Customer Support: While GallaBox does not provide even setup support in the growth plan, in Heltar, End-to-End Customer Support is made available to all customers, irrespective of their subscription plans. For us, at Heltar, Our Customers are our biggest priority, and we ensure they are well served through a comprehensive knowledge transfer of our platform and continued assistance. _**Try Heltar today!**_ _Start with our free trial and experience the difference in service and support. Choose Heltar for a straightforward, feature-rich approach to WhatsApp Business communications that won't strain your budget._ [Book a Demo!](https://www.heltar.com/demo.html) ​[Read more about the WhatsApp Business API pricing.](https://www.heltar.com/blogs/interakt-pricing-explained-2024-a-comprehensive-breakdown-updated-cm1agqx7u00azb98sy3qu2ttt) **​** --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Template Messages Going Slowly? Step-by-step Troubleshooting Guide With Explanation [2025] Author: Prashant Jangid Published: 2024-09-26 URL: https://www.heltar.com/blogs/whatsapp-template-messages-going-slowly-heres-why-cm1jnwaf4006qfw5sihmjhoyt If you have been noticing a delay in sending out template messages, then you are not alone. Multiple WhatsApp Business API users have reported a delay ranging from 1 minute to 30 minutes in sending out template messages. The reason why it’s taking so long is because you are using variables in the template. If you try sending out a static template with no variable in it you won’t face the same problem. Authentication messages, on the other hand, tend to get delivered way faster. This is a well-known bug that has been reported to, and been acknowledged by, Meta and is under investigation but has not been resolved yet (https://developers.facebook.com/support/bugs/587271766844244/?join\_id=f12ad04dbf8564). Solutions to Reach Customers Quickly ------------------------------------ What you can do to optimize the efficiency of your business is — * If speed is critical, use static templates without variables for your high-priority messages. *  If personalization is required, send variable-based templates during less time-sensitive campaigns.  * If you absolutely need to use templates at all times, reduce the number of variables in each template or simplify the data that needs to be fetched and inserted into the message. * If you’re sending OTPs, account recovery messages or any other urgent communication, use pre-approved authentication templates as these messages are delivered much faster than standard marketing or engagement templates. For more insights on WhatsApp Business API check out [heltar.com/blogs](https://write.superblog.ai/sites/supername/heltar/posts/cm1jnwaf4006qfw5sihmjhoyt/heltar.com/blogs)! --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Meta Ad Buying Types: Reservation vs. Auction (Guide for B2B & B2C) Author: Prashant Jangid Published: 2024-09-20 Tags: Meta Advertising, Facebook Marketing, Digital Marketing URL: https://www.heltar.com/blogs/meta-ad-buying-types-reservation-vs-auction-guide-for-b2b-and-b2c-cm1axp3f000dbb98sb4o37kty When running Meta ads (Facebook, Instagram, Messenger & WhatsApp), there are two primary ways to purchase ad placements: **Reservation** and **Auction**. While both buying types allow you to promote your business on Meta platforms, the outcomes and objectives you can achieve with each are fundamentally different.  Understanding Fundamentals through Real-Life Example ---------------------------------------------------- ![Movie Analogy](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/whatsapp-image-2024-10-02-at-9-1727885231720-compressed.jpeg) Let’s say you’re planning a big movie night with friends, and you have two ways to get your tickets. First, there’s the Auction route, which is like trying to buy tickets last minute. You’re bidding for the best seats, and if it’s a quiet night with fewer people, you might get a great deal and pay less. But if it’s a blockbuster premiere with lots of competition, prices can shoot up, and you might end up paying more. On the flip side, the Reservation option lets you book tickets well in advance, locking in a fixed price. You’ll know exactly how much you’re paying, but it usually requires a bigger budget upfront because you're securing the best seats with a guarantee, regardless of how crowded or quiet the theater might be.  ### **So, what do we imply from this:** **Reservation ads** offer a high degree of predictability and control. When you choose this method, Meta secures the ad space for you at a fixed cost, ensuring a specific reach and frequency with minimal variation. You set a fixed budget, which gives you complete oversight of how, when, and how often your ads will be shown. This approach eliminates uncertainty allowing you to know exactly how many impressions you’ll get and how much you’ll pay upfront. This makes Reservation ideal for campaigns focused on building brand awareness or reaching a broad audience consistently, with no surprises in cost or reach. It also requires a large target audience at least 200,000 people to run effectively which needs a large budget allotted to the campaign as well. While this method provides certainty, it limits flexibility, as you won’t be able to adjust your campaign once it’s underway.  On the other hand, **Auction ads** prioritize flexibility and performance. In this approach, you’re competing for ad space on Meta’s platforms like Facebook, Instagram, Messenger, and Audience Network. But unlike a typical auction, winning isn't just about having the highest bid. Meta evaluates other factors like the quality of your ad and the expected engagement rates. The quality score is based on feedback from users, like whether they hide or interact with your ad, while also checking for things like clickbait or misleading content, which can negatively impact your chances. **Estimated Action Rates (eAR)** play a key role, as Meta uses algorithms to predict how likely someone is to engage with or convert from your ad. This auction approach allows you to optimize for specific goals like leads or conversions and gives you the flexibility to tweak your bids and strategies throughout the campaign. Auction ads are particularly beneficial for smaller businesses with limited budgets, as they offer greater control over costs and the ability to make adjustments as the campaign progresses. **Key Differences Between Reservation and Auction in Meta Ads: Budget, Bidding, Performance, and More** ------------------------------------------------------------------------------------------------------- Now, let's break down these aspects in detail: Budget, Bidding, Performance Goal, CPM, and Frequency Controls, for both Reservation and Auction, using both B2B and B2C examples to illustrate how each buying type works. **1\. Budget: Fixed vs. Flexible** ---------------------------------- In a **Reservation** campaign, you set a **fixed lifetime budget** that is spread evenly across the entire campaign duration. This means the total amount you’ll spend is predetermined, and Meta guarantees your ad will be shown a specific number of times at a fixed cost. The budget allocation remains consistent daily, giving you predictable spending and steady exposure throughout the campaign. This method is best suited for businesses that prioritize brand awareness and want consistent reach without worrying about performance fluctuations. However, this approach doesn’t allow adjustments mid-campaign once the budget is locked in. In **Auction** campaigns, you have more flexibility, as you can set either a **daily or lifetime budget**, and Meta dynamically adjusts how the budget is spent based on ad performance, competition, and other factors like time of day. By enabling [Meta’s Advantage Campaign Budget](https://www.facebook.com/business/help/153514848493595?id=629338044106215), the system automatically redistributes funds in real time to the best-performing ad sets, maximizing your spending efficiency.  The Advantage Campaign Budget allows for more flexibility - you might find it useful when the campaign aims at different target audiences, or multiple ad sets are running simultaneously. Still, the budget type of all the ad sets must be the same-daily or lifetime, the same buying strategy for bids (either highest volume, bid cap, or cost per result), as well as delivery optimization if the highest volume strategy is used. With ad sets totaling over 70, for large campaigns, this will ensure that only minor adjustments will be required once the campaign launches. With a lifetime budget, you can also time your ads to run at specific moments, thus having more control over when your ads appear, which could be useful if your audience is generally more active during certain hours or days. You should note as well that after turning Advantage Campaign Budget on, you must let it stay active for at least 2 hours before you can switch it off again; thus proper timing of your campaign adjustments is key. ### **Example: Fitness App Campaign: Reservation vs. Auction Strategy Breakdown** **Business Scenario:** A fitness app is preparing a 14-day campaign for New Year’s resolutions, targeting health-conscious individuals. The goal is to drive app downloads and sign-ups. The total budget is $70,000, and the campaign needs to determine whether to use a Reservation or Auction strategy. Refer to the table below for a clear comparison of how Reservation (Fixed Lifetime Budget) and Auction (Flexible with Advantage Campaign Budget) impact budget distribution, performance, and results. **Metric** **Reservation (Fixed Lifetime Budget)** **Auction (Flexible with Advantage Campaign Budget)** **Budget Type** Fixed lifetime budget spread evenly ($70,000/14 days) Dynamic lifetime budget ($70,000 total, but daily spend varies) **Daily Spend** Fixed at $5,000 per day Flexible, spending more on high-performance days (e.g., $7,000 on weekends due to youth being more active, $3,000 on slow days) **Ad Set Budget Allocation** Evenly distributed across all ad sets Budget reallocated to top-performing ad sets in real time **Performance Optimization** No adjustment; fixed allocation regardless of performance Meta shifts more budget to best-performing ad sets **Predictability** Predictable, consistent daily spend Flexible, allows for budget shifts based on real-time performance **Best For** Brand awareness, steady exposure Conversion-driven campaigns, maximizing ROI through flexible spending **2\. Bidding: Automatic v/s Highest Volume** ------------------------------------------------ Bidding is crucial because that is how your Meta Ads budget will be distributed. Two approaches of bidding exist: Automatic Bidding for Reservation and Highest Volume Bidding for Auction-the latter determines the competition level of reaching the target audience by the ad. **Automatic Bidding (Reservation):** Meta sets a fixed CPM for your campaign - providing you with predictable pricing and steady ad delivery during the entire campaign period. This is suitable for brand awareness where constant exposure really matters. **Highest Volume Bidding (Auction):** With this approach, you set a specified action - such as clicks or conversions - for which you want Meta to automatically adjust the bid in real-time to compete with other advertisers. This will enable you to help get the most out of performance and generate more conversions, especially where you use action-based goals. ### **Example: Optimizing Budget with Automatic vs. Highest Volume Bidding for an Electric Vehicle Launch** The car company launching an electric vehicle (EV) chooses **Automatic Bidding** in Reservation for a fixed CPM of $20 to ensure stable costs and consistent visibility. This means the company pays $20 for every 1,000 impressions, regardless of external competition or demand fluctuations, ensuring steady exposure over the entire campaign period. In contrast, with **Highest Volume Bidding** in Auction, the company sets a bid (for example, $15 per click or test-drive booking). Meta then dynamically adjusts this bid in real time, depending on competition and audience behavior. For instance, if many advertisers are targeting the same audience during peak hours (such as weekdays), the bid might increase to $18 per click to stay competitive and secure more impressions. However, during off-peak times (like evenings), when fewer competitors are bidding, the bid might drop to $12 per click. This flexibility allows Meta to allocate the budget more efficiently, focusing on driving the highest volume of conversions (in this case, test-drive bookings) at the best possible price.​ **3\. Performance Goal: Reach vs. Engagement** ---------------------------------------------- In Meta ad campaigns, your performance goal depends on the buying type and what you are aiming to achieve. For example, with **reserve bidding**, your goal is defaulted to **reach**, which simply means showing your ad to as many people as possible in your target audience. This tactic is well suited for reach-heavy awareness campaigns, where more users you can expose your ad to, regardless of how they interact with it, the better. Other options available in Reservation are Ad Recall Lift, which, in essence measures how well your audience is in remembering the ad, and [ThruPlay](https://www.facebook.com/business/help/2051461368219124) which ensures users watch video ads through till the very end. Compared to that, however, is how much more flexible Auction is with engagement goals beyond just Reach. You can optimize for metrics like Impressions, paying attention to how often your ad shows up or even metrics such as Ad Recall Lift or ThruPlay. In a lot of ways, Auction allows for a much more nuanced goal such as 2-Second Continuous Video Views where you're optimizing for users who watch at least two seconds of your video. This makes Auction a good fit for performance-oriented campaigns where the emphasis is on driving specific actions-such as clicks, video views, or conversions with more control over exactly how your budget is actually used to drive those outcomes. **4\. CPM: Fixed vs. Dynamic Pricing** -------------------------------------- When running Meta Ads, the **Cost per 1,000 impressions (CPM)** determines how much you pay to show your ad to a thousand people. The way CPM is calculated differs significantly between Reservation and Auction campaigns, and understanding this difference can help you choose the right approach for your business goals. ### **Reservation: Fixed CPM** In **Reservation** campaigns, the CPM is fixed. This means you pay a predetermined amount for every 1,000 impressions, regardless of changes in competition or demand for the target audience. Fixed CPM ensures **predictable costs**, making it ideal for businesses that value consistency in both ad delivery and budgeting. **Example:** If a company sets a fixed CPM of $12, they will always pay $12 for every 1,000 impressions, even during high-traffic periods when many advertisers are competing for the same audience. This stability provides peace of mind, allowing the business to stick to its budget and know exactly what to expect in terms of spending throughout the campaign. ### **Auction: Dynamic CPM** In **Auction** campaigns, the CPM is **dynamic** and fluctuates based on the competitive landscape. When many advertisers are targeting the same audience, the CPM will rise, increasing costs. Conversely, during periods of low competition, the CPM decreases, providing savings. While this allows for greater flexibility, it can make cost prediction more challenging. **Example:** A business running an Auction campaign might see their CPM rise to $20 during high-demand times, like the holiday season, and drop to $8 during off-peak periods. This dynamic pricing allows the business to adjust in real-time, paying more to stay competitive when necessary and saving money when competition is lower. **5\. Frequency Controls: Target Frequency vs. Frequency Cap ** ----------------------------------------------------------------- Controlling how frequently your audience is seeing your ad is important for ensuring that you continue to maintain effective exposure without the potential of ad fatigue. Meta offers two different frequency control options based on the buying type. There's Target Frequency in Reservation campaigns and Frequency Cap in Auction campaigns. ### Reservation: Target Frequency By Target Frequency in Reservation campaigns, you can further determine just how many times the individual will view your ad during a specific time period. Actually, it gives consistent and repeated exposure to reinforce the brand message without worrying about over-exposure to the users. **Example: **A software company launching a new business tool sets up a target frequency of 4 times per week. Meta ensures that each individual in the audience sees the ad up to four times per week. That way, the company remains top-of-mind with the audience, not overly exposed, which is perfect to build long-term brand recall and trust. ### Auction: Frequency Cap There's the Frequency Cap, which, on Auction campaigns, limits the number of instances during the course of the campaign when a user would view the ad. This would help with ad fatigue issues but maintain visibility. This ensures that users will not be receiving too many duplicate versions of the same ad. **Example:** An e-commerce brand running a flash sale wishes to constrain the frequency to 6 impressions per user. This would allow no more than six impressions during the sale, enough to establish exposure for conversion, but not annoying to the prospect. **Our Advice** -------------- Choosing the right buying type for your Meta Ads campaign—Reservation or Auction—depends largely on your goals, budget, and how much control you want over the campaign’s performance. ### When to use Reservations? 1. Your goal is **brand awareness** or reaching a large audience consistently. 2. You prefer **fixed costs** (set CPM) and predictable spending. 3. You want to control **ad frequency** to ensure your audience sees your ads a certain number of times. 4. You have a **larger budget** and need stable exposure across a broad audience. ### When to use Auctions? 1. You have a **smaller budget** and need flexibility. 2. Your goal is to optimize for **conversions**, **leads**, or **clicks**. 3. You want **control** over your bidding strategy and the ability to adjust based on real-time performance. 4. You need to **maximize ROI** by dynamically steering your campaign towards the best-performing results. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Interakt Pricing Explained 2025: A Comprehensive Breakdown (Updated) Author: Manav Mahajan Published: 2024-09-20 Category: WhatsApp API Pricing Tags: WhatsApp API, Bulk Messaging, WhatsApp API Pricing, Interakt URL: https://www.heltar.com/blogs/interakt-pricing-explained-2024-a-comprehensive-breakdown-updated-cm1agqx7u00azb98sy3qu2ttt Interakt offers tiered pricing plans for WhatsApp Business API, starting from **₹2757/quarter** for the **Starter** plan, **₹6,897/quarter** for **Growth**, and **₹9,657/quarter** for **Advance**, with an Entreprise plan available for larger enterprises. Each plan includes 1,000 free conversations per month, but additional conversations incur markups: upto **12.4% markup** on marketing conversations, **39.13% markup** on utility conversations, and upto **12.17% markup** on authentication conversations. Features like user limits, bot builders, integrations, and support options vary by plan (as covered in detail in the blog) with advanced capabilities often restricted to higher-tier subscriptions. This pricing structure can become costly and complex, particularly for small to medium-sized businesses looking to scale their WhatsApp operations. On the contrary, [Heltar-Best WhatsApp Business API](https://write.superblog.ai/sites/supername/heltar/posts/cm1agqx7u00azb98sy3qu2ttt/heltar.com)eltar-Best WhatsApp Business API comes as a savior by providing low cost plans catered to SMBs (Small and Medium sized Businesses), and different plans suited to the needs of larger enterprises. In addition, **Heltar’s flat 5% markup policy** makes sure that the API becomes an asset for your marketing team rather than a financial burden. Read the blog to discover how exactly. ​ ** ![undefined](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/image-cp-1731951402672-compressed.jpeg) ** Is WhatsApp API Free? --------------------- While WhatsApp offers free options for small businesses through the WhatsApp Business App, this is a basic tool designed for immediate, small-scale customer communication, available for free on both mobile and desktop via WhatsApp Web. However, for businesses looking to scale their operations, the WhatsApp Business API is the real game-changer—but it comes at a cost. The API is not free, and businesses must use one of WhatsApp’s Business Solution Providers like Interakt or Heltar to access it. * Interakt offers tiered pricing plans, which can quickly become expensive and complex to manage, especially for small to medium-sized businesses. * ​[Heltar- Best WhatsApp API](https://www.heltar.com/), on the other hand, provides a cost-effective, simplified pricing model, making it easier for businesses to scale without facing the high setup fees or confusing pricing structures that are often found with other providers. In essence, while the WhatsApp Business App is free for basic usage, businesses seeking growth through automation, analytics, and other advanced features will need to invest in the WhatsApp Business API Understanding Interakt’s WhatsApp Business API Pricing Interakt’s pricing for the WhatsApp Business API is structured around 3 primary components: #### 1\. Setup Costs Setup costs can vary among WhatsApp Business Solution Providers. Interakt claims to offer a free setup for businesses, along with a 14-day free trial of their platform. However, this initial offering does not always reflect the ongoing costs of using the API. #### 2\. Monthly Costs The monthly cost is essentially the subscription fee for using Interakt’s platform. Their Subscription Plan Charges range from INR 999/- to INR 3499/- per month, depending on the selected plan. This fee covers platform features, solutions, and various API functionalities. Pricing is tiered, providing options that align with a business's specific needs. #### 3\. Cost Per Conversation Interakt charges businesses for every conversation conducted via the WhatsApp Business API. The costs per conversation are broken down into: * User-Initiated Conversations: When a customer messages the business, it triggers a 24-hour session window where unlimited messages can be exchanged. The business is charged for this single conversation. * Business-Initiated Conversations: If the business initiates the conversation, a 24-hour session starts, allowing unlimited messages, charged as one business-initiated conversation. > _Note: The exact WhatsApp Conversation Charges depend on factors like message volume and the recipient's country._  How Interakt’s Pricing Structure Works ----------------------------------------- Interakt offers four pricing plans with varying features: #### 1\. Starter Plan * Exclusive to quarterly and annual pricing. * Starts at ₹2,757 per quarter. * Features include Shared Team Inbox, Unlimited Team Members, Instagram Inbox, Chat Automation, Catalog Building, and Bulk Notifications. #### **2\. Growth Plan** * Builds on the Starter Plan. * Starts at ₹6,897 per quarter. * Adds features like Click to WhatsApp Ads Analytics, Advanced Campaign Filters, Conversation Analytics, and more automation capabilities. * Offers a rate limit of 300 API calls per minute and includes onboarding support. #### **3\. Advance Plan** * Includes everything from the Growth Plan. * Starts at ₹9,657 per quarter. * Adds unlimited external app integrations, user segments for loyal customers, and enhanced API rate limits (up to 600 API calls per minute). #### **4\. Enterprise Plan** * Customized for businesses with high conversation volumes. * Customized pricing. * Offers the Pro and Enterprise tiers, differentiated mainly by the number of conversations. * Provides additional perks like dedicated support, exclusive playbooks, and strategies from Meta and Interakt. Feature Starter Plan (₹2,757/qtr) Growth Plan (₹6,897/qtr) Advanced Plan (₹9,657/qtr) Enterprise Plan (Custom Pricing) Automated Workflows Not available Available Available Available AnswerBot Not available 4 webpages, 4 runs 6 webpages, 8 runs  Available (no limits mentioned) Roles & Permissions Not available Available Available Available Auto Chat Routing Not available Not Available Available Available Automated Checkout Flow Not available Not available Available Available WhatsApp Payments Not available Not available Available Available Onboarding & Setup Self-serve Assisted Assisted Assisted WhatsApp Conversation Sessions and Charges (as applicable in India) ------------------------------------------------------------------- While the actual charges that Meta levies on businesses for the conversations are as follows: * _Marketing Conversation - INR 0.7846_ * _Utility Conversation - INR 0.1150_ * _Authentication Conversation - INR 0.1150_ ​** Interakt charges the businesses the following marked up rates:** Plan Marketing Conversation Utility Conversations Authentication Conversations Starter INR 0.882 INR 0.160 INR 0.129 Growth INR 0.871 INR 0.150 INR 0.128 Advanced INR 0.263 INR 0.140 INR 0.127 Enterprise NA NA NA Upon analyzing the above table, we observed that: **_Interakt is charging upto 12.40% markup on marketing conversations, 39.13% markup on utility conversations, and upto 12.17% markup on authentication conversations._**  In contrast, [Heltar](https://www.heltar.com/) offers a straightforward and transparent pricing model with a blanket 5% markup across all conversation types.  This consistency provides businesses with predictable costs that helps them in scaling their business with no excessive markups. Heltar Vs Interakt - A Comparison --------------------------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/vs-1726856426596-compressed.jpg) ### Subscription Fees * Interakt: Interakt's pricing plans start from ₹2,757 per quarter, scaling up to custom pricing for the Enterprise plan. The multiple packages and tiered features make it expensive, especially for small and medium-sized businesses. The incremental costs for unlocking advanced features force businesses to either commit to higher-tier plans or compromise on functionality. * Heltar: In contrast, Heltar offers lower subscription fees with a base plan starting at a more affordable monthly rate. It is designed to be budget-friendly for businesses of all sizes, particularly small and medium enterprises (SMEs) looking to minimize upfront costs, along with a simplified and transparent conversation pricing model, charging a flat 5% markup across all conversation types.  ### **Advanced Features** * Interakt: While Interakt provides robust features, many advanced capabilities are locked behind higher-priced plans. Essential features like advanced analytics, automated workflows, and API integrations are only available in the more expensive Growth, Advanced, and Enterprise plans. This tiered system restricts small businesses from accessing critical tools unless they commit to costly plans. * Heltar: Heltar includes advanced features—automation, analytics, customer segmentation — in every plan, at no additional cost. Businesses benefit from unrestricted access to essential tools allowing them to leverage full functionality of the platform. ### Ease of Use * Interakt: One of the major downsides of Interakt is its chatbot builder, which is difficult to navigate and quite restrictive. The builder only allows for creating basic conversational flows, making it challenging for businesses to design more complex and intuitive chatbots. This lack of flexibility can be frustrating, especially for users who expect a smoother, more comprehensive automation experience. * Heltar: On the other hand, Heltar’s no-code chatbot builder is intuitive and user-friendly, enabling businesses to create advanced automation flows without needing technical expertise. Heltar’s builder empowers users to design sophisticated customer journeys while maintaining ease of use, making it ideal for both beginners and experienced users alike. ### **Customer Support** While Interakt does not provide even setup support in the growth plan, in **Heltar**, End-to-End Customer Support is made available to all customers, irrespective of their subscription plans. For us, at Heltar, Our Customers are our biggest priority, and we ensure they are well served through a comprehensive knowledge transfer of our platform and continued assistance. > _Pay Less, Save More!_ > > [_Get a free demo with Heltar : Click to schedule!_](https://www.heltar.com/demo.html) Heltar offers a cost-effective, highly efficient WhatsApp Business API with advanced features and a transparent pricing model that's easy to understand. Take advantage of free trial with Heltar to enhance your WhatsApp marketing strategy without stretching your budget.  _Let Heltar help you achieve more—without the financial strain._​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Business API- The Comprehensive Guide 2025 (Updated) Author: Prashant Jangid Published: 2024-09-19 Tags: WhatsApp API, Bulk Messaging, WhatsApp for Business, WhatsApp API Pricing URL: https://www.heltar.com/blogs/whatsapp-business-api-the-complete-guide-2024-updated-cm199vwsk007qb98sogktqupg Hundreds of customers that you want to target for the next big promotion or announcement? Choosing WhatsApp Business API as a medium of communication might seem to be the right choice for you as a business. WhatsApp has become one of the biggest primary communication platforms with 2.7 billion daily active users across the world. A simple yet cost-effective form of reaching out to all these people is by using a WhatsApp Business API provider like [_Heltar- Best WhatsApp Business API_](https://www.heltar.com/) _which helps you sell 10x faster!_ ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/whatapp-api-1727159880938-compressed.jpg) What is WhatsApp Business API? ------------------------------ WhatsApp Business API is a simple interface that lets you use the programmable APIs by Meta. You can broadcast millions of messages in 1 single click, create WhatsApp chatbots and improve the overall user experience over WhatsApp for your business. Benefits of using WhatsApp API: * Send unlimited messages to people without getting banned. * Automate WhatsApp chats using AI chatbots. * Build customer trust by getting a verified badge on WhatsApp. * Sell 10x faster on WhatsApp than other mediums. **WhatsApp Business Application Vs WhatsApp Business API** ---------------------------------------------------------- WhatsApp Business Application is very different from WhatsApp Business API. There are limitations on the former when it comes to leveraging all the features of WhatsApp, which are: * You can broadcast a message to only 256 people at once.     (Note: These messages are only delivered to people who have saved **your** contact number in **their** contacts.) * Does not support chatbots or automation. * Conversation analytics like sent, delivered, seen, replied are not available. * Does not allow integrations with third-party applications. * Does not support interactive messages (button messages).  * Team inbox can be accessed through maximum 4-5 devices. **Why should you switch to WhatsApp Business API?** --------------------------------------------------- ### **1\. Scalability** WhatsApp Business API allows companies to manage their customers efficiently in a cost effective manner on WhatsApp. They can scale their customer support infinitely and streamline the business operations.  ### 2. Automation WhatsApp chat automation is possible over WhatsApp with Business API. Reply and solve all customer queries instantly with chatbots, automatic replies. Reply Faster, Reply Smarter with Heltar’s BotBuilder!​ ### **3\. Personalised messaging** Send hyper personalised texts to the users, increasing the engagement rate by 93%. _Ditch the old ways of mailing and calling, switch to_ [_Heltar- Official WhatsApp API!_](https://www.heltar.com/) ### 4\. Multiple integrations Integrate with your backend system or any third party application. WhatsApp Business API allows flexible integrations to businesses for easier WhatsApp communication with the WhatsApp users. What is the WhatsApp API pricing? --------------------------------- WhatsApp API pricing consists of: ### **1\. Meta conversation Charges** Meta charges the business based on the conversations that occur. Every conversation is a 24 hour window, where the businesses are charged once in a period of 24 hours for either sending or receiving the WhatsApp message. These conversations could be: 1\. Business Initiated Conversations      These are conversations started by businesses. They are typically done in     form of templates to which a user can reply. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/ph-mockup2-1727160008937-compressed.png) 2\. Service Conversations or User Initiated Conversations.      These are conversation started by the user.  ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/ph-mockup1-1727160076083-compressed.png) **[_(Read about the pricing structure for WhatsApp Business API Providers)_](https://www.heltar.com/blogs/top-10-wati-alternatives-2024-heltar-vs-wati-cm17r4s6n003cb98soh94kwzj)​** ### **2\. Business Service Provider Charges** Business Service Provider or BSP charges the businesses a platform fee based on various plans offered.  The plan at Heltar starts from just INR 499/ month.  _Heltar offers the_ **_Lowest Price_** _for WhatsApp Business API!_  > _[Calculate the conversation pricing with our Pricing Calculator.](https://www.heltar.com/pricing-calculator.html)_ How can I access WhatsApp Business API? --------------------------------------- You can access WhatsApp Business API through WhatsApp API Providers like Heltar- Free to use WhatsApp API. **Avail free trial for a month now with Heltar!**  [Schedule a Demo](https://www.heltar.com/demo.html) What are the eligibility requirements to use the WhatsApp Business API?  To start with WhatsApp Business API, a business should have: 1. A business website (with legal business name mentioned on it)/ business email address. 2. A phone number, not to be liked with any WhatsApp account. You can use a new number or delete the WhatsApp account from an old one to use it for WhatsApp Business API account. 3. Legal business documents which include: * Certificate of Incorporation or an equivalent documents * MSME Certificate * GST Certificate Heltar Pricing -------------- Features Lite Starter Growth Pro Custom (Talk to Us) Eligibility Recommendation <5,000 Automated Conversations per month 5,000 - 10,000 Automated Conversations per month 10,000 - 50,000 Automated Conversations per month 50,000 - 1,00,000 Automated Conversations per month \> 1,00,000 Automated Conversations per month Platform Subscription 0 ₹2099/mo ₹4999/mo ₹9999/mo Custom Number of Automated Conversation Sessions Included FREE (Credits) 100/mo 5,000/mo 15,000/mo 30,000/mo Custom Additional cost per automated session after Free Credits ₹5/session ₹2/session ₹1.75/session ₹1.5/session Custom Number of WhatsApp Business Accounts Allowed 1 1 1 2 Custom Additional cost per WABA Not Applicable ₹799/mo ₹799/mo ₹799/mo Custom Meta Marketing Cost (To be paid on Actuals directly to Meta) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) Custom Meta Utility/Authentication Cost (To be paid on Actuals directly to Meta) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) Custom Meta User-Initiated Message Cost FREE FREE FREE FREE Custom Frequently Asked Questions ----------------------------- **Q. Can I use WhatsApp Business and WhatsApp Business API on the same number?** Ans. No, you can't use the number for WhatsApp Business application and API. You need to either source a fresh phone number or delete the WhatsApp account on an old number. **Q. Are the conversations free if the user texts first?** Ans. No, user initiated conversations are not free. Although, they are relatively cheaper if compared to the business Initiated conversations.  **Q. Do I get free trial for WhatsApp Business API?** Ans. Yes! Heltar offers a 1 month free trial. **Q. Can I integrate chatbot to my WhatsApp account?** Ans. Yes, you can deploy unlimited chatbots with Heltar. Make sure you're onboarded first on the platform! **Q. How many people can log into the WhatsApp Business API account? ** Ans. With Heltar, you can have unlimited people logged into the same WhatsApp Business API account. This comes really handy when you have a large team dealing with communication on WhatsApp.**​​​** --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## “Your WhatsApp Business Account has been Disabled” Error for Verified WhatsApp Business Account [Working Fix 2025] Author: Prashant Jangid Published: 2024-09-18 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/how-to-fix-your-whatsapp-business-account-has-been-disabled-for-verified-whatsapp-business-account-cm17ybj7q004db98smpdfz5el A few WhatsApp Business Account users have encountered the dreaded error message: **“This account has been disabled because a review of your business found it doesn't meet WhatsApp's Business Policy.”** This is happening even to users whose businesses are verified, who haven’t broken any policies, and where all conversations were initiated by users. _**While it is possibly a bug from Meta, how can you resolve it quickly?**_ There’s no guaranteed solution, however, we’ve found a few simple steps on a [Meta Forum](https://developers.facebook.com/community/threads/806211104245421/) that have helped resolve the issue for many affected businesses.  Steps to Troubleshoot --------------------- ### 1\. Check for a Possible Violation * Log into [Meta Business Suite](https://business.facebook.com/business/loginpage/?next=https%3A%2F%2Fbusiness.facebook.com%2F%3Fnav_ref%3Dbiz_unified_f3_login_page_to_mbs&login_options%5B0%5D=FB&login_options%5B1%5D=IG&login_options%5B2%5D=SSO&config_ref=biz_login_tool_flavor_mbs) or [Business Manager](https://business.facebook.com/business/loginpage/?next=https%3A%2F%2Fbusiness.facebook.com%2F%3Fnav_ref%3Dbiz_unified_f3_login_page_to_mbs&login_options%5B0%5D=FB&login_options%5B1%5D=IG&login_options%5B2%5D=SSO&config_ref=biz_login_tool_flavor_mbs). * Navigate to **All Tools > Business Support Home > Account Overview** (the speedometer icon) to view specific violations. If you believe your account complies with WhatsApp policies, you can request a review: * Go to [**Business Support Home**](https://www.facebook.com/accountquality) page. * Select the violation and click **Request Review**. * Provide supporting details in the dialog box and click **Submit**. When a business submits an appeal for a violation, the WhatsApp team evaluates it against their policies to determine whether the violation should be reconsidered. This process may lead to the violation being overturned. The appeal process usually takes **24-48 hours**, and you'll receive the decision in your **Business Manager**. If the violation is not appealable, you'll need to wait for the restriction period to end before resuming messaging. ### 2\. Check for Incomplete Information/Missing Details * Log in to your WhatsApp Business account and check your business details in the **Business Settings** section. If you see any incomplete information, submit the necessary documents for verification. * Go to the **Payment Settings** section of your **WhatsApp Business Manager** and add/update your payment method if it is missing/has changed. After completing the above steps, go back to the **Account Issues** section of your **WhatsApp Business Manager** and request a new review of your account. ### 3\. Incomplete Security Settings Setup * Navigate to the security settings, and enable 2FA for the primary phone number associated with your account. * Have all team members associated with your account enable 2FA on their individual accounts. This option is under the **Security** tab in WhatsApp settings. After completing the above steps, go back to the **Account Issues** section of your **WhatsApp Business Manager** and request a new review of your account.  If you're still facing difficulties, you can turn to a Business Service Provider (BSP) affiliated with Meta, such as **[Heltar](https://www.heltar.com/)**, as BSPs are well-versed in setting up WhatsApp Business accounts and can ensure your account is properly configured and meets all necessary guidelines. Click here to [Book a Live Demo with Heltar](https://www.heltar.com/demo.html). If you want to know more about quick fixes for WhatsApp Business API errors, check out our blog on [How to Fix the Generic User Error (135000) in WhatsApp Cloud API](https://www.heltar.com/blogs/how-to-fix-the-generic-user-error-135000-in-whatsapp-cloud-api-cm129zpoo0011yafzg16j5v1c). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Top 10 Wati Alternatives & Competitors | 2025 (Updated) Author: Prashant Jangid Published: 2024-09-18 Tags: WhatsApp API, Bulk Messaging, WhatsAPP Business, Best Wati Alternative, WhatsApp API Pricing URL: https://www.heltar.com/blogs/top-10-wati-alternatives-2024-heltar-vs-wati-cm17r4s6n003cb98soh94kwzj If you are looking for a WhatsApp business API, it is better to consider all the available options to make an informed decision.  Exploring alternatives helps you choose a solution tailored to your business needs. It also ensures that you do not overpay for the services that may be available for cheaper with providers such as [**Heltar- Best WhatsApp Business API**](https://www.heltar.com/)**.** ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/top-wati-alternatives-1726747340560-compressed.jpg) What is Wati? Wati helps you provide personalised communication and sell more with the WhatsApp Business API platform that automates marketing, sales, service and support.  Why Consider Alternatives to Wati? Broadcast – WhatsApp marketing softwares such as Wati & AiSensy allow businesses to engage with their customers efficiently and through customized campaigns. Chatbots – Businesses can create no-code chatbots and integrate them with Claude, Gemini or OpenAi API Keys to provide responses to queries  Shared Team Inbox – Wati allows your sales team to have a shared inbox for your team on the WhatsApp Business API. ### Limitations of Wati:  * Limitations on number of chatbot sessions. * Additional charge for extra chatbot responses. * A cap of 5 users in all their plans, while Heltar has no limitation. * Limited Integrations and no information on Javascript integrations. ### Wati Pricing: Wati’s variety of offering comes with a steep pricing, the provider charges 2500 per month for a basic WhatsApp CRM dashboard with additional features costing businesses upto 2 Lakh rupees annually. Monthly (INR) Annually (INR) CRM 2,499 24,000 CRM+Chatbot 5,999 54,000 Enterprise 16,999 2,02,500 Their Conversation Markup at 20% is among the highest in the industry. We have made this article to inform consumers about the best and cheapest alternatives to Wati available in the market. Conversation Price Per Conversation (INR) Marketing 90p/ 24 Hours Utility 34p/ 24 Hours Service 34p/ 24 Hours 1\. [Heltar- Best WhatsApp API Alternative to Wati](https://www.heltar.com/)  ----------------------------------------------------------------------------- > Sell products 10x faster with our mobile & desktop platform! Features: Heltar allows your business to reach, notify, and engage your customers with just one click.  Being an Official Meta Partner Heltar allows you to send 1,000,000+ messages with just one-click without facing the risk of getting banned.  Being an up-and-coming company, Heltar's client service is one of the best in the Industry. ### Heltar provides: * No limit on the number of chatbot responses. * A transparent pricing structure. * 24/7 Customer support is available on call, WhatsApp or email.  * 1,000,000+ messages in one click without getting banned. [(Read more)](https://www.heltar.com/blogs/whatsapp-business-api-pricing-target-1000s-in-1-click-clr618iyz135023mjsms68ght)​ * OpenAI and Javascript Integration. * No-code bots enabled by their drag & drop architecture. * A free green tick badge.  * A super intuitive shared dashboard for the entire sales team. Heltar provides the best and most accessible pricing structure for SMEs among the top players.  ### ​Platform Pricing: Features Lite Starter Growth Pro Custom (Talk to Us) Eligibility Recommendation <5,000 Automated Conversations per month 5,000 - 10,000 Automated Conversations per month 10,000 - 50,000 Automated Conversations per month 50,000 - 1,00,000 Automated Conversations per month \> 1,00,000 Automated Conversations per month Platform Subscription 0 ₹2099/mo ₹4999/mo ₹9999/mo Custom Number of Automated Conversation Sessions Included FREE (Credits) 100/mo 5,000/mo 15,000/mo 30,000/mo Custom Additional cost per automated session after Free Credits ₹5/session ₹2/session ₹1.75/session ₹1.5/session Custom Number of WhatsApp Business Accounts Allowed 1 1 1 2 Custom Additional cost per WABA Not Applicable ₹799/mo ₹799/mo ₹799/mo Custom Meta Marketing Cost (To be paid on Actuals directly to Meta) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) ₹0.7846/conversation (24-hr window) Custom Meta Utility/Authentication Cost (To be paid on Actuals directly to Meta) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) ₹0.1150/conversation (24-hr window) Custom Meta User-Initiated Message Cost FREE FREE FREE FREE Custom ### 2\. AiSensy ### Features: AiSensy’s Smart Campaign Manager allows businesses to reach thousands of customers with a single-click broadcast.  AiSensy offers some of the best integrations in the industry but not all of them are available for free: Free Paid API Integration Shopify Pabbly Connect WooCommerce Razorpay Integrately Webengage Kylas Opencart ### Limitations: * Their Basic & Pro plans offer limited features that are included on platforms like Heltar.  * The basic plans limit features like the number of tags and attributes features that are available for free on platforms like Heltar.   * Advanced analytics are also limited which other platforms provide for free.   * The basic plans also does not include campaign scheduler.  ### ​Platform Pricing: Monthly (INR) Annually (INR) Basic 2,399 25,908 Pro 4,399 47,499 Enterprise Custom Custom AiSensy is considered one of the most expensive WhatsApp API provider in the industry given their high conversation markup. ### Conversation Pricing: Conversation Price Per Conversation (INR) Marketing 81p/ 24 Hours Utility 12.5p/ 24 Hours Service 35p/ 24 Hours 3\. Cheerio ----------- ### Features: Unlike most of the other providers on our list, Cheerio provides a seamless integration of Email, SMS, and WhatsApp.  * Omnichannel marketing across channels.  * Dedicated retargeting alerts.  * Detailed funnel analytics for every campaign * Dedicated support for “Drip Campaigns” * Users can deploy design and deploy predefined workflows effortlessly with their intuitive drag & drop feature.  ### Limitations: * Cheerio doesn’t provide a monthly option for their platform. Subscriptions start from ₹4500/Quarter making it expensive for SMEs  * Only one sender ID in their Basic & Startup plans, platforms like Heltar provide unlimited.  * Only Enterprise subscribers get unlimited chatbot capabilities. ​Platform Pricing: Quarterly (INR) Annually (INR) Basic 4,500 12,000 Growth 15,000 36,000 Enterprise 70,000 2,00,000 ​ Conversation Pricing:​  Conversation Basic Growth (INR) Enterprise (INR) Marketing BR\* 2p discount on BR\* 4p discount on BR\* Utility BR\* 2p discount on BR\* 4p discount on BR\* Service BR\* 2p discount on BR\* 4p discount on BR\* _\*Base rate is more than the meta pricing._ 4\. Twilio ---------- ### Features: Twilio provides seven official server-side SDKs to get started. Users can send their first text message, phone call, or email in minutes and when they’re ready to launch the app. Twilio has a pay-as-you-go plan.  * No monthly fixed charges for the platform. * API Integration directly in the app SDK. * User Authentication, Voice API & SMS platforms all under one code-base.  * 99.95%+ API uptime. ### Limitations: * Twilio doesn’t have a dedicated dashboard. * Being an American company they charge users a very steep price for both conversations and messages.  * Only API integration is available, meaning no chatbots either. ### Pricing: USD INR  Conversation Per conversation Per Message Per conversation Per Message Marketing $0.0099 $0.005 ₹0.82 ₹0.41 Utility $0.0014 $0.005 ₹0.11 ₹0.41 Service $0.004 $0.005 ₹0.33 ₹0.41 5\. Kwiqreply ------------- ### Features: One of the best Wati alternatives in India, Kwiqreply offers a wide variety of features. Their file support being one of the best in the market, Kwiqreply also offers  WhatsApp messaging through API integration with your Apps.  * Rich media support like images, videos, documents etc * Multi-lingual support allowing businesses to communicate with their customers in native language * Zoho, WooCommerce, and Webengage Integrations ### Limitations: * Only allows 1200 messages/ minute for their basic plans where providers such as Heltar do not have any cap.  * The starter and team offerings only have a one-way conversational API ### Platform Pricing: Monthly Annually Starter ₹2,500 ₹24,000 Business ₹15,000 ₹1,44,000 Enterprise Custom Custom ### Conversation Pricing:  Conversation Price Per Conversation Marketing ₹0.81/24 Hours Utility ₹0.12/24 Hours Service ₹0.35/24 Hours 6\. CM.com ---------- ### Features: CM.com offers a very good alternative to Wati in terms of channel support. CM.com provides support for channels such as WhatsApp, Instagram, Viber, Telegram, Facebook Messenger, etc. Their offerings include: * Mobile service cloud which is a shared agent inbox. * Conversational AI cloud which includes an AI Chatbot & a Voicebot. * Mobile marketing cloud to manage all the marketing campaigns on the go. * A customer data platform providing a unified view of customer profiles. * E-Signature software & Online payments platform. ### Limitations: * CM.com is a Netherlands-based company attracting a steep euro-based pricing.  * Number of users are charged separately while Heltar supports unlimited users.  * Limitations on number of messages being sent per second.  ### Platform Pricing: Messages Monthly Annually 50/second (€129)₹11,999 Custom 100/second (€399)₹36,999 Custom 1000/second Custom Custom ### Conversation Pricing: Price (in Euro) Per User € 0,30 Per Conversation € 0,12 Per Message € 0,009 7\. Front.com ------------- ### Features: Front.com stands out as a strong alternative to Wati offering an integrated knowledge base for their customers and users.  They offer chatbots to enable streamlined resolution of customer queries, enabling your team to save time on repeated queries.  * AI Chatbots: Automate responses to customer inquiries for faster service. * AI-Powered Email Drafts: Generate suggested email responses to speed up reply times. * Smart Tagging: Automatically categorize conversations for better organization and workflow. * Conversation Summaries: Summarize key points from long conversations to enhance team productivity. ### Limitations: * Analytics, chatbots, and advanced team controls are not available on the starter pack.  * Plan add-ons are charged at $0.70/resolution.  ### Platform Pricing: Messages Monthly Annually 50/second (€129)₹11,999 Custom 100/second (€399)₹36,999 Custom 1000/second Custom Custom ### Conversation Pricing: Price (in Euro) Per User € 0,30 Per Conversation € 0,12 Per Message € 0,009 8\. Zoko -------- ### Features: Zoko, a powerful AI-based alternative to Wati specialises in supercharging your online business.  Zoko integrates seamlessly with Shopify, allowing businesses to sync their contact data and orders. * Zoko offers AI-Powered Chatbots that handle tasks like answering queries, sending notifications, and automated responses. * Multi-Agent Support: Zoko enables multiple team members to use one WhatsApp number, allowing for seamless customer support and interaction via a shared inbox. * Zoko’s seamless integration with your shopify account allows you to target abandoned carts and ping your website visitors as required. ### Limitations: * Additional shopify plugins are charged separately, while additional plugins at Heltar are freely available.  ### Platform Pricing: Messages Monthly Quarterly Yearly Starter N/A ₹2757 ₹9588 Growth ₹2499 ₹6897 ₹23,988 Advanced ₹3499 ₹9657 ₹33588 ### Conversation Pricing: Price  Per User ₹0.82 Per Conversation ₹0.16 Per Message ₹0.35 9\. Interakt ------------ ### Features: Interakt offers deep integrations with a lot of different platforms. Businesses can sync with platforms like Zoho to avoid losing their data across CRMs.  Interakt allows: * Send personalized template messages on WhatsApp for order confirmations, shipping updates, or customer engagement​ * integrate with Shopify and automate order updates, FAQs, and after-sales support via WhatsApp * Set up sales funnels on WhatsApp, including catalog management, order initiation, and payment processing ### Limitations: * Chatbots start at ₹24,000 a year while Heltar only charges 14,399/year for a single chatbot workflow.  * Features such as Automated checkout flow are also charged separately with their shopify integrations.  10\. Helpwise ------------- ### Features: Helpwise by justcall is also a viable alternative to Wati, allowing you to collaborate with your team on WhatsApp conversations. Trusted by 5000+ users, you can revamp your customer interactions with Helpwise.  * Real-Time Message Tracking: See the status of messages (read, sent, delivered) in real-time to keep track of communication. * Collision Detection: Avoid duplicate replies by knowing when a team member is responding to a query, improving coordination. * Tag and Assign Conversations: Conversations can be tagged and assigned to the appropriate team members for better organization and tracking. ### Limitations: * Their standard plan does not offer whatsapp integration only SMS and Email outreach are included.  ### Platform Pricing: Messages Monthly Annually Sandard $15 $144 Premium $29 $276 Advanced $49 $468 The price and features of a WhatsApp Business API provider are important considerations. Heltar is the greatest substitute for Wati because of its reasonable prices, extensive feature set, and top-notch customer service. Heltar is the best option if you're searching for a solution that strikes a mix between affordability and powerful features. Note: These prices are subject to change over the period of time. We suggest you to check the pricing on the respective website of the WhatsApp Business API providers. ### Are you prepared to change?  Check out [Heltar- Best WhatsApp Business API](https://www.heltar.com/) now to see how it may improve corporate communication. For additional details get in touch with our staff to schedule a customised demo.  > ### Calculate your WhatsApp conversation pricing with Heltar here! > > [WhatsApp Pricing Calculator](https://www.heltar.com/pricing-calculator.html) Frequently Asked Questions -------------------------- **Q. What is the WhatsApp Business API?** Ans. The WhatsApp Business API enables  medium to large businesses to scale their customer engagement via WhatsApp. It supports notifications, alerts, automated customer, etc support via chatbots, and integration with CRM systems. **Q. Is the WhatsApp API free?** Ans. Unlike the WhatsApp Business app, the API is not free. The cost depends on the Business Solution Provider (BSP) you choose. BSPs such as Heltar act as intermediaries between WhatsApp and businesses. Each BSP sets their own pricing, which typically includes fees for conversation and platform.  **Q. How does pricing work on Heltar?** Ans. Heltar charges a platform fee and a per-conversation fee that is cheaper than all other providers. For instance, utility messages are priced lower, and marketing messages incur higher charges depending on the region. There may also be extra fees for media messages exceeding a certain size **Q. How can businesses get the WhatsApp Business API?** Ans. To obtain the API, businesses need to work with a BSP like Heltar. After registration and approval, they can use the API to integrate WhatsApp into their customer service platforms, automate workflows by building chatbots. **Q. What features does Heltar offer with the WhatsApp Business API?** Heltar provides a comprehensive solution that includes chatbots, custom integrations, real-time notifications, detailed analytics, and migration support from other BSPs​.  **Q. What features should I look for in a BSP?** Ans. Features offered by best WhatsApp BSPs such as Heltar include:​ * Message Templates: Support for creating and managing message templates. * Automation Tools: Capabilities for creating automated workflows. * Integration Options: Compatibility with your existing CRMs and online retailers.  * Analytics and Reporting: Tools for tracking and analysing message performance. * Customer Support: Quality and availability of support services. ​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Fix the Generic User Error (135000) in WhatsApp Cloud API Author: Prashant Jangid Published: 2024-09-14 Category: Troubleshoot Tags: WhatsApp API Error URL: https://www.heltar.com/blogs/how-to-fix-the-generic-user-error-135000-in-whatsapp-cloud-api-cm129zpoo0011yafzg16j5v1c Lately, we’ve been dealing with the confusing “generic user error” (Error code: 135000) in the WhatsApp Cloud API with a few users complaining that the dynamic templates they made in WhatsApp, which earlier used to work, stopped working.  In order to fix this error we verified all of our API calls for the template, which were correct, but the error persisted. We dug around the Meta Forum and found that while there is no clear solution, a simple hack often fixes it for most of the people: deleting all of the existing templates and creating new ones. ([https://developers.facebook.com/community/threads/651536866370638/](https://developers.facebook.com/community/threads/651536866370638/)) We tried this solution for a few clients, and deleting and recreating the templates temporarily resolved the issue. For these clients, we then deleted the phone number and added it again, which ultimately solved the problem for several users. Step-by-step guide to delete all of your templates and create new ones: ----------------------------------------------------------------------- 1. Go to your WhatsApp Business account by logging into [https://developers.facebook.com/docs/whatsapp/cloud-api/get-started](https://developers.facebook.com/docs/whatsapp/cloud-api/get-started).  2. Go to the "Message Templates" section. Copy the text and details of each template. You might also want to take screenshots for extra safety. 3. Select all the templates you have and delete them.    4. Go back to the "Message Templates" section and click "Create New Template." 5. When completed, click Submit. Your template will now be sent for review. You can check the status of your templates in the "Message Templates" section. After approval, you can start using them. If you still get the “generic user error”, you can try deleting and re-adding the phone number associated with your account.  Step-by-step guide to delete and re-add your WhatsApp phone number: ------------------------------------------------------------------- 1. Log in to your WhatsApp Business account and go to the "Phone Numbers" section. 2. Select the phone number that is currently linked to your account and click on "Delete." 3. Click on "Add Phone Number" and follow the steps to re-add the same number. 4. After adding the number back, verify it using the OTP or verification process provided by WhatsApp. Once these steps are completed, test your templates again. While this is not a definitive solution, it often does solve the problem. For more such quick fixes for WhatsApp API Error or insights on how to make the best use of WhatsApp Business API check out our other blogs at [heltar.com/blogs](https://www.heltar.com/blogs). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Add Payment Method to your Meta Business Manager? Author: Prashant Jangid Published: 2024-02-14 URL: https://www.heltar.com/blogs/null Adding a payment method to your WhatsApp API setup on Meta is an essential step for businesses looking to leverage WhatsApp for transactions and customer interactions.  This process involves several steps, from setting up your business account to configuring payment methods. Before you can add a payment method, you need to verify your business in the Meta Business Manager. This process involves providing business details and documents that prove your business's legitimacy. This blog walks you through all the steps to add a payment method for the WhatsApp API in Meta Business Manager. **How to Add Payment Method?** ------------------------------ You first need to verify your business on Meta to add a payment method. ### **How to Verify Your Business on Meta?** 1. **Start Verification** * Go to **Business Manager’s Security Centre** and click **Start Verification**. * You may also see a verification prompt in **Meta Ads Manager, Commerce Manager,** or the **App Developer Dashboard**. 2. **Enter Business Details** * Provide your legal business name, address, phone number, and website. * Ensure the details exactly match your legal business entity records. * Your website must be live and HTTPS-compliant. 3. **Confirm Business Details** * If Meta finds a matching record, you can proceed. * If no match is found, upload supporting documents (e.g., business license, articles of incorporation). 4. **Choose a Verification Method** * **Email** (Your business email domain must match your website domain.) * **Phone call** * **Text message** * **WhatsApp message** * **Domain verification** (Requires admin access to your website’s hosting or DNS provider.) 5. **Complete Verification** * Submit your request and click **Done**. * Review time ranges from 10 minutes to 14 working days. * You’ll receive a notification once the verification is complete. If your business is successfully verified, no further action is needed. After your business verification is complete, you can add a payment method to your account. ###  Here's how: 1. Open [Meta Business Manager](https://business.facebook.com/). 2. From the bar on the left, under the dropdown select the business account you want to add the payment for. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/2-1707901880577-compressed.png)   3. Go to _**Business Setting**_ and click on _**Billings and Payments**_. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2024-02-20-at-11-1708409109026-compressed.png)   4. Now navigate to _**Accounts**_ and choose _**WhatsApp Business        Accounts**_. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2024-02-20-at-11-1708409410813-compressed.png)    5. Now for the account which you want to add the payment             method for, select the _**Add Payment Method**_. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2024-02-20-at-11-1708409712916-compressed.png)    6. Finally add your card details and click _**Save**_. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2024-02-20-at-11-1708409793748-compressed.png) ​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## WhatsApp Business API Pricing- Target 1000s in 1 Click Author: Prashant Jangid Published: 2024-01-09 Tags: Bulk Messaging, WhatsApp for Business URL: https://www.heltar.com/blogs/null WhatsApp's API pricing can initially seem quite complex, but it's quite manageable once broken down.  Here's an in-depth look at how it works: Contents * [Types of Messages and Their Cost](#types-of-messages-and-their-cost) * [Template Messages:](#template-messages)  * [Session Messages:](#session-messages)  * [Conversations Costs](#conversations-costs) * [Pricing Tiers and Variations](#pricing-tiers-and-variations) * [FAQ](#faq) **Types of Messages and Their Cost** ------------------------------------ ### **Business Generated Conversations:** 1. Template Messages: * Nature: Template messages are pre-approved messages used for initiating conversations or sending notifications. These templates are crucial in customer outreach, appointment reminders, event notifications, and product updates. * Cost Implications: These messages are chargeable. The cost varies depending on the region and the network of the user receiving the message. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/screenshot-2024-02-26-at-1-1708934821624-compressed.png) ​​    2. Session Messages: * Nature: These messages are part of a conversation initiated by the customer. A 24-hour window allows businesses to reply with free-form messages, enabling personalised and interactive communication. * Transition to Template Messages: Post the 24-hour window, any messages sent are classified as template messages and are chargeable. Conversation Costs: ------------------- Different types of conversations have distinct pricing structures. These include marketing, authentication, utility, and service conversations, each serving a unique purpose and priced accordingly. > ### Detailed Breakdown of Conversation Costs * Marketing Conversations: Aimed at promoting products or services, these conversations are critical for businesses to engage with their customers.  The cost in India is _INR 0.7265/ conversation_. * Authentication Conversations: Often used for sending OTPs or account verification messages, these are crucial for security.  Authentication conversations are not available in India. * Utility Conversations: These are used for practical interactions like sending billing information or transaction alerts.  The cost in India is _INR 0.3082/ conversation._ * Service Conversations: Focused on customer service, these conversations are vital for maintaining customer relations.  The cost in India is _INR 0.2906/ conversation_. ### Country-Specific Rates One of the complexities of the WhatsApp API pricing model is the variation in costs across different countries. This means that the charges are based on the user's location and network, not the business's location.  It's essential for businesses operating internationally to understand these geographical pricing nuances. Apart from direct messaging costs, if you're using the WhatsApp API through third-party services, additional expenses might include which are charged by BSPs(Business Service Provider) like Wati, Aisensy, Heltar their price vary according to the will of the company. Its is worth noting that **Heltar doesn’t charge any premium.**​ Understanding the pricing structure of WhatsApp API is crucial for businesses planning to leverage this powerful communication tool. By being aware of the different types of messages, the varying costs, and additional expenses, companies can make informed decisions to optimize their customer engagement strategies while keeping costs in check. _**Checkout**_ [_**Heltar**_](https://blog.heltar.com/100percent-free-forever-wati-alternative-never-pay-again-2024-clsz1owri002z12x1sohl5sn6/) _**for free for life Wati alternative.**_ \--- FAQ --- **Q.** **If I'm in Dubai and my account is based in India, what pricing applies?** **Ans** Charges are based on the user's location, not the account's origin of the business. So if your user is accessing the service from India then you will be billed according to the rates of India. **Q.** **How Template are differentiated by WhatsApp?**  **Ans** WhatsApp templates are categorised based on their content and use, such as transactional, promotional, or informational. Each template follows a specific structure with areas for customisation, ensuring consistency and personalisation. For a deeper understanding, visit WhatsApp's Business API documentation. **Q. What is the free messaging limit on WhatsApp Business API?** **Ans** The first 1,000 user-initiated conversations per month and per WhatsApp Business account are free. **Q. If a business sends more than one message template in an open 24-hour conversation session, will it be charged for it?** **Ans** If a business sends a new conversation of the same category in the 24-hour window, there will be no additional charges. However, if a business delivers two different types of templates, for example, it first sent a utility template, and then starts a marketing template, a new conversation is opened, and charged separately according to the message category. ​ --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## How to Get Green Tick (Verified Badge) on WhatsApp Business? Author: Prashant Jangid Published: 2023-11-07 URL: https://www.heltar.com/blogs/null In today’s fast-paced digital world, instant communication has become the backbone of business success. Heltar is revolutionising the Customer Relationship and Experience Management domain by harnessing the power of WhatsApp Business API. In this seamless integration, HeltarChat emerges as a powerful tool, empowering businesses to enhance messaging, manage clients effectively, automate operations, and analyze data in real-time. Moreover, Heltar’s Marketplace catalyzes innovation by offering a suite of customized apps tailored to diverse business needs. In this comprehensive guide, we will explore the coveted 'Green Tick' on WhatsApp Business and how obtaining it can elevate your brand's credibility and customer trust. **Understanding the Prestige of the WhatsApp Green Tick** --------------------------------------------------------- ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/green-tick-1699351550722-compressed.jpeg) ### The Symbol of Authenticity and Trust The Green Tick on WhatsApp Business symbolises authenticity and establishes your business as a verified brand. This mark of trust assures your customers that they are communicating with an authentic and reputable entity, setting the foundation for a secure and trustworthy customer experience. Step-by-Step Guide to Getting Verified on WhatsApp Business ----------------------------------------------------------- ### Your Pathway to Green Tick Verification To earn the Green Tick on WhatsApp Business, follow these essential steps: 1. Ensure Eligibility: Your business must comply with WhatsApp's policies and hold a high-quality, active account. 2. Complete Your Business Profile: Provide comprehensive information including your business name, address, description, email, and website. 3. Consistent Use of HeltarChat: Leverage HeltarChat to maintain high messaging standards and keep engagement levels optimal. 4. Submit Verification Request: Through your WhatsApp Business API client, submit a request for verification. 5. Wait for Approval: WhatsApp will review your application, which may take several weeks. Patience is key! 6. Maintain Compliance: Even after receiving the Green Tick, adherence to WhatsApp’s guidelines is crucial to retain your verified status. ![](https://superblog.supercdn.cloud/site_cuid_clnw4nrag2342701vpmufcj1n2w/images/dalle-2023-11-07-15-1699351007652-compressed.png) Discover the full capabilities of HeltarChat and how it can transform your business messaging. Read the ​[Benefits of WhatsApp Business API](https://blog.heltar.com/5-benefits-of-using-whatsapp-business-api-clnw4qhat2343471vpme7otfzcx/). --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## 5 Benefits of Using WhatsApp Business API Author: Prashant Jangid Published: 2023-10-18 URL: https://www.heltar.com/blogs/null In today's fast-paced world, communication is the key to success for any business. With over 2 billion active users, WhatsApp has become one of the most popular messaging platforms in the world. The WhatsApp API is a powerful tool that businesses can use to take their communication game to the next level. Here are some of the benefits of using the WhatsApp API: ### Broadcast messages to unlimited users in one go One of the biggest benefits of using the WhatsApp API is the ability to send broadcast messages to an unlimited number of users in one go. This is especially useful for businesses that need to communicate important updates or announcements to a large number of people at once. With the WhatsApp API, you can send messages to your entire customer base, saving time and effort. ### Integrate your CRMs & software to automate notifications on WhatsApp Another key benefit of the WhatsApp API is the ability to integrate your CRMs and software to automate notifications on WhatsApp. For example, you can send order confirmations and delivery updates to your customers automatically, without the need for manual intervention. This not only saves time but also ensures that your customers are always up-to-date with the latest information. ### Send WhatsApp retargeting campaigns to segregated audiences With the WhatsApp API, you can send retargeting campaigns to segregated audiences. This means that you can send personalized messages to specific groups of customers based on their interests, behavior, or other factors. This is a great way to increase engagement and conversion rates, as customers are more likely to respond to messages that are relevant to their needs. ### Provide multiple human live chat on unlimited devices using the same phone number The WhatsApp API also allows businesses to provide multiple human live chat on unlimited devices using the same phone number. This means that customers can reach out to your business at any time and receive prompt, personalized responses from your team. This not only improves customer satisfaction but also helps to build trust and loyalty. ### Install WhatsApp chatbots to automate common customer queries Finally, the WhatsApp API allows businesses to install chatbots to automate common customer queries. This not only saves time but also ensures that customers receive accurate and timely responses to their queries. Chatbots can be programmed to handle a wide range of tasks, from answering simple questions to processing orders and bookings. In conclusion, the WhatsApp API is a powerful tool that can help businesses to improve their communication with customers, automate processes, and increase engagement and conversion rates. With a wide range of features and benefits, the WhatsApp API is a must-have for any business that wants to stay ahead of the competition. And the best part? You can get started with the WhatsApp API for free. So why wait? Sign up at [Heltar](http://www.heltar.com/get-started) today and start taking your communication game to the next level. --- This blog is powered by Superblog. Visit https://superblog.ai to know more. --- ## Sample Page Author: Prashant Jangid Published: 2023-10-18 URL: https://www.heltar.com/blogs/sample-page This is a page. Notice how there are no elements like author, date, social sharing icons? Yes, this is the page format. You can create a whole website using Superblog if you wish to do so! --- This blog is powered by Superblog. Visit https://superblog.ai to know more. ---