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.
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:
PATCHhttps://api.instapage.com/v1/workspaces/{workspaceId}/pages/{pageId} - Update a page's properties, allowing users to move pages between groups or remove them from groups.
2025-03-25
Added
Form Submissions
We introduced a new Delete Form Submissions API to allow users to programmatically delete form submissions.
DELETEhttps://api.instapage.com/v1/workspaces/{workspaceId}/submissions - Delete up to 100 form submissions in a single request. Deletion is irreversible, so use it with caution.
2025-03-19
Changed
Pages
GEThttps://api.instapage.com/v1/workspaces/{workspaceId}/pages - Added new property groupId to response
GEThttps://api.instapage.com/v1/workspaces/{workspaceId}/pages - Added new filtering with query parameter withGroupId
GEThttps://api.instapage.com/v1/workspaces/{workspaceId}/pages/{pageId} - Added new property groupId to response
2025-03-11
Added
Groups
We introduced a new Groups API to help users manage page groups (folders) within a workspace.
GEThttps://api.instapage.com/v1/workspaces/{workspaceId}/groups - Retrieve all groups (folders) for a specific workspace.
POSThttps://api.instapage.com/v1/workspaces/{workspaceId}/groups - Create a new group (folder) in a workspace.
PUThttps://api.instapage.com/v1/workspaces/{workspaceId}/groups/{groupId} - Update an existing group name (folder) in a workspace.
DELETEhttps://api.instapage.com/v1/workspaces/{workspaceId}/groups/{groupId} - Delete an empty group (folder) from 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.
POSThttps://api.instapage.com/v1/workspaces/{workspaceId}/team-members - Invites multiple team members to join a workspace with specified accessLevels.
PUThttps://api.instapage.com/v1/workspaces/{workspaceId}/team-members - Updates the roles of existing team members in a workspace. This endpoint allows bulk role updates for multiple team members simultaneously.
DELETEhttps://api.instapage.com/v1/workspaces/{workspaceId}/team-members - Remove one or more team members from a workspace. This endpoint supports bulk removal operations.
Authorization
To authorize, use this code:
# With shell, you can just pass the correct header with each request
curl "api_endpoint_here"\-H"Authorization: Bearer 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.
Tokens cannot exceed the permissions granted to their creator.
If the creator's permissions change (e.g., role update, removal), the token’s access level is updated automatically.
Expired or revoked tokens will return a 401 Unauthorized response.
Rate Limit
The API allows up to 200 requests per minute. Exceeding this limit results in a 429 Too Many Requests response.
The rate limit is enforced per token and per IP address.
High-frequency requests may be throttled before reaching the limit.
Handling Rate Limits
#!/bin/bashURL="https://api.instapage.com/v1/workspaces"TOKEN="your_api_token"MAX_RETRIES=5
INITIAL_DELAY=1 # Initial delay in secondsretry_count=0
delay=$INITIAL_DELAYwhile[$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 errorexit 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
classRateLimiter{constructor(maxRequests,intervalMs){this.maxRequests=maxRequests;this.intervalMs=intervalMs;this.requestTimestamps=[];}asyncschedule(){constnow=Date.now();this.requestTimestamps=this.requestTimestamps.filter(ts=>ts>now-this.intervalMs);if(this.requestTimestamps.length>=this.maxRequests){constwaitTime=this.requestTimestamps[0]+this.intervalMs-now;console.warn(`Rate limit approaching. Waiting ${waitTime}ms before next request.`);awaitnewPromise(resolve=>setTimeout(resolve,waitTime));}this.requestTimestamps.push(Date.now());}}functionwrapFunctionWithRateLimit(fn,rateLimiter){returnasyncfunction(...args){awaitrateLimiter.schedule();returnfn(...args);};}functionwrapFunctionWithRetries(fn,retries=5,initialDelay=1000){returnasyncfunction(...args){letattempt=0;letdelay=initialDelay;while(attempt<=retries){constresponse=awaitfn(...args);// Call the wrapped functionif(response.status===429){constbackoff=delay*(2**attempt);// Exponential backoffconsole.warn(`Rate limit exceeded. Retrying in ${backoff/1000} seconds...`);awaitnewPromise(resolve=>setTimeout(resolve,backoff));attempt++;}else{returnresponse;// Return the full response if it's not a 429}}thrownewError("Max retries reached. Request failed.");};}asyncfunctionfetchWorkspaces(page,apiKey){consturl=`https://api.instapage.com/v1/workspaces?page=${page}`;constresponse=awaitfetch(url,{headers:{'Authorization':`Bearer ${apiKey}`},});if(!response.ok){thrownewError(`Failed to fetch workspaces: ${response.statusText}`);}returnresponse;// Return the whole response object}// Usage example// Create rate limiter instance (200 requests per minute)constrateLimiter=newRateLimiter(200,60000);// Wrap the function with both rate limiting and retry logicconstfetchWorkspacesGracefully=wrapFunctionWithRateLimit(wrapFunctionWithRetries(fetchWorkspaces,5,1000),rateLimiter);fetchWorkspacesGracefully(1,'API_KEY');
typeWorkspace={workspaceId:number;ownerId:number;workspaceName:string;accessLevel:'owner'|'editor'|'manager'|'viewer';createdAt:number;};typeMeta={page:number;};typeWorkspacesResponse={data:Workspace[];meta:Meta;};classRateLimiter{privatemaxRequests:number;privateintervalMs:number;privaterequestTimestamps:number[];constructor(maxRequests:number,intervalMs:number){this.maxRequests=maxRequests;this.intervalMs=intervalMs;this.requestTimestamps=[];}asyncschedule():Promise<void>{constnow=Date.now();this.requestTimestamps=this.requestTimestamps.filter(ts=>ts>now-this.intervalMs);if(this.requestTimestamps.length>=this.maxRequests){constwaitTime=this.requestTimestamps[0]+this.intervalMs-now;console.warn(`Rate limit approaching. Waiting ${waitTime}ms before next request.`);awaitnewPromise(resolve=>setTimeout(resolve,waitTime));}this.requestTimestamps.push(Date.now());}}functionwrapFunctionWithRateLimit<TextendsFunction>(fn:T,rateLimiter:RateLimiter):T{returnasyncfunction(...args:any[]){awaitrateLimiter.schedule();returnfn(...args);}asT;}functionwrapFunctionWithRetries<TextendsFunction>(fn:T,retries=5,initialDelay=1000):T{returnasyncfunction(...args:any[]){letattempt=0;letdelay=initialDelay;while(attempt<=retries){constresponse=awaitfn(...args);if(response.status===429){constbackoff=delay*(2**attempt);console.warn(`Rate limit exceeded. Retrying in ${backoff/1000} seconds...`);awaitnewPromise(resolve=>setTimeout(resolve,backoff));attempt++;}else{returnresponse;// Return the full response if it's not a 429}}thrownewError("Max retries reached. Request failed.");}asT;}asyncfunctionfetchWorkspaces(page:number,apiKey:string):Promise<WorkspacesResponse>{consturl=`https://api.instapage.com/v1/workspaces?page=${page}`;constresponse=awaitfetch(url,{headers:{'Authorization':`Bearer ${apiKey}`},});if(!response.ok){thrownewError(`Failed to fetch workspaces: ${response.statusText}`);}constdata:WorkspacesResponse=awaitresponse.json();returndata;}// Usage example// Create a rate limiter instance (200 requests per minute)constrateLimiter=newRateLimiter(200,60000);// Wrap the function with both rate limiting and retry logicconstfetchWorkspacesGracefully=wrapFunctionWithRateLimit(wrapFunctionWithRetries(fetchWorkspaces,5,1000),rateLimiter);fetchWorkspacesGracefully(1,'API_KEY').then(data=>{console.log('Fetched workspaces:',data);}).catch(error=>{console.error('Error fetching workspaces:',error);});
<?phpdeclare(strict_types=1);namespaceInstapageWorkspacesFetcher;enumAccessLevel:string{caseOwner='owner';caseEditor='editor';caseManager='manager';caseViewer='viewer';}readonlyclassWorkspace{publicfunction__construct(publicint$workspaceId,publicint$ownerId,publicstring$workspaceName,publicAccessLevel$accessLevel,publicint$createdAt){}publicfunctiontoArray():array{return['workspaceId'=>$this->workspaceId,'ownerId'=>$this->ownerId,'workspaceName'=>$this->workspaceName,'accessLevel'=>$this->accessLevel->value,'createdAt'=>$this->createdAt];}publicstaticfunctionfromArray(array$data):self{returnnewself($data['workspaceId'],$data['ownerId'],$data['workspaceName'],AccessLevel::from($data['accessLevel']),$data['createdAt']);}}readonlyclassMeta{publicfunction__construct(publicint$page){}publicfunctiontoArray():array{return['page'=>$this->page];}publicstaticfunctionfromArray(array$data):self{returnnewself($data['page']);}}classWorkspacesResponse{/**
* @param Workspace[] $data
*/publicfunction__construct(privatearray$data,privateMeta$meta){}/**
* @return Workspace[]
*/publicfunctiongetData():array{return$this->data;}publicfunctiongetMeta():Meta{return$this->meta;}}classRateLimiter{privateint$maxRequests;privateint$intervalMs;privatearray$requestTimestamps;publicfunction__construct(int$maxRequests,int$intervalMs){$this->maxRequests=$maxRequests;$this->intervalMs=$intervalMs;$this->requestTimestamps=[];}publicfunctionschedule():void{$now=(int)(microtime(true)*1000);$this->requestTimestamps=array_filter($this->requestTimestamps,fn($timestamp)=>$timestamp>$now-$this->intervalMs);if(count($this->requestTimestamps)>=$this->maxRequests){$waitTime=$this->requestTimestamps[0]+$this->intervalMs-$now;echo"Rate limit approaching. Waiting {$waitTime}ms before next request.\n";usleep($waitTime*1000);// Sleep in microseconds}$this->requestTimestamps[]=(int)(microtime(true)*1000);}}classWorkspacesFetcher{publicfunction__construct(privatestring$baseUrl,privatestring$apiKey,privateRateLimiter$rateLimiter// Pass rateLimiter as parameter){}publicfunctionfetchWorkspaces(int$page,int$retries=5,int$initialDelay=1000):WorkspacesResponse{$url=sprintf('%s/v1/workspaces?page=%d',$this->baseUrl,$page);$attempt=0;$delay=$initialDelay;while($attempt<=$retries){$this->rateLimiter->schedule();// Ensure rate limiting is respected$ch=curl_init($url);curl_setopt_array($ch,[CURLOPT_RETURNTRANSFER=>true,CURLOPT_HTTPHEADER=>['Authorization: Bearer '.$this->apiKey,'Content-Type: application/json']]);$responseBody=curl_exec($ch);$httpCode=curl_getinfo($ch,CURLINFO_HTTP_CODE);if(curl_errno($ch)){thrownew\RuntimeException('CURL Error: '.curl_error($ch));}curl_close($ch);if($httpCode===200){$responseData=json_decode($responseBody,true);returnnewWorkspacesResponse(array_map(fn($workspaceData)=>Workspace::fromArray($workspaceData),$responseData['data']),Meta::fromArray($responseData['meta']));}if($httpCode===429){$backoff=$delay*(2**$attempt);// Exponential backoffecho"Rate limit exceeded. Retrying in {$backoff/1000} seconds...\n";usleep($backoff*1000);// Sleep in microseconds$attempt++;}else{thrownew\RuntimeException("Failed to fetch workspaces: HTTP $httpCode");}}thrownew\RuntimeException("Max retries reached. Request failed.");}}// Example usagetry{$baseUrl='https://api.instapage.com';$apiKey='your_api_key_here';$page=1;$rateLimiter=newRateLimiter(200,60000);// Create a rate limiter instance$fetcher=newWorkspacesFetcher($baseUrl,$apiKey,$rateLimiter);// Pass it to the fetcher$workspacesResponse=$fetcher->fetchWorkspaces($page);// Process workspacesforeach($workspacesResponse->getData()as$workspace){print_r($workspace->toArray());}// Access metadata$meta=$workspacesResponse->getMeta();print_r($meta->toArray());}catch(\Exception$e){echo'Error: '.$e->getMessage();}
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:
axios-rate-limit – This library integrates with Axios to automatically throttle requests and handle retries with backoff.
p-throttle – Provides a simple way to throttle promises, supporting both rate limits and retries.
For PHP, you can use libraries like:
Guzzle with middleware like Guzzle Retry Middleware – You can use this combination to add rate limiting and retry logic with backoff.
Stiphle – Stiphle is a little library to try and provide an easy way of throttling/rate limit requests.
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.
curl -X GET "https://api.instapage.com/v1/workspaces/{workspaceId}"\-H"Authorization: Bearer API_KEY"\-H"Content-Type: application/json"
asyncfunctiongetWorkspace(workspaceId,apiKey){constresponse=awaitfetch(`https://api.instapage.com/v1/workspaces/${workspaceId}`,{method:'GET',headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json',},});if(!response.ok){thrownewError(`Failed to get workspace: ${response.statusText}`);}constdata=awaitresponse.json();returndata;}// Example usageconstapiKey='your_api_key_here';constworkspaceId=12345;getWorkspace(workspaceId.apiKey).then(workspace=>{console.log('Workspace:',workspace);}).catch(error=>{console.error('Error getting workspace:',error);});
typeAccessLevel='owner'|'editor'|'manager'|'viewer';interfaceWorkspace{workspaceId:number;ownerId:number;workspaceName:string;accessLevel:AccessLevel;createdAt:number;}classWorkspaceFetcher{privatebaseUrl:string;privateapiKey:string;constructor(baseUrl:string,apiKey:string){this.baseUrl=baseUrl;this.apiKey=apiKey;}asyncgetWorkspace(workspaceId:number):Promise<Workspace>{consturl=`${this.baseUrl}/v1/workspaces/${workspaceId}`;constresponse=awaitfetch(url,{method:'GET',headers:{'Authorization':`Bearer ${this.apiKey}`,'Content-Type':'application/json',},});if(!response.ok){thrownewError(`Failed to get workspace: ${response.statusText}`);}constresponseData=awaitresponse.json();returnresponseData.data;}}// Example usageconstbaseUrl='https://api.instapage.com';constapiKey='your_api_key_here';constfetcher=newWorkspaceFetcher(baseUrl,apiKey);constworkspaceId=12345;fetcher.getWorkspace(workspaceId).then(workspace=>{console.log('Workspace:',workspace);}).catch(error=>{console.error('Error getting workspace:',error);});
<?phpdeclare(strict_types=1);namespaceInstapageWorkspacesFetcher;enumAccessLevel:string{caseOwner='owner';caseEditor='editor';caseManager='manager';caseViewer='viewer';}readonlyclassWorkspace{publicfunction__construct(publicint$workspaceId,publicint$ownerId,publicstring$workspaceName,publicAccessLevel$accessLevel,publicint$createdAt){}publicstaticfunctionfromArray(array$data):self{returnnewself($data['workspaceId'],$data['ownerId'],$data['workspaceName'],AccessLevel::from($data['accessLevel']),$data['createdAt']);}}classWorkspacesFetcher{publicfunction__construct(privatestring$baseUrl,privatestring$apiKey){}publicfunctiongetWorkspace(int$workspaceId):Workspace{$url=sprintf('%s/v1/workspaces/%d',$this->baseUrl,$workspaceId);$ch=curl_init($url);curl_setopt_array($ch,[CURLOPT_RETURNTRANSFER=>true,CURLOPT_HTTPHEADER=>['Authorization: Bearer '.$this->apiKey,'Content-Type: application/json']]);$responseBody=curl_exec($ch);$httpCode=curl_getinfo($ch,CURLINFO_HTTP_CODE);if(curl_errno($ch)){thrownew\RuntimeException('CURL Error: '.curl_error($ch));}curl_close($ch);if($httpCode!==200){thrownew\RuntimeException("Failed to fetch workspace: HTTP $httpCode");}$responseData=json_decode($responseBody,true);returnWorkspace::fromArray($responseData['data']);}}// Example usagetry{$baseUrl='https://api.instapage.com';$apiKey='your_api_key_here';$workspaceId=12345;$fetcher=newWorkspacesFetcher($baseUrl,$apiKey);$workspace=$fetcher->getWorkspace($workspaceId);echo'Workspace retrieved: '.json_encode($workspace,JSON_PRETTY_PRINT);}catch(\Exception$e){echo'Error: '.$e->getMessage();}
The above request returns JSON structured like this:
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
POSThttps://api.instapage.com/v1/workspaces
curl -X POST "https://api.instapage.com/v1/workspaces"\-H"Authorization: Bearer API_KEY"\-H"Content-Type: application/json"\-d'{"name": "New Workspace"}'
asyncfunctioncreateWorkspace(name,apiKey){constresponse=awaitfetch(`https://api.instapage.com/v1/workspaces`,{method:'POST',headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json',},body:JSON.stringify({name}),});if(!response.ok){thrownewError(`Failed to create workspace: ${response.statusText}`);}constdata=awaitresponse.json();returndata;}
typeAccessLevel='owner'|'editor'|'manager'|'viewer';interfaceWorkspace{workspaceId:number;ownerId:number;workspaceName:string;accessLevel:AccessLevel;createdAt:number;}classWorkspaceCreator{privatebaseUrl:string;privateapiKey:string;constructor(baseUrl:string,apiKey:string){this.baseUrl=baseUrl;this.apiKey=apiKey;}asynccreateWorkspace(name:string):Promise<Workspace>{consturl=`${this.baseUrl}/v1/workspaces`;constpayload=JSON.stringify({name});constresponse=awaitfetch(url,{method:'POST',headers:{'Authorization':`Bearer ${this.apiKey}`,'Content-Type':'application/json','Content-Length':payload.length.toString(),},body:payload,});if(!response.ok){thrownewError(`Failed to create workspace: ${response.statusText}`);}constresponseData=awaitresponse.json();returnresponseData.data;}}// Example usageconstbaseUrl='https://api.instapage.com';constapiKey='your_api_key_here';constcreator=newWorkspaceCreator(baseUrl,apiKey);creator.createWorkspace('New Workspace Name').then(workspace=>{console.log('Created Workspace:',workspace);}).catch(error=>{console.error('Error creating workspace:',error);});
<?phpdeclare(strict_types=1);namespaceInstapageWorkspacesCreator;enumAccessLevel:string{caseOwner='owner';caseEditor='editor';caseManager='manager';caseViewer='viewer';}readonlyclassWorkspace{publicfunction__construct(publicint$workspaceId,publicint$ownerId,publicstring$workspaceName,publicAccessLevel$accessLevel,publicint$createdAt){}publicstaticfunctionfromArray(array$data):self{returnnewself($data['workspaceId'],$data['ownerId'],$data['workspaceName'],AccessLevel::from($data['accessLevel']),$data['createdAt']);}}classWorkspacesCreator{publicfunction__construct(privatestring$baseUrl,privatestring$apiKey){}publicfunctioncreateWorkspace(string$name):WorkspacesResponse{$url=sprintf('%s/v1/workspaces',$this->baseUrl,$page);$ch=curl_init($url);curl_setopt_array($ch,[CURLOPT_RETURNTRANSFER=>true,CURLOPT_HTTPHEADER=>['Authorization: Bearer '.$this->apiKey,'Content-Type: application/json']]);$responseBody=curl_exec($ch);$httpCode=curl_getinfo($ch,CURLINFO_HTTP_CODE);if(curl_errno($ch)){thrownew\RuntimeException('CURL Error: '.curl_error($ch));}curl_close($ch);if($httpCode!==200){thrownew\RuntimeException("Failed to fetch workspaces: HTTP $httpCode");}$responseData=json_decode($responseBody,true);returnWorkspace::fromArray($responseData['data']);}}// Example usagetry{$baseUrl='https://api.instapage.com';$apiKey='your_api_key_here';$newWorkspaceName='workspace-12';$creator=newWorkspacesCreator($baseUrl,$apiKey);$createResponse=$creator->createWorkspace($newWorkspaceName);}catch(\Exception$e){echo'Error: '.$e->getMessage();}
The above request returns JSON structured like this:
asyncfunctionfetchTeamMembers(workspaceId,apiKey){consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/team-members`;constresponse=awaitfetch(url,{headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},});if(!response.ok){thrownewError(`Failed to fetch team members: ${response.statusText}`);}constdata=awaitresponse.json();returndata;}
typeTeamMember={userId:number;email:string;invitedAt:number|null;fullName:string;accessLevel:string;invitationStatus:'accepted'|'pending';lastLoginAt:number|null;lastActivityInWorkspaceAt:number|null;};typeTeamMembersResponse={data:TeamMember[];meta:any;};asyncfunctionfetchTeamMembers(workspaceId:number,apiKey:string):Promise<TeamMembersResponse>{consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/team-members`;constresponse=awaitfetch(url,{headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},});if(!response.ok){thrownewError(`Failed to fetch team members: ${response.statusText}`);}constdata:TeamMembersResponse=awaitresponse.json();returndata;}
<?phpdeclare(strict_types=1);namespaceInstapageTeamMembersFetcher;enumInvitationStatus:string{caseAccepted='accepted';casePending='pending';}readonlyclassTeamMember{publicfunction__construct(publicint$userId,publicstring$email,public?int$invitedAt,publicstring$fullName,publicstring$accessLevel,publicInvitationStatus$invitationStatus,public?int$lastLoginAt,public?int$lastActivityInWorkspaceAt){}publicfunctiontoArray():array{return['userId'=>$this->userId,'email'=>$this->email,'invitedAt'=>$this->invitedAt,'fullName'=>$this->fullName,'accessLevel'=>$this->accessLevel,'invitationStatus'=>$this->invitationStatus->value,'lastLoginAt'=>$this->lastLoginAt,'lastActivityInWorkspaceAt'=>$this->lastActivityInWorkspaceAt];}publicstaticfunctionfromArray(array$data):self{returnnewself($data['userId'],$data['email'],$data['invitedAt'],$data['fullName'],$data['accessLevel'],InvitationStatus::from($data['invitationStatus']),$data['lastLoginAt'],$data['lastActivityInWorkspaceAt']);}}classTeamMembersResponse{/**
* @param TeamMember[] $data
*/publicfunction__construct(privatearray$data,privatearray$meta){}/**
* @return TeamMember[]
*/publicfunctiongetData():array{return$this->data;}publicfunctiongetMeta():array{return$this->meta;}}classTeamMembersFetcher{publicfunction__construct(privatestring$baseUrl,privatestring$apiKey){}publicfunctionfetchTeamMembers(int$workspaceId):TeamMembersResponse{$url=sprintf('%s/v1/workspaces/%d/team-members',$this->baseUrl,$workspaceId);$ch=curl_init($url);curl_setopt_array($ch,[CURLOPT_RETURNTRANSFER=>true,CURLOPT_HTTPHEADER=>['Authorization: Bearer '.$this->apiKey,'Content-Type: application/json']]);$responseBody=curl_exec($ch);$httpCode=curl_getinfo($ch,CURLINFO_HTTP_CODE);if(curl_errno($ch)){thrownew\RuntimeException('CURL Error: '.curl_error($ch));}curl_close($ch);if($httpCode!==200){thrownew\RuntimeException("Failed to fetch team members: HTTP $httpCode");}$responseData=json_decode($responseBody,true);returnnewTeamMembersResponse(array_map(fn($memberData)=>TeamMember::fromArray($memberData),$responseData['data']),$responseData['meta']);}}// Example usagetry{$baseUrl='https://api.instapage.com';$apiKey='your_api_key_here';$workspaceId=1234;$fetcher=newTeamMembersFetcher($baseUrl,$apiKey);$teamMembersResponse=$fetcher->fetchTeamMembers($workspaceId);// Process team membersforeach($teamMembersResponse->getData()as$teamMember){// Do something with each team memberprint_r($teamMember->toArray());}// Access metadata if neededprint_r($teamMembersResponse->getMeta());}catch(\Exception$e){echo'Error: '.$e->getMessage();}
Path Parameters
Parameter
Type
Description
workspaceId
number
The ID of the workspace to retrieve team members for
Headers
Content-Type: application/json
Authorization: Bearer TOKEN
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:
ACCEPTED: The team member has accepted the invitation and is active in the workspace.
PENDING: The invitation has been sent but not yet accepted by the team member.
Invite Team Members
Invites multiple team members to join a workspace with specified accessLevels.
asyncfunctioninviteTeamMembers(workspaceId,teamMembers,apiKey){constresponse=awaitfetch(`https://api.instapage.com/v1/workspaces/${workspaceId}/team-members`,{method:'POST',headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},body:JSON.stringify(teamMembers)});if(!response.ok){consterrorData=awaitresponse.json();thrownewError(`Failed to invite team members: ${errorData.details}`);}returnresponse.json();}// Example usageconstteamMembers=[{email:"user1@example.com",accessLevel:"viewer"},{email:"user2@example.com",accessLevel:"manager"}];try{awaitinviteTeamMembers(workspaceId,teamMembers,apiKey);console.log('Team members invited successfully');}catch(error){console.error('Error inviting team members:',error);}
typeAccessLevel='viewer'|'editor'|'manager';interfaceTeamMemberInvite{email:string;accessLevel:AccessLevel;}asyncfunctioninviteTeamMembers(workspaceId:number,teamMembers:TeamMemberInvite[],apiKey:string):Promise<void>{constresponse=awaitfetch(`https://api.instapage.com/v1/workspaces/${workspaceId}/team-members`,{method:'POST',headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},body:JSON.stringify(teamMembers)});if(!response.ok){consterrorData=awaitresponse.json();thrownewError(`Failed to invite team members: ${errorData.details}`);}returnresponse.json();}// Example usageconstteamMembers:TeamMemberInvite[]=[{email:"user1@example.com",accessLevel:"viewer"},{email:"user2@example.com",accessLevel:"manager"}];try{awaitinviteTeamMembers(workspaceId,teamMembers,apiKey);console.log('Team members invited successfully');}catch(error){console.error('Error inviting team members:',error);}
<?phpdeclare(strict_types=1);namespaceInstapageTeamMembers;enumAccessLevel:string{caseViewer='viewer';caseEditor='editor';caseManager='manager';}readonlyclassTeamMemberInvite{publicfunction__construct(publicstring$email,publicAccessLevel$accessLevel){}publicfunctiontoArray():array{return['email'=>$this->email,'accessLevel'=>$this->accessLevel->value];}}classTeamMemberInviter{publicfunction__construct(privatestring$baseUrl,privatestring$apiKey){}/**
* @param TeamMemberInvite[] $teamMembers
*/publicfunctioninviteTeamMembers(int$workspaceId,array$teamMembers):void{$url=sprintf('%s/v1/workspaces/%d/team-members',$this->baseUrl,$workspaceId);$requestBody=array_map(fn($member)=>$member->toArray(),$teamMembers);$ch=curl_init($url);curl_setopt_array($ch,[CURLOPT_RETURNTRANSFER=>true,CURLOPT_POST=>true,CURLOPT_HTTPHEADER=>['Authorization: Bearer '.$this->apiKey,'Content-Type: application/json'],CURLOPT_POSTFIELDS=>json_encode($requestBody)]);$response=curl_exec($ch);$statusCode=curl_getinfo($ch,CURLINFO_HTTP_CODE);curl_close($ch);if($statusCode!==201){$errorData=json_decode($response,true);thrownew\RuntimeException("Failed to invite team members: ".($errorData['details']??'Unknown error'));}}}// Example usagetry{$inviter=newTeamMemberInviter('https://api.instapage.com','your_api_key_here');$teamMembers=[newTeamMemberInvite('user1@example.com',AccessLevel::Viewer),newTeamMemberInvite('user2@example.com',AccessLevel::Manager)];$inviter->inviteTeamMembers(123,$teamMembers);echo"Team members invited successfully\n";}catch(\Exception$e){echo'Error: '.$e->getMessage();}
Headers
Content-Type: application/json
Authorization: Bearer TOKEN
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.
{"title":"InvalidArgumentException","details":"Email \"owner@example.com\" can't be removed from workspace because is owner","meta":{"requestedUserId":4373,"requestedPageId":9910,"requestedWorkspaceId":7068}}
asyncfunctionremoveTeamMembers(workspaceId,emails,apiKey){consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/team-members`;constresponse=awaitfetch(url,{method:'DELETE',headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},body:JSON.stringify(emails.map(email=>({email})))});if(response.status===201){console.log('Team members removed successfully');return;}consterrorData=awaitresponse.json();thrownewError(`Failed to remove team members: ${errorData.details}`);}
interfaceRemoveTeamMemberRequest{email:string;}interfaceErrorResponse{title:string;details:string;meta:{requestedUserId:number;requestedWorkspaceId:number;};}asyncfunctionremoveTeamMembers(workspaceId:number,emails:string[],apiKey:string):Promise<void>{consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/team-members`;constrequest:RemoveTeamMemberRequest[]=emails.map(email=>({email}));constresponse=awaitfetch(url,{method:'DELETE',headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},body:JSON.stringify(request)});if(response.status===201){return;}consterrorData:ErrorResponse=awaitresponse.json();thrownewError(`Failed to remove team members: ${errorData.details}`);}
<?phpdeclare(strict_types=1);namespaceInstapageTeamMemberRemoval;readonlyclassRemoveTeamMemberRequest{publicfunction__construct(publicstring$email){}publicfunctiontoArray():array{return['email'=>$this->email];}}readonlyclassErrorResponse{publicfunction__construct(publicstring$title,publicstring$details,publicint$requestedUserId,publicint$requestedWorkspaceId){}publicstaticfunctionfromArray(array$data):self{returnnewself($data['title'],$data['details'],$data['meta']['requestedUserId'],$data['meta']['requestedWorkspaceId']);}}classTeamMembersRemover{publicfunction__construct(privatestring$baseUrl,privatestring$apiKey){}/**
* @param string[] $emails
* @throws \RuntimeException
*/publicfunctionremoveTeamMembers(int$workspaceId,array$emails):void{$url=sprintf('%s/v1/workspaces/%d/team-members',$this->baseUrl,$workspaceId);$request=array_map(fn(string$email)=>(newRemoveTeamMemberRequest($email))->toArray(),$emails);$ch=curl_init($url);curl_setopt_array($ch,[CURLOPT_RETURNTRANSFER=>true,CURLOPT_CUSTOMREQUEST=>'DELETE',CURLOPT_HTTPHEADER=>['Authorization: Bearer '.$this->apiKey,'Content-Type: application/json'],CURLOPT_POSTFIELDS=>json_encode($request)]);$responseBody=curl_exec($ch);$httpCode=curl_getinfo($ch,CURLINFO_HTTP_CODE);if(curl_errno($ch)){thrownew\RuntimeException('CURL Error: '.curl_error($ch));}curl_close($ch);if($httpCode===201){return;}$errorData=json_decode($responseBody,true);$error=ErrorResponse::fromArray($errorData);thrownew\RuntimeException("Failed to remove team members: {$error->details}");}}// Example usagetry{$remover=newTeamMembersRemover('https://api.instapage.com','your_api_key_here');$workspaceId=1234;$emails=['user1@example.com','user2@example.com'];$remover->removeTeamMembers($workspaceId,$emails);echo"Team members removed successfully\n";}catch(\Exception$e){echo'Error: '.$e->getMessage();}
Headers
Content-Type: application/json
Authorization: Bearer TOKEN
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
If the authenticated user is in the removal list and is not the workspace owner, they will leave the workspace
If the workspace owner's email is included in the removal list, an error will be returned
If any email in the list doesn't belong to a team member, an error will be returned
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.
asyncfunctionupdateTeamMemberRoles(workspaceId,roleUpdates,apiKey){consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/team-members`;constresponse=awaitfetch(url,{method:'PUT',headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},body:JSON.stringify(roleUpdates)});if(response.status===201){console.log('Team member roles updated successfully');}else{consterrorData=awaitresponse.json();thrownewError(`Failed to update roles: ${errorData.details}`);}}// Example usageconstroleUpdates=[{email:"user1@example.com",targetAccessLevel:"viewer"},{email:"user2@example.com",targetAccessLevel:"viewer"}];try{awaitupdateTeamMemberRoles(workspaceId,roleUpdates,apiKey);}catch(error){console.error('Error updating team member roles:',error);}
typeAccessLevel='viewer'|'editor'|'manager';interfaceRoleUpdate{email:string;targetAccessLevel:AccessLevel;}interfaceErrorResponse{title:string;details:string;meta:{requestedUserId:number;requestedWorkspaceId:number;};}asyncfunctionupdateTeamMemberRoles(workspaceId:number,roleUpdates:RoleUpdate[],apiKey:string):Promise<void>{consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/team-members`;constresponse=awaitfetch(url,{method:'PUT',headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},body:JSON.stringify(roleUpdates)});if(response.status===201){console.log('Team member roles updated successfully');return;}consterrorData:ErrorResponse=awaitresponse.json();thrownewError(`Failed to update roles: ${errorData.details}`);}// Example usageconstroleUpdates:RoleUpdate[]=[{email:"user1@example.com",targetAccessLevel:"viewer"},{email:"user2@example.com",targetAccessLevel:"editor"}];try{awaitupdateTeamMemberRoles(workspaceId,roleUpdates,apiKey);}catch(error){console.error('Error updating team member roles:',error);}
<?phpdeclare(strict_types=1);namespaceInstapageTeamMembers;enumAccessLevel:string{caseViewer='viewer';caseEditor='editor';caseManager='manager';}readonlyclassRoleUpdate{publicfunction__construct(publicstring$email,publicAccessLevel$targetAccessLevel){}publicfunctiontoArray():array{return['email'=>$this->email,'targetAccessLevel'=>$this->targetAccessLevel->value];}}classTeamMemberRoleUpdater{publicfunction__construct(privatestring$baseUrl,privatestring$apiKey){}/**
* @param RoleUpdate[] $roleUpdates
* @throws \RuntimeException
*/publicfunctionupdateRoles(int$workspaceId,array$roleUpdates):void{$url=sprintf('%s/v1/workspaces/%d/team-members',$this->baseUrl,$workspaceId);$requestBody=array_map(fn(RoleUpdate$update)=>$update->toArray(),$roleUpdates);$ch=curl_init($url);curl_setopt_array($ch,[CURLOPT_RETURNTRANSFER=>true,CURLOPT_CUSTOMREQUEST=>'PUT',CURLOPT_POSTFIELDS=>json_encode($requestBody),CURLOPT_HTTPHEADER=>['Authorization: Bearer '.$this->apiKey,'Content-Type: application/json']]);$response=curl_exec($ch);$statusCode=curl_getinfo($ch,CURLINFO_HTTP_CODE);curl_close($ch);if($statusCode===201){return;}$errorData=json_decode($response,true);thrownew\RuntimeException(sprintf('Failed to update roles: %s',$errorData['details']));}}// Example usagetry{$updater=newTeamMemberRoleUpdater('https://api.instapage.com','your_api_key_here');$roleUpdates=[newRoleUpdate('user1@example.com',AccessLevel::Viewer),newRoleUpdate('user2@example.com',AccessLevel::Editor)];$updater->updateRoles(7068,$roleUpdates);echo"Team member roles updated successfully\n";}catch(\Exception$e){echo'Error: '.$e->getMessage()."\n";}
Headers
Content-Type: application/json
Authorization: Bearer TOKEN
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:
The above request returns JSON structured like this:
{"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}}}
asyncfunctionfetchPages(workspaceId,page,isDeleted,publishStatus,apiKey){consturl=newURL(`https://api.instapage.com/v1/workspaces/${workspaceId}/pages`);url.searchParams.append('page',page);url.searchParams.append('isDeleted',isDeleted);if(publishStatus){url.searchParams.append('publishStatus',publishStatus);}constresponse=awaitfetch(url,{headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},});if(!response.ok){thrownewError(`Failed to fetch pages: ${response.statusText}`);}constdata=awaitresponse.json();returndata;}
typePage={id:number;title:string;url:string|null;publishStatus:'published'|'unpublished'|'publishedHasChanges';publishMethod:'cmsPlugin'|'customDomain'|'pageDemo';createdAt:number;updatedAt:number;isDeleted:boolean;pageType:'amp'|'standard'|'collectionTemplate'|'wordpress'|'drupal';totalPersonalizedExperienceCount:number;isScheduled:boolean;groupId:number|null;};typePaginationMeta={currentPage:number;perPage:number;totalItemsCount:number;totalPagesCount:number;nextPage:number|null;previousPage:number|null;};typePagesResponse={data:Page[];meta:{pagination:PaginationMeta;};};asyncfunctionfetchPages(apiKey:string,workspaceId:number,page:number,isDeleted:boolean,publishStatus?:'published'|'unpublished'|'publishedHasChanges',):Promise<PagesResponse>{consturl=newURL(`https://api.instapage.com/v1/workspaces/${workspaceId}/pages`);url.searchParams.append('page',page.toString());url.searchParams.append('isDeleted',isDeleted.toString());if(publishStatus){url.searchParams.append('publishStatus',publishStatus);}constresponse=awaitfetch(url.toString(),{headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},});if(!response.ok){thrownewError(`Failed to fetch pages: ${response.statusText}`);}constdata:PagesResponse=awaitresponse.json();returndata;}
<?phpdeclare(strict_types=1);namespaceInstapagePagesFetcher;enumPublishStatus:string{casePublished='published';caseUnpublished='unpublished';casePublishedHasChanges='publishedHasChanges';}enumPublishMethod:string{caseCmsPlugin='cmsPlugin';caseCustomDomain='customDomain';casePageDemo='pageDemo';}enumPageType:string{caseAmp='amp';caseStandard='standard';caseCollectionTemplate='collectionTemplate';caseWordPress='wordpress';caseDrupal='drupal';}readonlyclassPage{publicfunction__construct(publicint$id,publicstring$title,public?string$url,publicPublishStatus$publishStatus,publicPublishMethod$publishMethod,publicint$createdAt,publicint$updatedAt,publicbool$isDeleted,publicPageType$pageType,publicint$totalPersonalizedExperienceCount,publicbool$isScheduled,public?int$groupId,){}publicfunctiontoArray():array{return['id'=>$this->id,'title'=>$this->title,'url'=>$this->url,'publishStatus'=>$this->publishStatus->value,'publishMethod'=>$this->publishMethod->value,'createdAt'=>$this->createdAt,'updatedAt'=>$this->updatedAt,'isDeleted'=>$this->isDeleted,'pageType'=>$this->pageType->value,'totalPersonalizedExperienceCount'=>$this->totalPersonalizedExperienceCount,'isScheduled'=>$this->isScheduled,'groupId'=>$this->groupId,];}}readonlyclassPaginationMeta{publicfunction__construct(publicint$currentPage,publicint$perPage,publicint$totalItemsCount,publicint$totalPagesCount,public?int$nextPage,public?int$previousPage){}publicfunctiontoArray():array{return['currentPage'=>$this->currentPage,'perPage'=>$this->perPage,'totalItemsCount'=>$this->totalItemsCount,'totalPagesCount'=>$this->totalPagesCount,'nextPage'=>$this->nextPage,'previousPage'=>$this->previousPage];}}classPagesResponse{/**
* @param Page[] $data
*/publicfunction__construct(privatearray$data,privatePaginationMeta$paginationMeta){}publicfunctiongetData():array{return$this->data;}publicfunctiongetMeta():PaginationMeta{return$this->paginationMeta;}}classPagesFetcher{publicfunction__construct(privatestring$baseUrl,privatestring$apiKey){}publicfunctionfetchPages(int$workspaceId,int$page,bool$isDeleted,?PublishStatus$publishStatus=null):PagesResponse{$url=sprintf('%s/v1/workspaces/%d/pages?page=%d&isDeleted=%s%s',$this->baseUrl,$workspaceId,$page,$isDeleted?'true':'false',$publishStatus?'&publishStatus='.$publishStatus->value:'');$ch=curl_init($url);curl_setopt_array($ch,[CURLOPT_RETURNTRANSFER=>true,CURLOPT_HTTPHEADER=>['Authorization: Bearer '.$this->apiKey,'Content-Type: application/json']]);$responseBody=curl_exec($ch);$httpCode=curl_getinfo($ch,CURLINFO_HTTP_CODE);if(curl_errno($ch)){thrownew\RuntimeException('CURL Error: '.curl_error($ch));}curl_close($ch);if($httpCode!==200){thrownew\RuntimeException("API request failed with status code: $httpCode");}$responseData=json_decode($responseBody,true);returnnewPagesResponse(array_map(fn($pageData)=>newPage($pageData['id'],$pageData['title'],$pageData['url']??null,PublishStatus::from($pageData['publishStatus']),PublishMethod::from($pageData['publishMethod']),$pageData['createdAt'],$pageData['updatedAt'],$pageData['isDeleted'],PageType::from($pageData['pageType']),$pageData['totalPersonalizedExperienceCount'],$pageData['isScheduled'],$pageData['groupId'],),$responseData['data']),newPaginationMeta($responseData['meta']['pagination']['currentPage'],$responseData['meta']['pagination']['perPage'],$responseData['meta']['pagination']['totalItemsCount'],$responseData['meta']['pagination']['totalPagesCount'],$responseData['meta']['pagination']['nextPage'],$responseData['meta']['pagination']['previousPage']));}}// Example usagetry{$baseUrl='https://api.instapage.com';$apiKey='your_api_key_here';$workspaceId=1234;$fetcher=newPagesFetcher($baseUrl,$apiKey);$pagesResponse=$fetcher->fetchPages(workspaceId:$workspaceId,page:1,isDeleted:false,publishStatus:PublishStatus::Published);// Process pagesforeach($pagesResponse->getData()as$page){// Do something with each pageprint_r($page->toArray());}// Access pagination metadata$paginationMeta=$pagesResponse->getMeta();print_r($paginationMeta->toArray());}catch(\Exception$e){echo'Error: '.$e->getMessage();}
Headers
Content-Type: application/json
Authorization: Bearer TOKEN
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.
> Example of body error from request
{"title": "InvalidDomainException",
"details": "The provided domain is not valid",
"meta": {"requestedUserId": 4373,
"requestedPageId": 9910,
"requestedWorkspaceId": 7068,
"requestedPublishMethod": "customDomain"}}
{"title":"PageIsNotPublishedException","details":"The page \"9910\" is not published","meta":{"requestedUserId":4373,"requestedPageId":9910,"requestedWorkspaceId":7068}}
asyncfunctionupdatePage(workspaceId,pageId,updateData,apiKey){consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/pages/${pageId}`;constresponse=awaitfetch(url,{method:'PATCH',headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},body:JSON.stringify(updateData)});if(response.status!==201){consterrorData=awaitresponse.json();thrownewError(`Failed to update page: ${errorData.details}`);}returntrue;}// Example usageconstupdateData={groupId:7340};try{awaitupdatePage(workspaceId,pageId,updateData,apiKey);console.log('Page updated successfully');}catch(error){console.error('Error updating page:',error);}
interfacePageUpdateRequest{groupId?:number|null;}interfaceErrorResponse{title:string;details:string;meta:{pageId:number;workspaceId:number;userId:number;groupId?:number;};}asyncfunctionupdatePage(workspaceId:number,pageId:number,updateData:PageUpdateRequest,apiKey:string):Promise<boolean>{consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/pages/${pageId}`;constresponse=awaitfetch(url,{method:'PATCH',headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},body:JSON.stringify(updateData)});if(response.status!==201){consterrorData:ErrorResponse=awaitresponse.json();thrownewError(`Failed to update page: ${errorData.details}`);}returntrue;}
<?phpdeclare(strict_types=1);namespaceInstapagePageUpdater;readonlyclassErrorResponse{publicfunction__construct(publicstring$title,publicstring$details,publicint$pageId,publicint$workspaceId,publicint$userId,public?int$groupId=null){}publicstaticfunctionfromArray(array$data):self{returnnewself($data['title'],$data['details'],$data['meta']['pageId'],$data['meta']['workspaceId'],$data['meta']['userId'],$data['meta']['groupId']??null);}}classPageUpdater{publicfunction__construct(privatestring$baseUrl,privatestring$apiKey){}publicfunctionupdatePage(int$workspaceId,int$pageId,?int$groupId=null):bool{$url=sprintf('%s/v1/workspaces/%d/pages/%d',$this->baseUrl,$workspaceId,$pageId);$payload=json_encode(['groupId'=>$groupId]);$ch=curl_init($url);curl_setopt_array($ch,[CURLOPT_RETURNTRANSFER=>true,CURLOPT_CUSTOMREQUEST=>'PATCH',CURLOPT_POSTFIELDS=>$payload,CURLOPT_HTTPHEADER=>['Authorization: Bearer '.$this->apiKey,'Content-Type: application/json']]);$responseBody=curl_exec($ch);$httpCode=curl_getinfo($ch,CURLINFO_HTTP_CODE);if(curl_errno($ch)){thrownew\RuntimeException('CURL Error: '.curl_error($ch));}curl_close($ch);if($httpCode===201){returntrue;}$errorData=json_decode($responseBody,true);$error=ErrorResponse::fromArray($errorData);thrownew\RuntimeException("Failed to update page: {$error->details}");}}// Example usagetry{$updater=newPageUpdater('https://api.instapage.com','your_api_key_here');// Move page to a group$updater->updatePage(7068,9399,7340);// Remove page from any group by passing null$updater->updatePage(7068,9399,null);echo"Page updated successfully\n";}catch(\Exception$e){echo'Error: '.$e->getMessage()."\n";}
Example error response:
{"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
Content-Type: application/json
Authorization: Bearer TOKEN
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.
{"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}}}
asyncfunctionfetchPersonalizations(workspaceId,pageId,apiKey){consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/pages/${pageId}/personalizations`;constresponse=awaitfetch(url,{headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},});if(!response.ok){thrownewError(`Failed to fetch personalizations: ${response.statusText}`);}constdata=awaitresponse.json();returndata;}
typePersonalization={pageId:number;personalizationId:string;title:string;publishStatus:'published'|'unpublished';createdAt:number;url:string|null;publishMethod:string;isDefaultPersonalization:boolean;};typePaginationMeta={current_page:number;per_page:number;total_items_count:number;total_pages_count:number;next_page:number|null;previous_page:number|null;};typePersonalizationsResponse={data:Personalization[];meta:{pagination:PaginationMeta;};};asyncfunctionfetchPersonalizations(workspaceId:number,pageId:number,apiKey:string):Promise<PersonalizationsResponse>{consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/pages/${pageId}/personalizations`;constresponse=awaitfetch(url,{headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},});if(!response.ok){thrownewError(`Failed to fetch personalizations: ${response.statusText}`);}constdata:PersonalizationsResponse=awaitresponse.json();returndata;}
<?phpdeclare(strict_types=1);namespaceInstapagePersonalizationsFetcher;enumPublishStatus:string{casePublished='published';caseUnpublished='unpublished';}readonlyclassPersonalization{publicfunction__construct(publicint$pageId,publicstring$personalizationId,publicstring$title,publicPublishStatus$publishStatus,publicint$createdAt,public?string$url,publicstring$publishMethod,publicbool$isDefaultPersonalization){}publicfunctiontoArray():array{return['pageId'=>$this->pageId,'personalizationId'=>$this->personalizationId,'title'=>$this->title,'publishStatus'=>$this->publishStatus->value,'createdAt'=>$this->createdAt,'url'=>$this->url,'publishMethod'=>$this->publishMethod,'isDefaultPersonalization'=>$this->isDefaultPersonalization];}publicstaticfunctionfromArray(array$data):self{returnnewself($data['pageId'],$data['personalizationId'],$data['title'],PublishStatus::from($data['publishStatus']),$data['createdAt'],$data['url']??null,$data['publishMethod'],$data['isDefaultPersonalization']);}}readonlyclassPaginationMeta{publicfunction__construct(publicint$currentPage,publicint$perPage,publicint$totalItemsCount,publicint$totalPagesCount,public?int$nextPage,public?int$previousPage){}publicfunctiontoArray():array{return['current_page'=>$this->currentPage,'per_page'=>$this->perPage,'total_items_count'=>$this->totalItemsCount,'total_pages_count'=>$this->totalPagesCount,'next_page'=>$this->nextPage,'previous_page'=>$this->previousPage];}publicstaticfunctionfromArray(array$data):self{returnnewself($data['current_page'],$data['per_page'],$data['total_items_count'],$data['total_pages_count'],$data['next_page'],$data['previous_page']);}}classPersonalizationsResponse{/**
* @param Personalization[] $data
*/publicfunction__construct(privatearray$data,privatePaginationMeta$paginationMeta){}publicfunctiongetData():array{return$this->data;}publicfunctiongetMeta():PaginationMeta{return$this->paginationMeta;}}classPersonalizationsFetcher{publicfunction__construct(privatestring$baseUrl,privatestring$apiKey){}publicfunctionfetchPersonalizations(int$workspaceId,int$pageId):PersonalizationsResponse{$url=sprintf('%s/v1/workspaces/%d/pages/%d/personalizations',$this->baseUrl,$workspaceId,$pageId);$ch=curl_init($url);curl_setopt_array($ch,[CURLOPT_RETURNTRANSFER=>true,CURLOPT_HTTPHEADER=>['Authorization: Bearer '.$this->apiKey,'Content-Type: application/json']]);$responseBody=curl_exec($ch);$httpCode=curl_getinfo($ch,CURLINFO_HTTP_CODE);if(curl_errno($ch)){thrownew\RuntimeException('CURL Error: '.curl_error($ch));}curl_close($ch);if($httpCode!==200){thrownew\RuntimeException("Failed to fetch personalizations: HTTP $httpCode");}$responseData=json_decode($responseBody,true);returnnewPersonalizationsResponse(array_map(fn($personalizationData)=>Personalization::fromArray($personalizationData),$responseData['data']),PaginationMeta::fromArray($responseData['meta']['pagination']));}}// Example usagetry{$baseUrl='https://api.instapage.com';$apiKey='your_api_key_here';$workspaceId=1234;$pageId=5678;$fetcher=newPersonalizationsFetcher($baseUrl,$apiKey);$personalizationsResponse=$fetcher->fetchPersonalizations($workspaceId,$pageId);// Process personalizationsforeach($personalizationsResponse->getData()as$personalization){// Do something with each personalizationprint_r($personalization->toArray());}// Access pagination metadata$paginationMeta=$personalizationsResponse->getMeta();print_r($paginationMeta->toArray());}catch(\Exception$e){echo'Error: '.$e->getMessage();}
Path Parameters
Parameter
Type
Description
workspaceId
number
The ID of the workspace
pageId
number
The ID of the page to retrieve personalizations for
Headers
Content-Type: application/json
Authorization: Bearer TOKEN
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.
asyncfunctionfetchSubmissions(workspaceId,pages,timerange,nextPageToken,apiKey){consturl=newURL(`https://api.instapage.com/v1/workspaces/${workspaceId}/submissions`);constresponse=awaitfetch(url,{headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},method:'POST',body:JSON.stringify({pages,...timerange?{timerange}:null,nextPageToken})});if(!response.ok){thrownewError(`Failed to fetch pages: ${response.statusText}`);}constdata=awaitresponse.json();returndata;}
typeFilters={pages:number[];timerange?:{start:number;end:number;};nextPageToken?:string;};typeSubmission={id:string;pageId:number;variationName:string;variationCustomName:string;createdAt:number;fields:Record<string,string>;}typeSubmissionsResponse={data:Submission[];meta:{nextPageToken:string|null;limit:number;};};asyncfunctionfetchFormSubmissions(apiKey:string,workspaceId:number;filters:Options;):Promise<SubmissionsResponse>{consturl=newURL(`https://api.instapage.com/v1/workspaces/${workspaceId}/pages`);constjson=JSON.stringify(filters);constresponse=awaitfetch(url.toString(),{headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},method:'POST',body:json,});if(!response.ok){thrownewError(`Failed to fetch submissions: ${response.statusText}`);}constdata:SubmissionsResponse=awaitresponse.json();returndata;}
<?phpdeclare(strict_types=1);namespaceInstapageSubmissionsFetcher;readonlyclassApiConfig{publicfunction__construct(publicstring$baseUrl,publicstring$apiKey,publicint$workspaceId){}}readonlyclassFilters{publicfunction__construct(privatearray$pages,private?array$timerange=null,private?string$nextPageToken=null){}publicfunctiontoArray():array{$filters=['pages'=>$this->pages];if($this->timerange!==null){$filters['timerange']=$this->timerange;}if($this->nextPageToken!==null){$filters['nextPageToken']=$this->nextPageToken;}return$filters;}}classSubmission{publicfunction__construct(privatestring$id,privateint$pageId,privatestring$variationName,privatestring$variationCustomName,privateint$createdAt,privatearray$fields){}publicfunctiontoArray():array{return['id'=>$this->id,'pageId'=>$this->pageId,'variationName'=>$this->variationName,'variationCustomName'=>$this->variationCustomName,'createdAt'=>$this->createdAt,'fields'=>$this->fields];}}classSubmissionsResponse{publicfunction__construct(privatearray$data,private?string$nextPageToken,privateint$limit){}publicfunctiongetData():array{return$this->data;}publicfunctiongetNextPageToken():?string{return$this->nextPageToken;}publicfunctiongetLimit():int{return$this->limit;}}classSubmissionsFetcher{publicfunction__construct(privateApiConfig$apiConfig){}publicfunctionfetchFormSubmissions(Filters$filters):SubmissionsResponse{$url=sprintf('%s/v1/workspaces/%d/pages',$this->apiConfig->baseUrl,$this->apiConfig->workspaceId);$ch=curl_init($url);curl_setopt_array($ch,[CURLOPT_RETURNTRANSFER=>true,CURLOPT_POST=>true,CURLOPT_HTTPHEADER=>['Authorization: Bearer '.$this->apiConfig->apiKey,'Content-Type: application/json'],CURLOPT_POSTFIELDS=>json_encode($filters->toArray())]);$responseBody=curl_exec($ch);$httpCode=curl_getinfo($ch,CURLINFO_HTTP_CODE);if(curl_errno($ch)){thrownew\RuntimeException('CURL Error: '.curl_error($ch));}curl_close($ch);if($httpCode!==200){thrownew\RuntimeException("API request failed with status code: $httpCode");}$responseData=json_decode($responseBody,true);returnnewSubmissionsResponse(array_map(fn($submissionData)=>newSubmission($submissionData['id'],$submissionData['pageId'],$submissionData['variationName'],$submissionData['variationCustomName'],$submissionData['createdAt'],$submissionData['fields']),$responseData['data']),$responseData['meta']['nextPageToken']??null,$responseData['meta']['limit']);}}// Example usagetry{$baseUrl='https://api.instapage.com';$apiKey='your_api_key_here';$workspaceId=1234;$apiConfig=newApiConfig($baseUrl,$apiKey,$workspaceId);$fetcher=newSubmissionsFetcher($apiConfig);$filters=newFilters(pages:[1,2,3],timerange:['start'=>time()-86400,'end'=>time()],nextPageToken:null);$submissionsResponse=$fetcher->fetchFormSubmissions($filters);// Process submissionsforeach($submissionsResponse->getData()as$submission){// Do something with each submissionprint_r($submission->toArray());}// Check for next page$nextPageToken=$submissionsResponse->getNextPageToken();}catch(\Exception$e){echo'Error: '.$e->getMessage();}
The above request returns JSON structured like this:
The ID of the workspace to retrieve submissions for
Headers
Content-Type: application/json
Authorization: Bearer TOKEN
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.
asyncfunctiondeleteSubmissions(workspaceId,submissionIds,apiKey){consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/submissions`;constresponse=awaitfetch(url,{method:'DELETE',headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},body:JSON.stringify({submissions:submissionIds})});if(!response.ok){thrownewError(`Failed to delete submissions: ${response.statusText}`);}if(response.status===204){console.log('Submissions deleted successfully.');}}// Example usageconstworkspaceId=7068;constsubmissionIds=["submission_id_1","submission_id_2"];constapiKey="your_api_key_here";deleteSubmissions(workspaceId,submissionIds,apiKey).catch(error=>console.error(error));
typeDeleteSubmissionsRequest={submissions:string[];};asyncfunctiondeleteFormSubmissions(apiKey:string,workspaceId:number,submissionIds:string[]):Promise<void>{consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/submissions`;constbody:DeleteSubmissionsRequest={submissions:submissionIds};constresponse=awaitfetch(url,{method:'DELETE',headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},body:JSON.stringify(body)});if(!response.ok){thrownewError(`Failed to delete submissions: ${response.statusText}`);}if(response.status===204){console.log('Submissions deleted successfully.');}}// Example usageconstapiKey="your_api_key_here";constworkspaceId=7068;constsubmissionIds=["submission_id_1","submission_id_2"];deleteFormSubmissions(apiKey,workspaceId,submissionIds).catch(error=>console.error(error));
<?phpdeclare(strict_types=1);namespaceInstapageSubmissionsDeleter;readonlyclassApiConfig{publicfunction__construct(publicstring$baseUrl,publicstring$apiKey,publicint$workspaceId){}}classSubmissionsDeleter{publicfunction__construct(privateApiConfig$apiConfig){}publicfunctiondeleteSubmissions(array$submissionIds):void{$url=sprintf('%s/v1/workspaces/%d/submissions',$this->apiConfig->baseUrl,$this->apiConfig->workspaceId);$ch=curl_init($url);curl_setopt_array($ch,[CURLOPT_RETURNTRANSFER=>true,CURLOPT_CUSTOMREQUEST=>'DELETE',CURLOPT_HTTPHEADER=>['Authorization: Bearer '.$this->apiConfig->apiKey,'Content-Type: application/json'],CURLOPT_POSTFIELDS=>json_encode(['submissions'=>$submissionIds])]);$responseBody=curl_exec($ch);$httpCode=curl_getinfo($ch,CURLINFO_HTTP_CODE);if(curl_errno($ch)){thrownew\RuntimeException('CURL Error: '.curl_error($ch));}curl_close($ch);if($httpCode!==204){thrownew\RuntimeException("Failed to delete submissions. Status code: $httpCode");}echo'Submissions deleted successfully.';}}// Example usagetry{$baseUrl='https://api.instapage.com';$apiKey='your_api_key_here';$workspaceId=7068;$apiConfig=newApiConfig($baseUrl,$apiKey,$workspaceId);$deleter=newSubmissionsDeleter($apiConfig);$submissionIds=["submission_id_1","submission_id_2"];$deleter->deleteSubmissions($submissionIds);}catch(\Exception$e){echo'Error: '.$e->getMessage();}
Path Parameters
Parameter
Type
Description
workspaceId
number
The ID of the workspace to retrieve submissions for
Headers
Content-Type: application/json
Authorization: Bearer TOKEN
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.
asyncfunctionfetchGroups(workspaceId,apiKey){consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/groups`;constresponse=awaitfetch(url,{headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},});if(!response.ok){thrownewError(`Failed to fetch groups: ${response.statusText}`);}returnawaitresponse.json();}
typeGroup={id:number;name:string;pages:number[];};typePaginationMeta={currentPage:number;perPage:number;totalItemsCount:number;totalPagesCount:number;nextPage:number|null;previousPage:number|null;};typeGroupsResponse={data:Group[];meta:{workspaceId:number;pagination:PaginationMeta;};};asyncfunctionfetchGroups(workspaceId:number,apiKey:string):Promise<GroupsResponse>{consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/groups`;constresponse=awaitfetch(url,{headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},});if(!response.ok){thrownewError(`Failed to fetch groups: ${response.statusText}`);}returnawaitresponse.json();}
<?phpdeclare(strict_types=1);namespaceInstapageGroupsFetcher;readonlyclassGroup{publicfunction__construct(publicint$id,publicstring$name,publicarray$pages){}publicstaticfunctionfromArray(array$data):self{returnnewself($data['id'],$data['name'],$data['pages']??[]);}publicfunctiontoArray():array{return['id'=>$this->id,'name'=>$this->name,'pages'=>$this->pages];}}readonlyclassPaginationMeta{publicfunction__construct(publicint$currentPage,publicint$perPage,publicint$totalItemsCount,publicint$totalPagesCount,public?int$nextPage,public?int$previousPage){}publicstaticfunctionfromArray(array$data):self{returnnewself($data['currentPage'],$data['perPage'],$data['totalItemsCount'],$data['totalPagesCount'],$data['nextPage'],$data['previousPage']);}}classGroupsResponse{/**
* @param Group[] $data
*/publicfunction__construct(privatearray$data,privateint$workspaceId,privatePaginationMeta$paginationMeta){}/**
* @return Group[]
*/publicfunctiongetData():array{return$this->data;}publicfunctiongetWorkspaceId():int{return$this->workspaceId;}publicfunctiongetPaginationMeta():PaginationMeta{return$this->paginationMeta;}}classGroupsFetcher{publicfunction__construct(privatestring$baseUrl,privatestring$apiKey){}publicfunctionfetchGroups(int$workspaceId):GroupsResponse{$url=sprintf('%s/v1/workspaces/%d/groups',$this->baseUrl,$workspaceId);$ch=curl_init($url);curl_setopt_array($ch,[CURLOPT_RETURNTRANSFER=>true,CURLOPT_HTTPHEADER=>['Authorization: Bearer '.$this->apiKey,'Content-Type: application/json']]);$responseBody=curl_exec($ch);$httpCode=curl_getinfo($ch,CURLINFO_HTTP_CODE);if(curl_errno($ch)){thrownew\RuntimeException('CURL Error: '.curl_error($ch));}curl_close($ch);if($httpCode!==200){thrownew\RuntimeException("Failed to fetch groups: HTTP $httpCode");}$responseData=json_decode($responseBody,true);returnnewGroupsResponse(array_map(fn($groupData)=>Group::fromArray($groupData),$responseData['data']),$responseData['meta']['workspaceId'],PaginationMeta::fromArray($responseData['meta']['pagination']));}}// Example usagetry{$baseUrl='https://api.instapage.com';$apiKey='your_api_key_here';$workspaceId=7068;$fetcher=newGroupsFetcher($baseUrl,$apiKey);$groupsResponse=$fetcher->fetchGroups($workspaceId);// Process groupsforeach($groupsResponse->getData()as$group){// Do something with each groupprint_r($group->toArray());}}catch(\Exception$e){echo'Error: '.$e->getMessage();}
The above request returns JSON structured like this:
curl -X POST "https://api.instapage.com/v1/workspaces/{workspaceId}/groups"\-H"Authorization: Bearer TOKEN"\-H"Content-Type: application/json"\-d'{"name": "New Group"}'
asyncfunctioncreateGroup(workspaceId,name,apiKey){consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/groups`;constresponse=awaitfetch(url,{method:'POST',headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},body:JSON.stringify({name})});if(response.statusCode!==201){thrownewError(`Failed to create group: ${response.statusText}`);}returnawaitresponse.json();}
typeGroupResponse={data:{id:number;name:string;pages:number[];};meta:{workspaceId:number;};};asyncfunctioncreateGroup(workspaceId:number,name:string,apiKey:string):Promise<GroupResponse>{consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/groups`;constresponse=awaitfetch(url,{method:'POST',headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},body:JSON.stringify({name})});if(response.statusCode!==201){thrownewError(`Failed to create group: ${response.statusText}`);}returnawaitresponse.json();}
<?phpdeclare(strict_types=1);namespaceInstapageGroupCreator;readonlyclassGroup{publicfunction__construct(publicint$id,publicstring$name,publicarray$pages){}publicstaticfunctionfromArray(array$data):self{returnnewself($data['id'],$data['name'],$data['pages']??[]);}publicfunctiontoArray():array{return['id'=>$this->id,'name'=>$this->name,'pages'=>$this->pages];}}classGroupCreator{publicfunction__construct(privatestring$baseUrl,privatestring$apiKey){}publicfunctioncreateGroup(int$workspaceId,string$name):Group{$url=sprintf('%s/v1/workspaces/%d/groups',$this->baseUrl,$workspaceId);$payload=json_encode(['name'=>$name]);$ch=curl_init($url);curl_setopt_array($ch,[CURLOPT_RETURNTRANSFER=>true,CURLOPT_POST=>true,CURLOPT_POSTFIELDS=>$payload,CURLOPT_HTTPHEADER=>['Authorization: Bearer '.$this->apiKey,'Content-Type: application/json']]);$responseBody=curl_exec($ch);$httpCode=curl_getinfo($ch,CURLINFO_HTTP_CODE);if(curl_errno($ch)){thrownew\RuntimeException('CURL Error: '.curl_error($ch));}curl_close($ch);if($httpCode!==201){thrownew\RuntimeException("Failed to create group: HTTP $httpCode");}$responseData=json_decode($responseBody,true);returnGroup::fromArray($responseData['data']);}}// Example usagetry{$baseUrl='https://api.instapage.com';$apiKey='your_api_key_here';$workspaceId=7068;$groupName='New Group';$creator=newGroupCreator($baseUrl,$apiKey);$newGroup=$creator->createGroup($workspaceId,$groupName);echo"Group created with ID: ".$newGroup->id." and name: ".$newGroup->name;}catch(\Exception$e){echo'Error: '.$e->getMessage();}
The above request returns JSON structured like this:
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"}'
asyncfunctionupdateGroup(workspaceId,groupId,name,apiKey){consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/groups/${groupId}`;constresponse=awaitfetch(url,{method:'PUT',headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},body:JSON.stringify({name})});if(!response.ok){thrownewError(`Failed to update group: ${response.statusText}`);}returnresponse.status===200;}
asyncfunctionupdateGroup(workspaceId:number,groupId:number,name:string,apiKey:string):Promise<boolean>{consturl=`https://api.instapage.com/v1/workspaces/${workspaceId}/groups/${groupId}`;constresponse=awaitfetch(url,{method:'PUT',headers:{'Authorization':`Bearer ${apiKey}`,'Content-Type':'application/json'},body:JSON.stringify({name})});if(!response.ok){thrownewError(`Failed to update group: ${response.statusText}`);}returnresponse.status===200;}
<?phpdeclare(strict_types=1);namespaceInstapageGroupUpdater;classGroupUpdater{publicfunction__construct(privatestring$baseUrl,privatestring$apiKey){}publicfunctionupdateGroup(int$workspaceId,int$groupId,string$name):bool{$url=sprintf('%s/v1/workspaces/%d/groups/%d',$this->baseUrl,$workspaceId,$groupId);$payload=json_encode(['name'=>$name]);$ch=curl_init($url);curl_setopt_array($ch,[CURLOPT_RETURNTRANSFER=>true,CURLOPT_CUSTOMREQUEST=>'PUT',CURLOPT_POSTFIELDS=>$payload,CURLOPT_HTTPHEADER=>['Authorization: Bearer '.$this->apiKey,'Content-Type: application/json']]);$responseBody=curl_exec($ch);$httpCode=curl_getinfo($ch,CURLINFO_HTTP_CODE);if(curl_errno($ch)){thrownew\RuntimeException('CURL Error: '.curl_error($ch));}curl_close($ch);if($httpCode!==200){thrownew\RuntimeException("Failed to update group: HTTP $httpCode");}returntrue;}}// Example usagetry{$baseUrl='https://api.instapage.com';$apiKey='your_api_key_here';$workspaceId=7068;$groupId=7357;$newName='Updated Group Name';$updater=newGroupUpdater($baseUrl,$apiKey);$result=$updater->updateGroup($workspaceId,$groupId,$newName);if($result){echo"Group updated successfully.";}}catch(\Exception$e){echo'Error: '.$e->getMessage();}
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
Content-Type: application/json
Authorization: Bearer TOKEN
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
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.
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
importfsfrom'fs';import{finished}from'stream/promises';importhttpsfrom'https';classInstapageAPI{constructor(token){this.token=token;this.baseURL='https://api.instapage.com/v1';}getAllWorkspaces(){returnthis.request('/workspaces');}request(endpoint,method,data){method=method||'GET';consturl=this.baseURL+endpoint;constoptions={method:method,headers:{'Authorization':'Bearer '+this.token,'Content-Type':'application/json'}};returnnewPromise((resolve,reject)=>{constreq=https.request(url,options,(res)=>{letresponseBody='';res.on('data',(chunk)=>{responseBody+=chunk;});res.on('end',()=>{if(res.statusCode>=200&&res.statusCode<300){resolve(JSON.parse(responseBody));}else{reject(newError('HTTP Error: '+res.statusCode+', URL: '+url+', RESPONSE: '+responseBody));}});});req.on('error',(error)=>{reject(newError('Request error: '+error.message));});if(method==='POST'&&data){req.write(JSON.stringify(data));}req.end();});}getAllPages(workspaceId){returnthis.request('/workspaces/'+workspaceId+'/pages');}getFormSubmissions(workspaceId,pageIds){constself=this;returnnewPromise((resolve,reject)=>{letresults=[];constmaxOfRounds=Math.ceil(pageIds.length/100);letcurrentRound=0;functionprocessRound(){if(currentRound>=maxOfRounds){resolve(results);return;}constselectedPageIds=pageIds.slice(currentRound*100,(currentRound+1)*100);constdata={pages:selectedPageIds,timeframe:{start:Math.floor(Date.now()/1000)-30*24*60*60,end:Math.floor(Date.now()/1000)}};self.request('/workspaces/'+workspaceId+'/submissions','POST',data).then(function(response){results=results.concat(response.data.submissions);currentRound++;processRound();}).catch(reject);}processRound();});}getAnalytics(workspaceId,pageIds){constself=this;returnnewPromise((resolve,reject)=>{letresults=[];constmaxOfRounds=Math.ceil(pageIds.length/100);letcurrentRound=0;functionprocessRound(){if(currentRound>=maxOfRounds){resolve(results);return;}constselectedPageIds=pageIds.slice(currentRound*100,(currentRound+1)*100);constdata={pages:selectedPageIds,interval:'daily',timeframe:{start:Math.floor(Date.now()/1000)-30*24*60*60,end:Math.floor(Date.now()/1000)},grouping:['pageId']};self.request('/workspaces/'+workspaceId+'/analytics','POST',data).then(function(response){results=results.concat(response.data);currentRound++;processRound();}).catch(reject);}processRound();});}}functioncreateCsv(filename,data,headers){returnnewPromise((resolve,reject)=>{constcsvContent=[headers.join(','),...data.map(row=>row.map(String).join(','))].join('\n');fs.writeFile(filename,csvContent,function(err){if(err){reject(err);}else{console.log('CSV file "'+filename+'" created successfully.');resolve();}});});}functionmain(){consttoken='';// Replace with your actual API tokenconstapi=newInstapageAPI(token);api.getAllWorkspaces().then(function(response){constworkspaces=response.data;console.log('Found '+workspaces.length+' workspaces');constallLeads=[];constallAnalytics=[];functionprocessWorkspace(index){if(index>=workspaces.length){returnPromise.all([createCsv('leads.csv',allLeads,['Workspace ID','Workspace Name','Page ID','Submission ID','Created At','Fields']),createCsv('analytics.csv',allAnalytics,['Workspace ID','Workspace Name','Page ID','Date','Visits','Conversions','Leads'])]);}constworkspace=workspaces[index];console.log('Processing workspace: '+workspace.workspaceName+' (ID: '+workspace.workspaceId+')');returnapi.getAllPages(workspace.workspaceId).then(function(response){constpages=response.data;console.log('Found '+pages.length+' pages in workspace '+workspace.workspaceName);constpageIds=pages.map(function(page){returnpage.id;});returnPromise.all([api.getFormSubmissions(workspace.workspaceId,pageIds),api.getAnalytics(workspace.workspaceId,pageIds)]);}).then(function([submissions,analytics]){submissions.forEach(function(submission){allLeads.push([workspace.workspaceId,workspace.workspaceName,submission.pageId,submission.id,submission.createdAt,JSON.stringify(submission.fields)]);});analytics.forEach(function(analytic){allAnalytics.push([workspace.workspaceId,workspace.workspaceName,analytic.key.pageId,analytic.key.date,analytic.visit,analytic.conversion,analytic.leads]);});returnprocessWorkspace(index+1);});}returnprocessWorkspace(0);}).then(function(){console.log('All data processed successfully.');}).catch(function(error){console.error('An error occurred:',error.message);});}main();
Code Overview
This example uses TypeScript with Node.js version 22.9.0. It demonstrates how to:
Authenticate with the Instapage API
Fetch all workspaces
For each workspace, fetch all pages
Get form submissions for each page
Get analytics data for each page
Export the collected data to CSV files
Key Components
InstapageAPI class: Handles all API interactions
createCsv function: Exports data to CSV format
main function: Orchestrates the entire data collection process
Endpoints Used
/workspaces: GET request to fetch all workspaces
/workspaces/{workspaceId}/pages: GET request to fetch all pages in a workspace
/workspaces/{workspaceId}/submissions: POST request to fetch form submissions
/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
node -v# Should be v22.9.0
npm -v# Should be 10.8.3
node example.js # Replace example.js with your file name
constfs=require('fs');consthttps=require('https');classInstapageAPI{constructor(token){this.token=token;this.baseURL='https://api.instapage.com/v1';}getAllWorkspaces(){returnthis.request('/workspaces');}request(endpoint,method,data){method=method||'GET';consturl=this.baseURL+endpoint;constoptions={method:method,headers:{'Authorization':'Bearer '+this.token,'Content-Type':'application/json'}};returnnewPromise((resolve,reject)=>{constreq=https.request(url,options,(res)=>{letresponseBody='';res.on('data',(chunk)=>{responseBody+=chunk;});res.on('end',()=>{if(res.statusCode>=200&&res.statusCode<300){resolve(JSON.parse(responseBody));}else{reject(newError('HTTP Error: '+res.statusCode+', URL: '+url+', RESPONSE: '+responseBody));}});});req.on('error',(error)=>{reject(newError('Request error: '+error.message));});if(method==='POST'&&data){req.write(JSON.stringify(data));}req.end();});}getAllPages(workspaceId){returnthis.request('/workspaces/'+workspaceId+'/pages');}getFormSubmissions(workspaceId,pageIds){constself=this;returnnewPromise((resolve,reject)=>{letresults=[];constmaxOfRounds=Math.ceil(pageIds.length/100);letcurrentRound=0;functionprocessRound(){if(currentRound>=maxOfRounds){resolve(results);return;}constselectedPageIds=pageIds.slice(currentRound*100,(currentRound+1)*100);constdata={pages:selectedPageIds,timeframe:{start:Math.floor(Date.now()/1000)-30*24*60*60,end:Math.floor(Date.now()/1000)}};self.request('/workspaces/'+workspaceId+'/submissions','POST',data).then(function(response){results=results.concat(response.data.submissions);currentRound++;processRound();}).catch(reject);}processRound();});}getAnalytics(workspaceId,pageIds){constself=this;returnnewPromise((resolve,reject)=>{letresults=[];constmaxOfRounds=Math.ceil(pageIds.length/100);letcurrentRound=0;functionprocessRound(){if(currentRound>=maxOfRounds){resolve(results);return;}constselectedPageIds=pageIds.slice(currentRound*100,(currentRound+1)*100);constdata={pages:selectedPageIds,interval:'daily',timeframe:{start:Math.floor(Date.now()/1000)-30*24*60*60,end:Math.floor(Date.now()/1000)},grouping:['pageId']};self.request('/workspaces/'+workspaceId+'/analytics','POST',data).then(function(response){results=results.concat(response.data);currentRound++;processRound();}).catch(reject);}processRound();});}}functioncreateCsv(filename,data,headers){returnnewPromise((resolve,reject)=>{constcsvContent=[headers.join(','),...data.map(row=>row.map(String).join(','))].join('\n');fs.writeFile(filename,csvContent,function(err){if(err){reject(err);}else{console.log('CSV file "'+filename+'" created successfully.');resolve();}});});}functionmain(){consttoken='';// Replace with your actual API tokenconstapi=newInstapageAPI(token);api.getAllWorkspaces().then(function(response){constworkspaces=response.data;console.log('Found '+workspaces.length+' workspaces');constallLeads=[];constallAnalytics=[];functionprocessWorkspace(index){if(index>=workspaces.length){returnPromise.all([createCsv('leads.csv',allLeads,['Workspace ID','Workspace Name','Page ID','Submission ID','Created At','Fields']),createCsv('analytics.csv',allAnalytics,['Workspace ID','Workspace Name','Page ID','Date','Visits','Conversions','Leads'])]);}constworkspace=workspaces[index];console.log('Processing workspace: '+workspace.workspaceName+' (ID: '+workspace.workspaceId+')');returnapi.getAllPages(workspace.workspaceId).then(function(response){constpages=response.data;console.log('Found '+pages.length+' pages in workspace '+workspace.workspaceName);constpageIds=pages.map(function(page){returnpage.id;});returnPromise.all([api.getFormSubmissions(workspace.workspaceId,pageIds),api.getAnalytics(workspace.workspaceId,pageIds)]);}).then(function(results){constsubmissions=results[0];constanalytics=results[1];submissions.forEach(function(submission){allLeads.push([workspace.workspaceId,workspace.workspaceName,submission.pageId,submission.id,submission.createdAt,JSON.stringify(submission.fields)]);});analytics.forEach(function(analytic){allAnalytics.push([workspace.workspaceId,workspace.workspaceName,analytic.key.pageId,analytic.key.date,analytic.visit,analytic.conversion,analytic.leads]);});returnprocessWorkspace(index+1);});}returnprocessWorkspace(0);}).then(function(){console.log('All data processed successfully.');}).catch(function(error){console.error('An error occurred:',error.message);});}main();
This example is similar to the TypeScript version but uses plain JavaScript. The functionality and endpoints used are the same.
PHP Example
php -v# Should be PHP 7.4.33 (cli)
php example.php # Replace example.php with your file name
<?phpclassInstapageAPI{private$token;private$baseURL='https://api.instapage.com/v1';publicfunction__construct($token){$this->token=$token;}publicfunctiongetAllWorkspaces(){$response=$this->request('/workspaces');return$response['data'];}privatefunctionrequest($endpoint,$method='GET',$data=null){$url=$this->baseURL.$endpoint;$headers=['Authorization: Bearer '.$this->token,'Content-Type: application/json'];$ch=curl_init();curl_setopt($ch,CURLOPT_URL,$url);curl_setopt($ch,CURLOPT_RETURNTRANSFER,true);curl_setopt($ch,CURLOPT_HTTPHEADER,$headers);if($method==='POST'){curl_setopt($ch,CURLOPT_POST,true);if($data){curl_setopt($ch,CURLOPT_POSTFIELDS,json_encode($data));}}$response=curl_exec($ch);if(curl_errno($ch)){thrownewException('Curl error: '.curl_error($ch));}$httpCode=curl_getinfo($ch,CURLINFO_HTTP_CODE);curl_close($ch);if($httpCode>=200&&$httpCode<300){returnjson_decode($response,true);}else{thrownewException("HTTP Error: $httpCode, URL: $url, RESPONSE: $response");}}publicfunctiongetAllPages($workspaceId){$response=$this->request("/workspaces/$workspaceId/pages");return$response['data'];}publicfunctiongetFormSubmissions($workspaceId,$pageIds){$results=[];$currentRound=0;$maxOfRounds=ceil(count($pageIds)/100);while($currentRound<$maxOfRounds){$selectedPageIds=array_slice($pageIds,$currentRound*100,100);$data=['pages'=>$selectedPageIds,'timeframe'=>['start'=>strtotime('-30 days'),'end'=>time()]];$response=$this->request("/workspaces/$workspaceId/submissions",'POST',$data);$results=[...$results,...$response['data']['submissions']];$currentRound+=1;}return$results;}publicfunctiongetAnalytics($workspaceId,$pageIds){$results=[];$currentRound=0;$maxOfRounds=ceil(count($pageIds)/100);while($currentRound<$maxOfRounds){$selectedPageIds=array_slice($pageIds,$currentRound*100,100);$data=['pages'=>$selectedPageIds,'interval'=>'daily','timeframe'=>['start'=>strtotime('-30 days'),'end'=>time()],'grouping'=>['pageId']];$response=$this->request("/workspaces/$workspaceId/analytics",'POST',$data);$results=[...$results,...$response['data']];$currentRound+=1;}return$results;}}functioncreateCsv($filename,$data,$headers){$fp=fopen($filename,'w');fputcsv($fp,$headers);foreach($dataas$row){fputcsv($fp,$row);}fclose($fp);echo"CSV file '$filename' created successfully.\n";}functionmain(){$token='';// Replace with your actual API token$api=newInstapageAPI($token);try{$workspaces=$api->getAllWorkspaces();echo"Found ".count($workspaces)." workspaces\n";$allLeads=[];$allAnalytics=[];foreach($workspacesas$workspace){echo"Processing workspace: {$workspace['workspaceName']} (ID: {$workspace['workspaceId']})\n";$pages=$api->getAllPages($workspace['workspaceId']);echo"Found ".count($pages)." pages in workspace {$workspace['workspaceName']}\n";$pageIds=array_column($pages,'id');// Fetch and process leads$submissions=$api->getFormSubmissions($workspace['workspaceId'],$pageIds);foreach($submissionsas$submission){$allLeads[]=[$workspace['workspaceId'],$workspace['workspaceName'],$submission['pageId'],$submission['id'],$submission['createdAt'],json_encode($submission['fields'])];}// Fetch and process analytics$analytics=$api->getAnalytics($workspace['workspaceId'],$pageIds);foreach($analyticsas$analytic){$allAnalytics[]=[$workspace['workspaceId'],$workspace['workspaceName'],$analytic['key']['pageId'],$analytic['key']['date'],$analytic['visit'],$analytic['conversion'],$analytic['leads']];}}// Create CSV for leadscreateCsv('leads.csv',$allLeads,['Workspace ID','Workspace Name','Page ID','Submission ID','Created At','Fields']);// Create CSV for analyticscreateCsv('analytics.csv',$allAnalytics,['Workspace ID','Workspace Name','Page ID','Date','Visits','Conversions','Leads']);}catch(Exception$e){echo"An error occurred: ".$e->getMessage()."\n";}}main();
Code Overview
This example uses PHP 7.4.33 and demonstrates the same functionality as the Node.js examples.
Key Differences
Uses cURL for HTTP requests instead of Node's built-in https module
PHP-specific syntax and conventions
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.