NAV
shell javascript typescript php

Instapage API

Current state of the API: BETA TESTING

What is the Instapage API?

The Instapage API allows developers to interact with the Instapage platform programmatically. By utilizing our API, you can create, update, retrieve, and delete various resources within Instapage, such as landing pages, leads, forms, and more. The API is designed to be RESTful, making it straightforward to integrate with any application or service.

Getting Started

To start using the Instapage API, you'll need to:

  1. Obtain API Credentials: Generate your API key from the Instapage dashboard.
  2. Understand API Endpoints: Familiarize yourself with the available endpoints and their functions.
  3. Make Your First Request: Learn how to authenticate and make basic API requests.

Throughout this documentation, you'll find detailed explanations, code examples, and best practices to help you effectively utilize the Instapage API.

Dictionary

Page

In Instapage, a page is a landing page made within the platform [Creating a new page][How do I publish my page to my own domain]. The page is a standalone webpage for a specific marketing campaign that aims to convert visitors into leads or customers[Lead management].

Workspace

In Instapage, a workspace is a designated area for managing landing pages for a company or project. Multiple workspaces can be created, and each workspace keeps its pages, integrations, domains, and other assets separate from other workspaces[Workspace settings and account settings].

Scheduling

Scheduling allows users to set specific dates and times to publish and unpublish landing pages. Scheduling is available for Custom Domain (CNAME) and Demo Page publishing and offers flexibility for campaign management[Scheduling].

Personalization

Personalization involves creating customized experiences for different audience segments on landing pages. This feature allows users to tailor content and design to resonate with specific visitor groups, enhancing engagement and conversion rates[Personalization creating personalized experiences for different audiences].

Leads

A lead is information submitted by a visitor through a form on a landing page. Lead generation is a crucial aspect of digital marketing, and landing pages are often a primary tool for capturing leads. If a form collects a visitor's name, email, city, and zip code, that constitutes a lead[Lead management].

Changelog

2025-03-26

Added

Pages

We introduced a new endpoint for managing pages within groups:

2025-03-25

Added

Form Submissions

We introduced a new Delete Form Submissions API to allow users to programmatically delete form submissions.

2025-03-19

Changed

Pages

2025-03-11

Added

Groups

We introduced a new Groups API to help users manage page groups (folders) within a workspace.

2025-02-27

Added

Team Members

We enhanced the Team Members API to allow better workspace management by enabling bulk invitations, role updates, and removals.

Authorization

To authorize, use this code:

Copy to Clipboard
# With shell, you can just pass the correct header with each request curl "api_endpoint_here" \ -H "Authorization: Bearer API_KEY"

Make sure to replace API_KEY with your API key.

Instapage expects for the API key to be included in all API requests to the server in a header.

Limitations

Token Scope

A personal token inherits all permissions from its creator. This means the token's access level may vary across workspaces, depending on the creator's role in each workspace. Additionally, workspace-specific API limits apply based on the owner's plan. API requests are subject to both the token’s permission level and the workspace owner's plan limitations.

Rate Limit

The API allows up to 200 requests per minute. Exceeding this limit results in a 429 Too Many Requests response.

Handling Rate Limits

Copy to Clipboard
#!/bin/bash URL="https://api.instapage.com/v1/workspaces" TOKEN="your_api_token" MAX_RETRIES=5 INITIAL_DELAY=1 # Initial delay in seconds retry_count=0 delay=$INITIAL_DELAY while [ $retry_count -lt $MAX_RETRIES ]; do response=$(curl -s -o response.txt -w "%{http_code}" -H "Authorization: Bearer $TOKEN" "$URL") if [ "$response" -ne 429 ]; then cat response.txt # Output the response if it's not a rate limit error exit 0 fi echo "Rate limit exceeded. Retrying in $delay seconds..." sleep $delay # Exponential backoff (double the delay each time) delay=$((delay * 2)) retry_count=$((retry_count + 1)) done echo "Max retries reached. Exiting." exit 1

To ensure smooth API usage, we recommend implementing strategies to handle rate limit scenarios proactively. Applications should anticipate and explicitly manage rate limits in their code.

The best approach is to throttle requests on the client side and implement retries with an exponential backoff strategy. This means gradually increasing the delay between retries based on the number of 429 Too Many Requests responses received within the last minute.

We recommend leveraging well-established third-party libraries for handling rate limits and retries, as they are tested, proven, and actively maintained. Utilizing these libraries can save time and ensure reliable implementation, so you do not need to implement these features from scratch.

For JavaScript (Node.js), you can consider using libraries like:

For PHP, you can use libraries like:

These libraries can help you simplify the implementation of rate limits and retries, allowing you to focus more on the core functionality of your application.

Workspaces

Get All Workspaces

Retrieve all workspaces that the provided token has access to.

HTTP Request

GET https://api.instapage.com/v1/workspaces

Copy to Clipboard
curl "https://api.instapage.com/v1/workspaces?page=1" \ -H "Authorization: Bearer API_KEY"

The above request returns JSON structured like this:

Copy to Clipboard
{ "data": [ { "workspaceId": 1177, "ownerId": 1319, "workspaceName": "Personal Projects", "accessLevel": "owner", "createdAt": 1262304000 }, { "workspaceId": 1801, "ownerId": 1637, "workspaceName": "Personal Projects", "accessLevel": "viewer", "createdAt": 1262304000 }, { "workspaceId": 2637, "ownerId": 2517, "workspaceName": "Personal Projects", "accessLevel": "manager", "createdAt": 1262304000 }, { "workspaceId": 1771, "ownerId": 1624, "workspaceName": "Personal Projects", "accessLevel": "editor", "createdAt": 1262304000 } ], "meta": { "pagination": { "currentPage": 1, "perPage": 100, "totalItemsCount": 4, "totalPagesCount": 1, "nextPage": null, "previousPage": null } } }

Headers

Query Parameters

Parameter Type Default Description
page number 1 Specifies which page to fetch. Used for pagination purposes.
name string null Optional name of the workspace to limit the result. Convenient if you already know how your workspace is named. (Case insensitive)

Response JSON structure

JSON Path Type Description
data[].workspaceId number Unique identifier of the workspace.
data[].ownerId number Identifier of the workspace owner.
data[].workspaceName string Name of the workspace.
data[].accessLevel string User's access level to the workspace.
data[].createdAt number Creation date of the workspace in UNIX timestamp format.
meta.pagination.currentPage number Number of the current page of results.
meta.pagination.perPage number Number of items per page.
meta.pagination.totalItemsCount number Total number of items.
meta.pagination.totalPagesCount number Total number of pages.
meta.pagination.nextPage number? Link to the next page (null if none).
meta.pagination.previousPage number? Link to the previous page (null if none).

Response status codes

Status Description
200 The request was processed successfully.
400 Bad request. Validation error — review input parameters.
401 Unauthorized. Authentication failed or missing credentials.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time.
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled.

Get Single Workspace

Retrieves details of a single workspace by its ID..

HTTP Request

GET https://api.instapage.com/v1/workspaces/{workspaceId}

Copy to Clipboard
curl -X GET "https://api.instapage.com/v1/workspaces/{workspaceId}" \ -H "Authorization: Bearer API_KEY" \ -H "Content-Type: application/json"

The above request returns JSON structured like this:

Copy to Clipboard
{ "data": { "workspaceId": 2000, "ownerId": 1319, "workspaceName": "New Workspace Name", "accessLevel": "owner", "createdAt": 1700304000 } }

Headers

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace to retrieve pages for

Response JSON structure

JSON Path Type Description
data.workspaceId number Unique identifier of the workspace.
data.ownerId number Identifier of the workspace owner.
data.workspaceName string Name of the workspace.
data.accessLevel string User's access level to the workspace.
data.createdAt number Creation date of the workspace in UNIX timestamp format.

Response status codes

Status Description
200 Request was processed successfully.
400 Bad request.
401 Unauthorized. Authentication failed or missing credentials.
404 Workspace not found.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests.
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled.

Add New Workspace

Create a new workspace for the authenticated user.

Note: Each workspace must have a unique name under the same owner.

HTTP Request

POST https://api.instapage.com/v1/workspaces

Copy to Clipboard
curl -X POST "https://api.instapage.com/v1/workspaces" \ -H "Authorization: Bearer API_KEY" \ -H "Content-Type: application/json" \ -d '{"name": "New Workspace"}'

The above request returns JSON structured like this:

Copy to Clipboard
{ "data": { "workspaceId": 2000, "ownerId": 1319, "workspaceName": "New Workspace Name", "accessLevel": "owner", "createdAt": 1700304000 } }

Headers

Request Body

Parameter Type Required Description
name string Yes The unique name of the workspace.

Response JSON structure

JSON Path Type Description
data.workspaceId number Unique identifier of the workspace.
data.ownerId number Identifier of the workspace owner.
data.workspaceName string Name of the workspace.
data.accessLevel string User's access level to the workspace.
data.createdAt number Creation date of the workspace in UNIX timestamp format.

Response status codes

Status Description
201 The workspace was created successfully.
400 Bad request. Validation error — review input parameters.
401 Unauthorized. Authentication failed or missing credentials.
409 Conflict. A workspace with the same name already exists.
422 Unprocessable Entity. Limit of workspaces has been reached.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests.
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled.

Rename Workspace

Updates the name of an existing workspace.

HTTP Request

PATCH https://api.instapage.com/v1/workspaces/{workspaceId}

Copy to Clipboard
curl -X PATCH "https://api.instapage.com/v1/workspaces/{workspaceId}" \ -H "Authorization: Bearer API_KEY" \ -H "Content-Type: application/json" \ -d '{"name": "New Workspace Name"}'

The above request returns JSON structured like this:

Copy to Clipboard
{ "data": { "workspaceId": 2000, "ownerId": 1319, "workspaceName": "New Workspace Name", "accessLevel": "owner", "createdAt": 1700304000 } }

Headers

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace to update.

Request Body

Field Type Description
name string The new name for the workspace.

Response JSON structure

JSON Path Type Description
data.workspaceId number Unique identifier of the workspace.
data.ownerId number Identifier of the workspace owner.
data.workspaceName string Updated name of the workspace.
data.accessLevel string User's access level to the workspace.
data.createdAt number Creation date of the workspace in UNIX timestamp format.

Response status codes

Status Description
200 Request was processed successfully.
400 Bad request. Invalid input provided.
401 Unauthorized. Authentication failed or missing credentials.
404 Workspace not found.
409 Conflict. The workspace name is already taken.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests.
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled.

Delete Workspace

Deletes a workspace by its ID.

HTTP Request

DELETE https://api.instapage.com/v1/workspaces/{workspaceId}

Copy to Clipboard
curl -X DELETE "https://api.instapage.com/v1/workspaces/{workspaceId}" \ -H "Authorization: Bearer API_KEY" \ -H "Content-Type: application/json"

Headers

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace to delete.

Response status codes

Status Description
200 Workspace successfully deleted.
400 Bad request.
401 Unauthorized. Authentication failed or missing credentials.
404 Workspace not found.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests.
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled.

Team Members

Get All Team Members

Retrieve all team members for a specific workspace.

HTTP Request

GET https://api.instapage.com/v1/workspaces/{workspaceId}/team-members

Copy to Clipboard
curl "https://api.instapage.com/v1/workspaces/{workspaceId}/team-members" \ -H "Authorization: Bearer TOKEN" \ -H "Content-Type: application/json"

Example of body response from request

Copy to Clipboard
{ "data": [ { "userId": 4379, "email": "example_user@airslate.com", "invitedAt": 1685608225, "fullName": "John Smith", "accessLevel": "editor", "invitationStatus": "accepted", "lastLoginAt": 1685608226, "lastActivityInWorkspaceAt": null }, { "userId": 4377, "email": "example1_user@airslate.com", "invitedAt": 1684489737, "fullName": "John Smith", "accessLevel": "manager", "invitationStatus": "accepted", "lastLoginAt": 1685970113, "lastActivityInWorkspaceAt": null }, { "userId": 4373, "email": "example1_user@airslate.com", "invitedAt": null, "fullName": "John Smith", "accessLevel": "owner", "invitationStatus": "accepted", "lastLoginAt": 1729173925, "lastActivityInWorkspaceAt": 1729520831 } ], "meta": [] }

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace to retrieve team members for

Headers

Response JSON structure

JSON Path Type Description
data[].userId number Unique identifier of the team member.
data[].email string Email address of the team member.
data[].invitedAt number? Timestamp when the team member was invited (null if owner).
data[].fullName string Full name of the team member.
data[].accessLevel string accessLevel of the team member (e.g., editor, manager, owner).
data[].invitationStatus string Status of the invitation (accepted or pending).
data[].lastLoginAt number? Timestamp of the team member's last login.
data[].lastActivityInWorkspaceAt number? Timestamp of the team member's last activity in the workspace.

Response status codes

Status Description
200 The request was processed successfully.
400 Bad request. Validation error — review input parameters.
401 Unauthorized. Authentication failed or missing credentials.
403 Forbidden. The user does not have the necessary permissions.
404 Not Found. The requested resource could not be located.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time.
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled.

InvitationStatus Enum

The InvitationStatus enum is used to represent the status of a team member's invitation.

This enum provides two possible states for a team member's invitation:

Invite Team Members

Invites multiple team members to join a workspace with specified accessLevels.

HTTP Request

POST https://api.instapage.com/v1/workspaces/{workspaceId}/team-members

Copy to Clipboard
curl -X POST \ https://api.instapage.com/v1/workspaces/{workspaceId}/team-members \ -H 'Authorization: Bearer {token}' \ -H 'Content-Type: application/json' \ -d '[ { "email": "user1@example.com", "accessLevel": "viewer" }, { "email": "user2@example.com", "accessLevel": "manager" } ]'

Headers

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace to invite members to

Request Body

The request body should be an array of objects with the following structure:

Parameter Type Description
email string Email address of the user to invite
accessLevel string accessLevel to assign to the user (viewer, viewer, or manager)

Response Status Codes

Status Description
201 Created. The team members were successfully invited.
400 Bad Request. Invalid input parameters or email format.
401 Unauthorized. Authentication failed.
403 Forbidden. User doesn't have permission to invite members or team member limit exceeded.
404 Not Found. The workspace could not be found.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time.
500 Internal Server Error. An unexpected error occurred.

Remove Team Members

Remove one or more team members from a workspace. This endpoint supports bulk removal operations.

HTTP Request

DELETE https://api.instapage.com/v1/workspaces/{workspaceId}/team-members

Copy to Clipboard
curl -X DELETE \ "https://api.instapage.com/v1/workspaces/{workspaceId}/team-members" \ -H "Authorization: Bearer TOKEN" \ -H "Content-Type: application/json" \ -d '[ { "email": "user1@example.com" }, { "email": "user2@example.com" } ]'

Example of error response:

Copy to Clipboard
{ "title": "InvalidArgumentException", "details": "Email \"owner@example.com\" can't be removed from workspace because is owner", "meta": { "requestedUserId": 4373, "requestedPageId": 9910, "requestedWorkspaceId": 7068 } }

Headers

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace to remove members from

Request Body

The request body should be an array of objects, each containing:

Parameter Type Description
email string Email address of the team member

Special Cases

Response Status Codes

Status Description
201 Created. Team members were successfully removed.
400 Bad Request. Invalid input parameters or attempting to remove workspace owner.
401 Unauthorized. Authentication failed or missing credentials.
403 Forbidden. User doesn't have necessary permissions (must be owner or manager).
404 Not Found. Workspace not found.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time.
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled.

Error Responses

The API returns error responses in the following format:

JSON Path Type Description
title string The type of error that occurred
details string A human-readable description of the error
meta.requestedUserId number ID of the user who made the request
meta.requestedWorkspaceId number ID of the workspace involved

Change Team Member Roles

Updates the roles of existing team members in a workspace. This endpoint allows bulk role updates for multiple team members simultaneously.

HTTP Request

PUT https://api.instapage.com/v1/workspaces/{workspaceId}/team-members

Copy to Clipboard
curl -X PUT \ "https://api.instapage.com/v1/workspaces/{workspaceId}/team-members" \ -H "Authorization: Bearer TOKEN" \ -H "Content-Type: application/json" \ -d '[ { "email": "user1@example.com", "targetAccessLevel": "viewer" }, { "email": "user2@example.com", "targetAccessLevel": "viewer" } ]'

Headers

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace containing the team members

Request Body

The request body should be an array of objects with the following structure:

Parameter Type Description
email string Email address of the team member to update
targetAccessLevel string New role to assign (viewer, editor, or manager)

Response Status Codes

Status Description
201 Created. The team member roles were successfully updated.
400 Bad Request. Invalid input parameters or duplicate emails in request.
401 Unauthorized. Authentication failed or missing credentials.
403 Forbidden. The user doesn't have permission to modify roles or attempting to modify the owner's role.
404 Not Found. The workspace was not found or one or more team members don't exist in the workspace.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time.
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled.

Error Responses

The API may return error responses in the following format:

JSON Path Type Description
title string The type of error that occurred
details string A human-readable description of the error
meta.requestedUserId number ID of the user who made the request
meta.requestedWorkspaceId number ID of the workspace involved

Pages

Get All Pages

Retrieve pages for a specific workspace.

HTTP Request

GET https://api.instapage.com/v1/workspaces/{workspaceId}/pages

Copy to Clipboard
curl "https://api.instapage.com/v1/workspaces/{workspaceId}/pages" \ -H "Authorization: Bearer {token}" \ -H "Content-Type: application/json"

The above request returns JSON structured like this:

Copy to Clipboard
{ "data": [ { "id": 9399, "title": "My published page", "url": "mypage.example.com", "publishStatus": "published", "publishMethod": "customDomain", "createdAt": 1692168365, "updatedAt": 1725361407, "publishedAt": 1726005213, "isDeleted": false, "pageType": "standard", "totalPersonalizedExperienceCount": 6, "isScheduled": false, "groupId": 1234 }, { "id": 9909, "title": "My unpublished page", "url": null, "publishStatus": "unpublished", "publishMethod": "customDomain", "createdAt": 1725916359, "updatedAt": 1725916362, "publishedAt": 1725921862, "isDeleted": false, "pageType": "standard", "totalPersonalizedExperienceCount": 0, "isScheduled": true, "groupId": null } ], "meta": { "pagination": { "currentPage": 1, "perPage": 100, "totalItemsCount": 2, "totalPagesCount": 1, "nextPage": null, "previousPage": null } } }

Headers

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace to retrieve pages for

Query Parameters

Parameter Type Default Description
page number 1 Specifies which page to fetch. Used for pagination purposes.
isDeleted boolean false When set to true, returns only deleted pages. When false, returns only non-deleted pages.
publishStatus string? null Filter pages by publish status. Possible values: published, unpublished, publishedHasChanges
publishMethod string? null Filter pages by publish method. Possible values: cmsPlugin, customDomain, pageDemo
publishedAfter number? null Filter pages published after the specified UNIX timestamp.
publishedBefore number? null Filter pages published before the specified UNIX timestamp.
createdAfter number? null Filter pages created after the specified UNIX timestamp.
createdBefore number? null Filter pages created before the specified UNIX timestamp.
withGroupId number? Filter pages by group
- If parameter is not set: Returns all pages
- If parameter is set to a number: Returns only pages with matching groupId
- If parameter is set to 'null': Returns only pages with null groupId

This endpoint retrieves a list of pages for the specified workspace. The response includes detailed information about each page, such as its ID, title, URL, publish status, and more. The results are paginated, and you can use the page query parameter to navigate through the pages of results.

Response JSON structure

JSON Path Type Description
data[].id number Unique identifier of the page.
data[].title string Title of the page.
data[].url string? URL of the page, null if unpublished.
data[].publishStatus string Current publish status of the page (e.g., published, unpublished).
data[].publishMethod string Method used for publishing the page (e.g., customDomain).
data[].createdAt number Creation timestamp of the page (UNIX format).
data[].updatedAt number Last update timestamp of the page (UNIX format).
data[].publishedAt number? Timestamp of when the page was published (UNIX format), null if unpublished.
data[].isDeleted boolean Indicates whether the page has been deleted.
data[].pageType string Type of the page (e.g., standard).
data[].totalPersonalizedExperienceCount number Total count of personalized experiences for the page.
data[].isScheduled boolean Indicates whether the page is scheduled for publication.
data[].groupId number? Id of Group
meta.pagination.currentPage number Number of the current page of results.
meta.pagination.perPage number Number of items per page.
meta.pagination.totalItemsCount number Total number of items.
meta.pagination.totalPagesCount number Total number of pages.
meta.pagination.nextPage number? Number of the next page, or null if there is no next page.
meta.pagination.previousPage number? Number of the previous page, or null if there is no previous page.

Response status codes

Status Description
200 The request was processed successfully.
400 Bad request. Validation error — review input parameters.
401 Unauthorized. Authentication failed or missing credentials.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time.
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled.

Get Page

Retrieve detailed information about a specific page within a workspace.

HTTP Request

GET https://api.instapage.com/v1/workspaces/{workspaceId}/pages/{pageId}

Copy to Clipboard
curl "https://api.instapage.com/v1/workspaces/$workspaceId/pages/$pageId" \ -H "Authorization: Bearer $API_KEY" \ -H "Content-Type: application/json"

The above request returns JSON structured like this:

Copy to Clipboard
{ "data": { "id": 9371, "title": "My Landing Page", "url": "landing.example.com", "publishStatus": "published", "publishMethod": "customDomain", "createdAt": 1692168365, "updatedAt": 1725361407, "publishedAt": 1726005213, "isDeleted": false, "pageType": "standard", "totalPersonalizedExperienceCount": 3, "isScheduled": false, "groupId": 123 }, "meta": {} }

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace containing the page
pageId number The ID of the page to retrieve

Headers

Response JSON Structure

JSON Path Type Description
data.id number Unique identifier of the page
data.title string Title of the page
data.url string? URL where the page is published (null if unpublished)
data.publishStatus string Current publish status (published, unpublished, publishedHasChanges)
data.publishMethod string? Method used for publishing (cmsPlugin, customDomain, pageDemo)
data.createdAt number Creation timestamp (UNIX format)
data.updatedAt number Last update timestamp (UNIX format)
data.publishedAt number? Publication timestamp (UNIX format), null if unpublished
data.isDeleted boolean Indicates if the page has been deleted
data.pageType string Type of page (amp, standard, collectionTemplate, wordpress, drupal)
data.totalPersonalizedExperienceCount number Number of personalized experiences for this page
data.isScheduled boolean Indicates if the page has scheduled publishing
data.groupId number? Id of group

Response Status Codes

Status Description
200 The request was processed successfully
400 Bad request. Invalid page ID or workspace ID
401 Unauthorized. Authentication failed or missing credentials
404 Not Found. The page or workspace could not be found or the page does not belong to workspace
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time.
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled

Publish a Page

Publishes a page with the specified publication method and target URL.

HTTP Request

POST https://api.instapage.com/v1/workspaces/{workspaceId}/pages/{pageId}/publication

Copy to Clipboard
curl -X POST \ https://api.instapage.com/v1/workspaces/{workspaceId}/pages/{pageId}/publication \ -H 'Authorization: Bearer {token}' \ -H 'Content-Type: application/json' \ -d '{ "targetUrl": {targetUrl}, "publicationMethod": {publicationMethod} }'
Copy to Clipboard
> Example of body error from request { "title": "InvalidDomainException", "details": "The provided domain is not valid", "meta": { "requestedUserId": 4373, "requestedPageId": 9910, "requestedWorkspaceId": 7068, "requestedPublishMethod": "customDomain" } }

Headers

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace
pageId number The ID of the page to publish

Request Body

Parameter Type Description
targetUrl string? The URL where the page will be published, if is wordpress or drupal should be null
publicationMethod string The method of publication. Can be wordpress, drupal, customDomain, or freeDomain

Responses

Status Description
202 Accepted. The request has been accepted for processing.
400 Bad Request. Invalid input parameters or publication method not permitted.
401 Unauthorized. Authentication failed (implied by AuthMiddleware).
403 Forbidden. Published pages limit exceeded or user doesn't have necessary permissions.
404 Not Found. The specified page was not found.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time.
500 Internal Server Error. An unexpected error occurred or publish setup not found.
503 Service Unavailable. Entity-related exception occurred.

Unpublish a Page

Unpublishes a previously published page.

HTTP Request

DELETE https://api.instapage.com/v1/workspaces/{workspaceId}/pages/{pageId}/publication

Copy to Clipboard
curl -X DELETE \ https://api.instapage.com/v1/workspaces/{workspaceId}/pages/{pageId}/publication \ -H 'Authorization: Bearer {token}' \ -H 'Content-Type: application/json'

Example of body error from request

Copy to Clipboard
{ "title": "PageIsNotPublishedException", "details": "The page \"9910\" is not published", "meta": { "requestedUserId": 4373, "requestedPageId": 9910, "requestedWorkspaceId": 7068 } }

Headers

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace
pageId number The ID of the page to unpublish

Responses

Status Description
201 Created. The page was successfully unpublished.
400 Bad Request. The page is not published.
401 Unauthorized. Authentication failed.
403 Forbidden. The user doesn't have the necessary permissions.
404 Not Found. The specified page was not found.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time.
500 Internal Server Error. An unexpected error occurred.

Search Pages Globally

Search for pages across all accessible workspaces by ID, title, or URL.

HTTP Request

GET https://api.instapage.com/v1/pages/search

Copy to Clipboard
curl "https://api.instapage.com/v1/pages/search?page=1&id=9371&title=my%20page" \ -H "Authorization: Bearer TOKEN" \ -H "Content-Type: application/json"

The above request returns JSON structured like this:

Copy to Clipboard
{ "data": [ { "id": 9371, "workspaceId": 7068, "title": "My Landing Page", "url": "landing.example.com" }, { "id": 9372, "workspaceId": 7068, "title": "Product Launch Page", "url": null } ], "meta": { "requestedPageId": null, "requestedPageTitle": "page", "requestedPageUrl": null, "pagination": { "currentPage": 1, "perPage": 100, "totalItemsCount": 2, "totalPagesCount": 1, "nextPage": null, "previousPage": null } } }

Query Parameters

Parameter Type Default Description
page number 1 Page number for pagination.
id number null Filter results by page ID.
title string null Filter results by page title (case-insensitive).
url string null Filter results by published URL.

Response JSON structure

JSON Path Type Description
data[].id number Unique identifier of the page.
data[].workspaceId number ID of the workspace containing the page.
data[].title string Title of the page.
data[].url string? Published URL of the page (null if unpublished).
meta.requestedPageId number? The page ID used in the search request.
meta.requestedPageTitle string? The page title used in the search request.
meta.requestedPageUrl string? The URL used in the search request.
meta.pagination.currentPage number Current page number.
meta.pagination.perPage number Number of results per page.
meta.pagination.totalItemsCount number Total number of results found.
meta.pagination.totalPagesCount number Total number of pages available.
meta.pagination.nextPage number? Next page number, null if no more pages.
meta.pagination.previousPage number? Previous page number, null if on first page.

Response status codes

Status Description
200 The request was processed successfully.
400 Bad request. Invalid parameters provided.
401 Unauthorized. Authentication failed or missing credentials.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time.
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled.

Update Page

Update a page's properties such as its group assignment.

HTTP Request

PATCH https://api.instapage.com/v1/workspaces/{workspaceId}/pages/{pageId}

Copy to Clipboard
curl -X PATCH \ "https://api.instapage.com/v1/workspaces/{workspaceId}/pages/{pageId}" \ -H "Authorization: Bearer TOKEN" \ -H "Content-Type: application/json" \ -d '{ "groupId": 7340 }'

Example error response:

Copy to Clipboard
{ "title": "UpdateGroupException", "details": "The Page is already in that Group", "meta": { "pageId": 9399, "workspaceId": 7068, "userId": 4373, "groupId": 7340 } }

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace containing the page
pageId number The ID of the page to update

Headers

Request Body

Parameter Type Description
groupId number? The ID of the group to move the page to, or null to remove from all groups

Response Status Codes

Status Description
201 Created. The page was successfully updated.
400 Bad Request. Invalid input parameters or the page is already in the specified group.
401 Unauthorized. Authentication failed or missing credentials.
403 Forbidden. The user doesn't have necessary permissions to update the page.
404 Not Found. The specified page, workspace, or group could not be found.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time.
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled.

Personalizations

Get All Personalizations

Retrieve all personalizations for a specific page.

HTTP Request

GET https://api.instapage.com/v1/workspaces/{workspaceId}/pages/{pageId}/personalizations

Copy to Clipboard
curl "https://api.instapage.com/v1/workspaces/{workspaceId}/pages/{pageId}/personalizations" \ -H "Authorization: Bearer TOKEN" \ -H "Content-Type: application/json"

Example of body response from request

Copy to Clipboard
{ "data": [ { "pageId": 9402, "personalizationId": "108b2b17-478d-4f8f-9059-003d44a89b39", "title": "example page", "publishStatus": "published", "createdAt": 1696332561, "url": "ip.example.com?108b2b17=003d44a89b39&id-param=example-page", "publishMethod": "customDomain", "isDefaultPersonalization": false, "isScheduled": false }, { "pageId": 9399, "personalizationId": "18d22df0-7198-48ab-8301-9c110f71d667", "title": "default example page", "publishStatus": "published", "createdAt": 1692168365, "url": "ip.example.com", "publishMethod": "customDomain", "isDefaultPersonalization": true, "isScheduled": false } ], "meta": { "pagination": { "currentPage": 1, "perPage": 100, "totalItemsCount": 2, "totalPagesCount": 1, "nextPage": null, "previousPage": null } } }

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace
pageId number The ID of the page to retrieve personalizations for

Headers

Response JSON structure

JSON Path Type Description
data[].pageId number Unique identifier of the page.
data[].personalizationId string Unique identifier for the personalization experience.
data[].title string Title of the page.
data[].publishStatus string Current publish status of the page (e.g., published).
data[].createdAt number Creation timestamp of the page (UNIX format).
data[].url string URL where the page is published.
data[].publishMethod string Method used for publishing the page (e.g., customDomain).
data[].isDefaultPersonalization boolean Indicates whether this is the default personalization experience.
data[].isScheduled boolean Indicates whether the page is scheduled for publication.
meta.pagination.currentPage number Number of the current page of results.
meta.pagination.perPage number Number of items per page.
meta.pagination.totalItemsCount number Total number of items.
meta.pagination.totalPagesCount number Total number of pages.
meta.pagination.nextPage number? Number of the next page, or null if there is no next page.
meta.pagination.previousPage number? Number of the previous page, or null if there is no previous page.

This endpoint retrieves all personalizations for the specified page. The response includes detailed information about each personalization, such as its ID, title, publish status, and URL. The results are paginated, and you can use the pagination metadata to navigate through the pages of results if necessary.

Response status codes

Status Description
200 The request was processed successfully.
400 Bad request. Validation error — review input parameters.
401 Unauthorized. Authentication failed or missing credentials.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time.
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled.

Analytics

Get statistical data

Retrieve statistical data related to pages and experiences in a bulk.

HTTP Request

POST https://api.instapage.com/v1/workspaces/:workspaceId/analytics

Copy to Clipboard
curl "https://api.instapage.com/v1/workspaces/$workspaceId/analytics" \ -H "Authorization: Bearer $API_KEY" -H 'cache-control: no-cache' \ -H 'content-type: application/json' \ --data '{ "visited": 0, "pages": [ 20476657, 10716956, 10842011 ], "timeframe": { "start": 0, "end": 1726150655561 }, "grouping": ["pageId"], "interval": "yearly" }'

The above request returns JSON structured like this:

Copy to Clipboard
{ "data": [ { "key": { "pageId": 10842011, "date": 1727275000 }, "visit": 42, "conversion": 5, "leads": 5 }, { "key": { "pageId": 10716956, "date": 1727276000 }, "visit": 1, "conversion": 1, "leads": 1 }, { "key": { "pageId": 10716956, "date": 1727277000 }, "visit": 1, "conversion": 0, "leads": 0 }, { "key": { "pageId": 10842011, "date": 1727278000 }, "visit": 181, "conversion": 0, "leads": 0 } ] }

The key depends on grouping used and will behave differently for different grouping requests.

Path Parameters

Parameter Type Description
workspaceId number Specifies which workspace to use.

Headers

Body Parameters

Content-type should be of type application/json.

JSON Path Type Default Description
pages number[] null Specifies the pages for which the API should return statistical data. Note: You can provide up to 100 page IDs at once.
interval string monthly Specifies the time interval for aggregating data. Options include daily, hourly, monthly, or yearly.
device string any Determines the device type filter. Can be set to any, desktop, or mobile visits.
timeframe.start number 0 Defines the starting timestamp (in seconds) for fetching data.
timeframe.end number 'current time' Defines the ending timestamp (in seconds) for the data retrieval period.
traffic string blended Specifies the type of traffic to include: blended, organic, or paid.
grouping string[] [] Defines additional grouping for the data. Options include pageId and variationId.
visited number null Filters data based on unique actions. A value of 1 includes only returning visitors; a value of 0 includes only unique actions.

Response JSON structure

JSON Path Type Description
data[].key Object Object containing unique identifiers. Structure varies based on the request.
data[].key.pageId number (optional) Page ID, part of the key, optional - reflects grouping of request.
data[].key.date number (optional) Date in UNIX timestamp (seconds), part of the key, optional - reflects grouping of request.
data[].key.variationId number (optional) Variation ID, part of the key, optional - reflects grouping of request.
data[].visit number Total number of visits associated with the key.
data[].conversion number Total number of conversions associated with the key.
data[].leads number Total number of leads associated with the key.

Response status codes

Status Description
200 The request was processed successfully.
400 Bad request. Validation error — review input parameters.
401 Unauthorized. Authentication failed or missing credentials.
403 Forbidden. The user does not have the necessary permissions.
404 Not Found. The requested resource could not be located.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time.
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled.

Form Submissions

Form submissions refer to the data collected when a user successfully fills out and submits a form on your landing page.

Retrieve Form Submissions

Fetch form submission data from specified pages, with optional filtering by time range.

HTTP Request

POST https://api.instapage.com/v1/workspaces/{workspaceId}/submissions

Copy to Clipboard
curl "https://api.instapage.com/v1/workspaces/7068/submissions" \ -H "Authorization: Bearer API_KEY" \ -H "Content-Type: application/json" \ --data '{"pages": [9371, 9370], "timeframe": { "start": 1717259412, "end": 1727251907 } }'

The above request returns JSON structured like this:

Copy to Clipboard
{ "meta": { "limit": 100, "nextPageToken": "6672e0f595fd7364f4c8973f" }, "data": { "submissions": [ { "id": "66797c440bf4f63b67fd1054", "pageId": 9371, "variationName": "A", "variationCustomName": "A", "createdAt": 1727261810, "fields": { "form-field-1": "value-of-form", } }, { "id": "66797c3e0bf4f63b67fd1053", "pageId": 9371, "variationName": "A", "variationCustomName": "A", "createdAt": 1727261811, "fields": { "Email": "email@example.com", } }, { "id": "66795e1323047c1af4cca224", "pageId": 9370, "variationName": "A", "variationCustomName": "A", "createdAt": 0, "fields": { "Name": "xdxd", } }, { "id": "6672e0f595fd7364f4c8973f", "pageId": 9370, "variationName": "A", "variationCustomName": "A", "createdAt": 1727261813, "fields": { "Email": "customer1@example.com", } } ] } }

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace to retrieve submissions for

Headers

Body Parameters

JSON Path Type Default Description
pages number[] [] A list of page IDs to filter form submissions. Note: You can provide up to 100 page IDs at once.
timeframe.start number null Defines the start of the time range for filtering leads, specified in seconds.
timeframe.end number null Defines the end of the time range for filtering leads, specified in seconds.
nextPageToken string null Token for pagination; retrieves the next set of form submissions when provided.

Response JSON structure

JSON Path Type Description
data[].id string Unique identifier for the submission.
data[].pageId number ID of the page related to the submission.
data[].variationName string Name of the variation used for the submission.
data[].variationCustomName string Custom name of the variation used for the submission.
data[].createdAt number Timestamp (in UNIX seconds) of when the submission was created.
data[].fields Object Key-value pairs representing submission fields.
meta.nextPageToken string? Token for fetching the next page of submissions, or null if there is no next page.
meta.limit number Maximum number of submissions returned per page.

This endpoint allows retrieval of form submissions from multiple pages in a single request. The data limit is capped at 100 submissions per page. To retrieve additional pages, use the nextPageToken.

When the number of retrieved submissions is less than the limit, an empty array is returned, or nextPageToken is null, it indicates that no further submissions are available from the endpoint.

Response status codes

Status Description
200 The request was processed successfully.
400 Bad request. Some filter parameters are most likely not valid.
401 Unauthorized. Authentication failed or missing credentials.
403 Forbidden. The user does not have the necessary permissions.
404 Not Found. The requested resource could not be located.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time.
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled.

Delete Form Submission

Permanently delete form submissions from specified pages. This action is irreversible, so use it with caution.

HTTP Request

DELETE https://api.instapage.com/v1/workspaces/{workspaceId}/submissions

Copy to Clipboard
curl -X DELETE "https://api.instapage.com/v1/workspaces/7068/submissions" \ -H "Authorization: Bearer API_KEY" \ -H "Content-Type: application/json" \ --data '{"submissions": ["submission_id_1", "submission_id_2"]}'

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace to retrieve submissions for

Headers

Body Parameters

JSON Path Type Default Description
submissions string[] [] An array of submission IDs to delete. Note: You can provide between 1 and 100 submission IDs per request.

Response status codes

Status Description
204 The submissions were deleted successfully.
400 Bad request. The input is invalid (e.g., empty or more than 100 submission IDs).
401 Unauthorized. Authentication failed or missing credentials.
403 Forbidden. The user does not have the necessary permissions.
404 Not Found. The requested resource could not be located.
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time.
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled.

Experiments

Get All Experiments

Retrieve all experiments for a specific workspace with optional filtering by status.

HTTP Request

GET https://api.instapage.com/v1/workspaces/{workspaceId}/experiments

Copy to Clipboard
curl "https://api.instapage.com/v1/workspaces/$workspaceId/experiments?status[]=DRAFT&status[]=ENDED&page=1" \ -H "Authorization: Bearer $API_KEY" \ -H "Content-Type: application/json"

The above request returns JSON structured like this:

Copy to Clipboard
{ "data": [ { "experimentId": 8, "experimentName": "example-experiment-ab", "pageId": 9399, "publishedPageUrl": "example-page-ab.pagedemo.co", "experimentType": "Manual", "experimentStatus": "ENDED", "createdAt": 1695820734, "createdBy": 1234, "startedAt": 1696346707, "endedAt": 1728330460 }, { "experimentId": 11, "experimentName": "example-experiment-ai", "pageId": 9389, "publishedPageUrl": "example-page-ai.pagedemo.co", "experimentType": "AI", "experimentStatus": "DRAFT", "createdAt": 1695827954, "createdBy": 1234, "startedAt": null, "endedAt": null } ], "meta": { "pagination": { "currentPage": 1, "perPage": 100, "totalItemsCount": 2, "totalPagesCount": 1, "nextPage": null, "previousPage": null } } }

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace to retrieve experiments for

Query Parameters

Parameter Type Default Description
status[] string[] [] Filter experiments by status. Can include multiple values: DRAFT, RUNNING, ENDED, or ARCHIVED
page number 1 Page number for pagination

Headers

Response JSON Structure

JSON Path Type Description
data[].experimentId number Unique identifier for the experiment
data[].experimentName string Name of the experiment
data[].pageId number ID of the page associated with the experiment
data[].publishedPageUrl string URL where the experiment page is published
data[].experimentType string Type of experiment: Manual or AI
data[].experimentStatus string Current status: DRAFT, RUNNING, ENDED, or ARCHIVED
data[].createdAt number Creation timestamp (UNIX format)
data[].createdBy number user ID of the experiment creator
data[].startedAt number? Start timestamp (UNIX format), null if not started
data[].endedAt number? End timestamp (UNIX format), null if not ended
meta.pagination.currentPage number Current page number
meta.pagination.perPage number Number of items per page
meta.pagination.totalItemsCount number Total number of items
meta.pagination.totalPagesCount number Total number of pages
meta.pagination.nextPage number? Next page number, null if no next page
meta.pagination.previousPage number? Previous page number, null if no previous page

Response Status Codes

Status Description
200 The request was processed successfully
400 Bad request - Invalid status value or pagination parameters
401 Unauthorized - Authentication failed or missing credentials
404 Not Found - The requested workspace was not found
429 Too Many Requests - The server is rejecting requests due to excessive rate of requests
500 Internal Server Error - An unexpected condition prevented the request from being fulfilled

Groups

Get All Groups

Retrieve all groups (folders) for a specific workspace.

HTTP Request

GET https://api.instapage.com/v1/workspaces/{workspaceId}/groups

Copy to Clipboard
curl "https://api.instapage.com/v1/workspaces/{workspaceId}/groups" \ -H "Authorization: Bearer TOKEN" \ -H "Content-Type: application/json"

The above request returns JSON structured like this:

Copy to Clipboard
{ "data": [ { "id": 7356, "name": "Medusa Dragon", "pages": [] }, { "id": 7355, "name": "Speedball", "pages": [] }, { "id": 7340, "name": "testg", "pages": [ 9399 ] } ], "meta": { "workspaceId": 7068, "pagination": { "currentPage": 1, "perPage": 100, "totalItemsCount": 16, "totalPagesCount": 1, "nextPage": null, "previousPage": null } } }

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace to retrieve groups for

Headers

Query Parameters

Parameter Type Default Description
page number 1 Page number for pagination

Response JSON structure

JSON Path Type Description
data[].id number Unique identifier of the group
data[].name string Name of the group
data[].pages number[] Array of page IDs that belong to the group
meta.workspaceId number ID of the workspace the groups belong to
meta.pagination.currentPage number Current page number
meta.pagination.perPage number Number of items per page
meta.pagination.totalItemsCount number Total number of groups available
meta.pagination.totalPagesCount number Total number of pages
meta.pagination.nextPage number? Next page number (null if there is no next page)
meta.pagination.previousPage number? Previous page number (null if on first page)

Response status codes

Status Description
200 The request was processed successfully
400 Bad request. Validation error — review input parameters
401 Unauthorized. Authentication failed or missing credentials
403 Forbidden. The user does not have the necessary permissions
404 Not Found. The requested workspace could not be located
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled

Create Group

Create a new group (folder) in a workspace.

HTTP Request

POST https://api.instapage.com/v1/workspaces/{workspaceId}/groups

Copy to Clipboard
curl -X POST "https://api.instapage.com/v1/workspaces/{workspaceId}/groups" \ -H "Authorization: Bearer TOKEN" \ -H "Content-Type: application/json" \ -d '{"name": "New Group"}'

The above request returns JSON structured like this:

Copy to Clipboard
{ "data": { "id": 7357, "name": "New Group", "pages": [] }, "meta": { "workspaceId": 7068 } }

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace to create the group in

Headers

Request Body

Parameter Type Required Description
name string Yes The name of the new group

Response JSON structure

JSON Path Type Description
data.id number Unique identifier of the created group
data.name string Name of the group
data.pages number[] Array of page IDs (empty for new groups)
meta.workspaceId number ID of the workspace the group belongs to

Response status codes

Status Description
201 The request was processed successfully
400 Bad request. Invalid name or other parameter
401 Unauthorized. Authentication failed or missing credentials
403 Forbidden. The user does not have the necessary permissions
404 Not Found. The requested workspace could not be located
409 Conflict. A group with the same name already exists
413 Payload Too Large. Group name exceeds character limit
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled

Update Group

Update an existing group (folder) in a workspace.

HTTP Request

PUT https://api.instapage.com/v1/workspaces/{workspaceId}/groups/{groupId}

Copy to Clipboard
curl -X PUT "https://api.instapage.com/v1/workspaces/{workspaceId}/groups/{groupId}" \ -H "Authorization: Bearer TOKEN" \ -H "Content-Type: application/json" \ -d '{"name": "Updated Group Name"}'

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace containing the group
groupId number The ID of the group to update

Headers

Request Body

Parameter Type Required Description
name string Yes New name for the group

Response status codes

Status Description
200 The request was processed successfully
400 Bad request. Invalid name or other parameter
401 Unauthorized. Authentication failed or missing credentials
403 Forbidden. The user does not have the necessary permissions
404 Not Found. The group or workspace could not be located
409 Conflict. A group with the same name already exists
413 Payload Too Large. Group name exceeds character limit
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled

Delete Group

Delete a group (folder) from a workspace.

HTTP Request

DELETE https://api.instapage.com/v1/workspaces/{workspaceId}/groups/{groupId}

Copy to Clipboard
curl -X DELETE "https://api.instapage.com/v1/workspaces/{workspaceId}/groups/{groupId}" \ -H "Authorization: Bearer TOKEN" \ -H "Content-Type: application/json"

Path Parameters

Parameter Type Description
workspaceId number The ID of the workspace containing the group
groupId number The ID of the group to delete

Headers

Response status codes

Status Description
200 The request was processed successfully and the group was deleted
400 Bad request. Group contains pages and cannot be deleted
401 Unauthorized. Authentication failed or missing credentials
403 Forbidden. The user does not have the necessary permissions
404 Not Found. The group or workspace could not be located
429 Too Many Requests. The server is rejecting requests due to excessive rate of requests. Please slow down and retry after some time
500 Internal Server Error. An unexpected condition prevented the request from being fulfilled

Instapage API Examples

This document provides examples of how to interact with the Instapage API using different programming languages. Each example demonstrates how to fetch workspaces, pages, form submissions, and analytics data from Instapage.

Table of Contents

  1. Node.js TypeScript Example
  2. Node.js JavaScript Example
  3. PHP Example

Node.js TypeScript Example

Copy to Clipboard
node -v # Should be v22.9.0 npm -v # Should be 10.8.3 node --experimental-strip-types example.ts # Replace example.ts with your file name

Code Overview

This example uses TypeScript with Node.js version 22.9.0. It demonstrates how to:

  1. Authenticate with the Instapage API
  2. Fetch all workspaces
  3. For each workspace, fetch all pages
  4. Get form submissions for each page
  5. Get analytics data for each page
  6. Export the collected data to CSV files

Key Components

Endpoints Used

  1. /workspaces: GET request to fetch all workspaces
  2. /workspaces/{workspaceId}/pages: GET request to fetch all pages in a workspace
  3. /workspaces/{workspaceId}/submissions: POST request to fetch form submissions
  4. /workspaces/{workspaceId}/analytics: POST request to fetch analytics data

Results

The script generates two CSV files: 1. leads.csv: Contains form submission data 2. analytics.csv: Contains analytics data for each page

Node.js JavaScript Example

Copy to Clipboard
node -v # Should be v22.9.0 npm -v # Should be 10.8.3 node example.js # Replace example.js with your file name

This example is similar to the TypeScript version but uses plain JavaScript. The functionality and endpoints used are the same.

PHP Example

Copy to Clipboard
php -v # Should be PHP 7.4.33 (cli) php example.php # Replace example.php with your file name

Code Overview

This example uses PHP 7.4.33 and demonstrates the same functionality as the Node.js examples.

Key Differences

Conclusion

These examples demonstrate how to interact with the Instapage API to collect workspace, page, form submission, and analytics data. The process is similar across all three implementations (TypeScript, JavaScript, and PHP), with the main differences being in language-specific syntax and HTTP request handling.

Remember to replace the empty token string with your actual Instapage API token before running any of these scripts. Also, ensure you have the necessary permissions to access the data you're requesting through the API.