Use the incremental export API to get items that changed or were created in Zendesk Support since the last request. It works something like this:

  • Request at 5pm: "Give me all the tickets that changed since noon today."
  • Response: "Here are the tickets that changed since noon up until, and including, 5pm."
  • Request at 7pm: "Give me the tickets that changed since 5pm."
  • Response: "Here are the tickets that changed since 5pm up until, and including, 7pm."

To learn more, see the following topics in Using the Incremental Export API:

Rate limits

You can make up to 10 requests per minute to these endpoints.

The rate limiting mechanism behaves identically to the one described in Rate limits. We recommend using the Retry-After header value as described in Catching errors caused by rate limiting.

JSON Format

The exported items are represented as JSON objects. The format depends on the exported resource and pagination type, but all have the following additional common attribute:

Name Type Comment
end_of_stream boolean true if the current request has returned all the results up to the current time; false otherwise

To test the response format of an incremental export for a specific resource, you can run a sample export that returns only up to 50 results per request. See Incremental Sample Export.

Cursor-based Pagination JSON Format

Name Type Comment
after_url string URL to fetch the next page of results
after_cursor string Cursor to fetch the next page of results
before_url string URL to fetch the previous page of results. If there's no previous page, the value is null
before_cursor string Cursor to fetch the previous page of results. If there's no previous page, the value is null

Time-based Pagination JSON Format

Name Type Comment
end_time date The most recent time present in the result set expressed as a Unix epoch time. Use as the start_time to fetch the next page of results
next_page string URL to fetch the next page of results
count integer The number of results returned for the current request

Query String Parameters

Name Required Comment
start_time yes A start time expressed as a Unix epoch time. See start_time
cursor cursor only A cursor pointer. See cursor
per_page no Number of results to return per page, up to a maximum of 1,000. If the parameter is not specified, the default number is 1,000. See per_page
include no The name of a resource to side-load. See include
exclude_deleted no Whether or not you'd like to exclude deleted tickets from the response. See exclude_deleted

start_time

Specifies a time expressed as a Unix epoch time. All endpoints require a start_time parameter for the initial export. Example:

GET /api/v2/incremental/tickets/cursor.json?start_time=1532034771

The start_time of the initial export is arbitrary. The time must be more than one minute in the past to avoid missing data. To prevent race conditions, the ticket and ticket event export endpoints will not return data for the most recent minute.

When using time-based incremental exports, subsequent pages and exports use the start_time parameter.

When using cursor-based incremental exports, the start_time parameter is only used in the initial request. Subsequent pages and exports use the cursor parameter.

cursor

Specifies a cursor pointer when using cursor-based exports. The cursor parameter is used to fetch the next page of results or to make the next export. The start_time parameter is used once to fetch the initial page of the initial export, then cursor is used for subsequent pages and exports.

The cursor parameter is only supported for incremental ticket exports.

Example:

https://{{subdomain}}.zendesk.com/api/v2/incremental/tickets/cursor.json?cursor=MTU3NjYxMzUzOS4wfHw0Njd8

See Paginating through lists using cursor pagination for more details.

per_page

Specifies the number of results to be returned per page, up to a maximum of 1,000. The default is 1,000. The following incremental exports support the per_page parameter:

Example:

https://{subdomain}.zendesk.com/api/v2/incremental/tickets.json?per_page=100&start_time=1332034771

If requests are slow or begin to time out, the page size might be too large. Use the per_page parameter to reduce the number of results per page. We recommend progressively backing-off on the per_page parameter after each time out.

Note: In time-based exports, the system may exceed the 1000-item default return limit if items share the same timestamp. If exporting tickets, using cursor-based pagination can fix this issue.

include

Side-loads other resources. The following incremental exports support the include parameter:

Add an include query parameter specifying the associations you want to load. Example:

https://{subdomain}.zendesk.com/api/v2/incremental/tickets.json?start_time=1332034771&include=metric_sets

See Side-Loading in the core API docs as well as any specific sideloading information in the endpoint docs below.

Note: The last_audits side-load is not supported on incremental endpoints for performance reasons.

exclude_deleted

If true, excludes deleted tickets from the response. By default, deletions will appear in the ticket stream. If used in combination with the Incremental Ticket Export, you can separate your deleted ticket activity from your live data.

Example:

https://{subdomain}.zendesk.com/api/v2/incremental/tickets/cursor.json?exclude_deleted=true&cursor=MTU3NjYxMzUzOS4wfHw0Njd8

Incremental Ticket Metric Event Export

See List Ticket Metric Events.

Incremental Article Export

See List Articles in the Help Center API docs.

Incremental Ticket Export, Cursor Based

  • GET /api/v2/incremental/tickets/cursor?start_time={start_time}

Returns the tickets that changed since the start time. For more information, see Exporting tickets in Using the Incremental Exports API.

This endpoint supports cursor-based incremental exports. Cursor-based exports are highly encouraged because they provide more consistent performance and response body sizes. For more information, see Cursor-based incremental exports in Using the Incremental Exports API.

Allowed For

  • Admins

Sideloading

See Tickets sideloads. For performance reasons, last_audits sideloads aren't supported.

Parameters

Name Type In Required Description
cursor string Query false The cursor pointer to work with for all subsequent exports after the initial request
start_time integer Query true The time to start the incremental export from. Must be at least one minute in the past. Data isn't provided for the most recent minute

Code Samples

curl

Cursor-based export

# Cursor-based export, Initial requestcurl https://{subdomain}.zendesk.com/api/v2/incremental/tickets/cursor.json?start_time=1332034771 \  -v -u {email_address}:{password}
# Cursor-based export, Subsequent requestscurl https://{subdomain}.zendesk.com/api/v2/incremental/tickets/cursor.json?cursor=MTU3NjYxMzUzOS4wfHw0NTF8 \  -v -u {email_address}:{password}
Go
import (	"fmt"	"io"	"net/http")
func main() {	url := "https://example.zendesk.com/api/v2/incremental/tickets/cursor?cursor=&start_time=1332034771"	method := "GET"	req, err := http.NewRequest(method, url, nil)
	if err != nil {		fmt.Println(err)		return	}	req.Header.Add("Content-Type", "application/json")	req.Header.Add("Authorization", "Basic <auth-value>") // Base64 encoded "username:password"
	client := &http.Client {}	res, err := client.Do(req)	if err != nil {		fmt.Println(err)		return	}	defer res.Body.Close()
	body, err := io.ReadAll(res.Body)	if err != nil {		fmt.Println(err)		return	}	fmt.Println(string(body))}
Java
import com.squareup.okhttp.*;OkHttpClient client = new OkHttpClient();HttpUrl.Builder urlBuilder = HttpUrl.parse("https://example.zendesk.com/api/v2/incremental/tickets/cursor")		.newBuilder()		.addQueryParameter("cursor", "")		.addQueryParameter("start_time", "1332034771");
Request request = new Request.Builder()		.url(urlBuilder.build())		.method("GET", null)		.addHeader("Content-Type", "application/json")		.addHeader("Authorization", Credentials.basic("your-email", "your-password"))		.build();Response response = client.newCall(request).execute();
Nodejs
var axios = require('axios');
var config = {  method: 'GET',  url: 'https://example.zendesk.com/api/v2/incremental/tickets/cursor',  headers: {	'Content-Type': 'application/json',	'Authorization': 'Basic <auth-value>', // Base64 encoded "username:password"  },  params: {    'cursor': '',    'start_time': '1332034771',  },};
axios(config).then(function (response) {  console.log(JSON.stringify(response.data));}).catch(function (error) {  console.log(error);});
Python
import requests
url = "https://example.zendesk.com/api/v2/incremental/tickets/cursor?cursor=&start_time=1332034771"headers = {	"Content-Type": "application/json",}
response = requests.request(	"GET",	url,	auth=('<username>', '<password>'),	headers=headers)
print(response.text)
Ruby
require "net/http"uri = URI("https://example.zendesk.com/api/v2/incremental/tickets/cursor")uri.query = URI.encode_www_form("cursor": "", "start_time": "1332034771")request = Net::HTTP::Get.new(uri, "Content-Type": "application/json")request.basic_auth "username", "password"response = Net::HTTP.start uri.hostname, uri.port, use_ssl: true do |http|	http.request(request)end

Example response(s)

200 OK
// Status 200 OK
{  "after_cursor": "MTU3NjYxMzUzOS4wfHw0Njd8",  "after_url": "https://{subdomain}.zendesk.com/api/v2/incremental/tickets/cursor.json?cursor=MTU3NjYxMzUzOS4wfHw0Njd8",  "before_cursor": null,  "before_url": null,  "end_of_stream": true,  "tickets": [    {      "assignee_id": 235323,      "collaborator_ids": [        35334,        234      ],      "created_at": "2009-07-20T22:55:29Z",      "custom_fields": [        {          "id": 27642,          "value": "745"        },        {          "id": 27648,          "value": "yes"        }      ],      "description": "The fire is very colorful.",      "due_at": null,      "external_id": "ahg35h3jh",      "follower_ids": [        35334,        234      ],      "from_messaging_channel": false,      "group_id": 98738,      "has_incidents": false,      "id": 35436,      "organization_id": 509974,      "priority": "high",      "problem_id": 9873764,      "raw_subject": "{{dc.printer_on_fire}}",      "recipient": "[email protected]",      "requester_id": 20978392,      "satisfaction_rating": {        "comment": "Great support!",        "id": 1234,        "score": "good"      },      "sharing_agreement_ids": [        84432      ],      "status": "open",      "subject": "Help, my printer is on fire!",      "submitter_id": 76872,      "tags": [        "enterprise",        "other_tag"      ],      "type": "incident",      "updated_at": "2011-05-05T10:38:52Z",      "url": "https://company.zendesk.com/api/v2/tickets/35436.json",      "via": {        "channel": "web"      }    }  ]}

Incremental Ticket Export, Time Based

  • GET /api/v2/incremental/tickets?start_time={start_time}

Returns the tickets that changed since the start time. For more information, see Exporting tickets in Using the Incremental Exports API.

This endpoint supports time-based incremental exports. For more information, see Time-based incremental exports in Using the Incremental Exports API. You can also return tickets using cursor-based pagination. See Incremental Ticket Export, Cursor Based.

The results include tickets that were updated by the system. See Excluding system-updated tickets in Using the Incremental Exports API.

The endpoint can return tickets with an updated_at time that's earlier than the start_time time. The reason is that the API compares the start_time with the ticket's generated_timestamp value, not its updated_at value. The updated_at value is updated only if the update generates a ticket event. The generated_timestamp value is updated for all ticket updates, including system updates. If a system update occurs after a ticket event, the unchanged updated_at time will become earlier relative to the updated generated_timestamp time.

Allowed For

  • Admins

Sideloading

See Tickets sideloads. For performance reasons, last_audits sideloads aren't supported.

Parameters

Name Type In Required Description
start_time integer Query true The time to start the incremental export from. Must be at least one minute in the past. Data isn't provided for the most recent minute

Code Samples

curl

Time-based export

curl https://{subdomain}.zendesk.com/api/v2/incremental/tickets.json?start_time=1332034771 \  -v -u {email_address}:{password}
Go
import (	"fmt"	"io"	"net/http")
func main() {	url := "https://example.zendesk.com/api/v2/incremental/tickets?start_time=1332034771"	method := "GET"	req, err := http.NewRequest(method, url, nil)
	if err != nil {		fmt.Println(err)		return	}	req.Header.Add("Content-Type", "application/json")	req.Header.Add("Authorization", "Basic <auth-value>") // Base64 encoded "username:password"
	client := &http.Client {}	res, err := client.Do(req)	if err != nil {		fmt.Println(err)		return	}	defer res.Body.Close()
	body, err := io.ReadAll(res.Body)	if err != nil {		fmt.Println(err)		return	}	fmt.Println(string(body))}
Java
import com.squareup.okhttp.*;OkHttpClient client = new OkHttpClient();HttpUrl.Builder urlBuilder = HttpUrl.parse("https://example.zendesk.com/api/v2/incremental/tickets")		.newBuilder()		.addQueryParameter("start_time", "1332034771");
Request request = new Request.Builder()		.url(urlBuilder.build())		.method("GET", null)		.addHeader("Content-Type", "application/json")		.addHeader("Authorization", Credentials.basic("your-email", "your-password"))		.build();Response response = client.newCall(request).execute();
Nodejs
var axios = require('axios');
var config = {  method: 'GET',  url: 'https://example.zendesk.com/api/v2/incremental/tickets',  headers: {	'Content-Type': 'application/json',	'Authorization': 'Basic <auth-value>', // Base64 encoded "username:password"  },  params: {    'start_time': '1332034771',  },};
axios(config).then(function (response) {  console.log(JSON.stringify(response.data));}).catch(function (error) {  console.log(error);});
Python
import requests
url = "https://example.zendesk.com/api/v2/incremental/tickets?start_time=1332034771"headers = {	"Content-Type": "application/json",}
response = requests.request(	"GET",	url,	auth=('<username>', '<password>'),	headers=headers)
print(response.text)
Ruby
require "net/http"uri = URI("https://example.zendesk.com/api/v2/incremental/tickets")uri.query = URI.encode_www_form("start_time": "1332034771")request = Net::HTTP::Get.new(uri, "Content-Type": "application/json")request.basic_auth "username", "password"response = Net::HTTP.start uri.hostname, uri.port, use_ssl: true do |http|	http.request(request)end

Example response(s)

200 OK
// Status 200 OK
{  "count": 2,  "end_of_stream": true,  "end_time": 1390362485,  "next_page": "https://{subdomain}.zendesk.com/api/v2/incremental/tickets.json?per_page=3&start_time=1390362485",  "tickets": [    {      "assignee_id": 235323,      "collaborator_ids": [        35334,        234      ],      "created_at": "2009-07-20T22:55:29Z",      "custom_fields": [        {          "id": 27642,          "value": "745"        },        {          "id": 27648,          "value": "yes"        }      ],      "description": "The fire is very colorful.",      "due_at": null,      "external_id": "ahg35h3jh",      "follower_ids": [        35334,        234      ],      "from_messaging_channel": false,      "group_id": 98738,      "has_incidents": false,      "id": 35436,      "organization_id": 509974,      "priority": "high",      "problem_id": 9873764,      "raw_subject": "{{dc.printer_on_fire}}",      "recipient": "[email protected]",      "requester_id": 20978392,      "satisfaction_rating": {        "comment": "Great support!",        "id": 1234,        "score": "good"      },      "sharing_agreement_ids": [        84432      ],      "status": "open",      "subject": "Help, my printer is on fire!",      "submitter_id": 76872,      "tags": [        "enterprise",        "other_tag"      ],      "type": "incident",      "updated_at": "2011-05-05T10:38:52Z",      "url": "https://company.zendesk.com/api/v2/tickets/35436.json",      "via": {        "channel": "web"      }    }  ]}

Incremental Ticket Event Export

  • GET /api/v2/incremental/ticket_events?start_time={start_time}

Returns a stream of changes that occurred on tickets. Each event is tied to an update on a ticket and contains all the fields that were updated in that change. For more information, see:

You can include comments in the event stream by using the comment_events sideload. See Sideloading below. If you don't specify the sideload, any comment present in the ticket update is described only by Boolean comment_present and comment_public object properties in the event's child_events array. The comment itself is not included.

Allowed For

  • Admins

Sideloading

The endpoint supports the comment_events sideload. Any comment present in the ticket update is listed as an object in the event's child_events array. Example:

"child_events": [  {    "id": 91048994488,    "via": {      "channel": "api",      "source": {"from":{},"to":{},"rel":null}},    "via_reference_id":null,    "type": "Comment",    "author_id": 5031726587,    "body": "This is a comment",    "html_body": "&lt;div class="zd-comment"&gt;&lt;p dir="auto"&gt;This is a comment&lt;/p&gt;",    "public": true,    "attachments": [],    "audit_id": 91048994468,    "created_at": "2009-06-25T10:15:18Z",    "event_type": "Comment"  },  ...],...

Parameters

Name Type In Required Description
start_time integer Query true The time to start the incremental export from. Must be at least one minute in the past. Data isn't provided for the most recent minute

Code Samples

curl
curl https://{subdomain}.zendesk.com/api/v2/incremental/ticket_events.json?start_time=1332034771 \  -v -u {email_address}:{password}
Go
import (	"fmt"	"io"	"net/http")
func main() {	url := "https://example.zendesk.com/api/v2/incremental/ticket_events?start_time=1332034771"	method := "GET"	req, err := http.NewRequest(method, url, nil)
	if err != nil {		fmt.Println(err)		return	}	req.Header.Add("Content-Type", "application/json")	req.Header.Add("Authorization", "Basic <auth-value>") // Base64 encoded "username:password"
	client := &http.Client {}	res, err := client.Do(req)	if err != nil {		fmt.Println(err)		return	}	defer res.Body.Close()
	body, err := io.ReadAll(res.Body)	if err != nil {		fmt.Println(err)		return	}	fmt.Println(string(body))}
Java
import com.squareup.okhttp.*;OkHttpClient client = new OkHttpClient();HttpUrl.Builder urlBuilder = HttpUrl.parse("https://example.zendesk.com/api/v2/incremental/ticket_events")		.newBuilder()		.addQueryParameter("start_time", "1332034771");
Request request = new Request.Builder()		.url(urlBuilder.build())		.method("GET", null)		.addHeader("Content-Type", "application/json")		.addHeader("Authorization", Credentials.basic("your-email", "your-password"))		.build();Response response = client.newCall(request).execute();
Nodejs
var axios = require('axios');
var config = {  method: 'GET',  url: 'https://example.zendesk.com/api/v2/incremental/ticket_events',  headers: {	'Content-Type': 'application/json',	'Authorization': 'Basic <auth-value>', // Base64 encoded "username:password"  },  params: {    'start_time': '1332034771',  },};
axios(config).then(function (response) {  console.log(JSON.stringify(response.data));}).catch(function (error) {  console.log(error);});
Python
import requests
url = "https://example.zendesk.com/api/v2/incremental/ticket_events?start_time=1332034771"headers = {	"Content-Type": "application/json",}
response = requests.request(	"GET",	url,	auth=('<username>', '<password>'),	headers=headers)
print(response.text)
Ruby
require "net/http"uri = URI("https://example.zendesk.com/api/v2/incremental/ticket_events")uri.query = URI.encode_www_form("start_time": "1332034771")request = Net::HTTP::Get.new(uri, "Content-Type": "application/json")request.basic_auth "username", "password"response = Net::HTTP.start uri.hostname, uri.port, use_ssl: true do |http|	http.request(request)end

Example response(s)

200 OK
// Status 200 OK
{  "count": 1,  "end_of_stream": true,  "end_time": 1601357503,  "next_page": "https://example.zendesk.com/api/v2/incremental/ticket_events.json?start_time=1601357503",  "ticket_events": [    {      "id": 926256957613,      "instance_id": 1,      "metric": "agent_work_time",      "ticket_id": 155,      "time": "2020-10-26T12:53:12Z",      "type": "measure"    }  ]}

Incremental User Export, Cursor Based

  • GET /api/v2/incremental/users/cursor?start_time={start_time}

Allowed For

  • Admins

Sideloading

See Users sideloads.

Parameters

Name Type In Required Description
cursor string Query false The cursor pointer to work with for all subsequent exports after the initial request
per_page integer Query false The number of records to return per page
start_time integer Query true The time to start the incremental export from. Must be at least one minute in the past. Data isn't provided for the most recent minute

Code Samples

curl

Cursor-based export

# Cursor-based export, Initial requestcurl https://{subdomain}.zendesk.com/api/v2/incremental/users/cursor.json?start_time=1332034771 \  -v -u {email_address}:{password}# Cursor-based export, Subsequent requestscurl https://{subdomain}.zendesk.com/api/v2/incremental/users/cursor.json?cursor=MTU3NjYxMzUzOS4wfHw0NTF8 \  -v -u {email_address}:{password}
Go
import (	"fmt"	"io"	"net/http")
func main() {	url := "https://example.zendesk.com/api/v2/incremental/users/cursor?cursor=&per_page=&start_time=1332034771"	method := "GET"	req, err := http.NewRequest(method, url, nil)
	if err != nil {		fmt.Println(err)		return	}	req.Header.Add("Content-Type", "application/json")	req.Header.Add("Authorization", "Basic <auth-value>") // Base64 encoded "username:password"
	client := &http.Client {}	res, err := client.Do(req)	if err != nil {		fmt.Println(err)		return	}	defer res.Body.Close()
	body, err := io.ReadAll(res.Body)	if err != nil {		fmt.Println(err)		return	}	fmt.Println(string(body))}
Java
import com.squareup.okhttp.*;OkHttpClient client = new OkHttpClient();HttpUrl.Builder urlBuilder = HttpUrl.parse("https://example.zendesk.com/api/v2/incremental/users/cursor")		.newBuilder()		.addQueryParameter("cursor", "")		.addQueryParameter("per_page", "")		.addQueryParameter("start_time", "1332034771");
Request request = new Request.Builder()		.url(urlBuilder.build())		.method("GET", null)		.addHeader("Content-Type", "application/json")		.addHeader("Authorization", Credentials.basic("your-email", "your-password"))		.build();Response response = client.newCall(request).execute();
Nodejs
var axios = require('axios');
var config = {  method: 'GET',  url: 'https://example.zendesk.com/api/v2/incremental/users/cursor',  headers: {	'Content-Type': 'application/json',	'Authorization': 'Basic <auth-value>', // Base64 encoded "username:password"  },  params: {    'cursor': '',    'per_page': '',    'start_time': '1332034771',  },};
axios(config).then(function (response) {  console.log(JSON.stringify(response.data));}).catch(function (error) {  console.log(error);});
Python
import requests
url = "https://example.zendesk.com/api/v2/incremental/users/cursor?cursor=&per_page=&start_time=1332034771"headers = {	"Content-Type": "application/json",}
response = requests.request(	"GET",	url,	auth=('<username>', '<password>'),	headers=headers)
print(response.text)
Ruby
require "net/http"uri = URI("https://example.zendesk.com/api/v2/incremental/users/cursor")uri.query = URI.encode_www_form("cursor": "", "per_page": "", "start_time": "1332034771")request = Net::HTTP::Get.new(uri, "Content-Type": "application/json")request.basic_auth "username", "password"response = Net::HTTP.start uri.hostname, uri.port, use_ssl: true do |http|	http.request(request)end

Example response(s)

200 OK
// Status 200 OK
{  "after_cursor": "MTU3NjYxMzUzOS4wfHw0Njd8",  "after_url": "https://{subdomain}.zendesk.com/api/v2/incremental/users/cursor.json?cursor=MTU3NjYxMzUzOS4wfHw0Njd8",  "before_cursor": null,  "before_url": null,  "end_of_stream": true,  "users": [    {      "active": true,      "alias": "Mr. Johnny",      "created_at": "2009-07-20T22:55:29Z",      "custom_role_id": 9373643,      "details": "",      "email": "[email protected]",      "external_id": "sai989sur98w9",      "id": 35436,      "last_login_at": "2011-05-05T10:38:52Z",      "locale": "en-US",      "locale_id": 1,      "moderator": true,      "name": "Johnny Agent",      "notes": "Johnny is a nice guy!",      "only_private_comments": false,      "organization_id": 57542,      "phone": "+15551234567",      "photo": {        "content_type": "image/png",        "content_url": "https://company.zendesk.com/photos/my_funny_profile_pic.png",        "id": 928374,        "name": "my_funny_profile_pic.png",        "size": 166144,        "thumbnails": [          {            "content_type": "image/png",            "content_url": "https://company.zendesk.com/photos/my_funny_profile_pic_thumb.png",            "id": 928375,            "name": "my_funny_profile_pic_thumb.png",            "size": 58298          }        ]      },      "restricted_agent": true,      "role": "agent",      "role_type": 0,      "shared": false,      "shared_agent": false,      "signature": "Have a nice day, Johnny",      "suspended": true,      "tags": [        "enterprise",        "other_tag"      ],      "ticket_restriction": "assigned",      "time_zone": "Copenhagen",      "updated_at": "2011-05-05T10:38:52Z",      "url": "https://company.zendesk.com/api/v2/users/35436.json",      "user_fields": {        "user_date": "2012-07-23T00:00:00Z",        "user_decimal": 5.1,        "user_dropdown": "option_1"      },      "verified": true    }  ]}

Incremental User Export, Time Based

  • GET /api/v2/incremental/users?start_time={start_time}

Allowed For

  • Admins

Sideloading

See Users sideloads.

Parameters

Name Type In Required Description
per_page integer Query false The number of records to return per page
start_time integer Query true The time to start the incremental export from. Must be at least one minute in the past. Data isn't provided for the most recent minute

Code Samples

curl

Time-based export

curl https://{subdomain}.zendesk.com/api/v2/incremental/users.json?start_time=1332034771 \  -v -u {email_address}:{password}
Go
import (	"fmt"	"io"	"net/http")
func main() {	url := "https://example.zendesk.com/api/v2/incremental/users?per_page=&start_time=1332034771"	method := "GET"	req, err := http.NewRequest(method, url, nil)
	if err != nil {		fmt.Println(err)		return	}	req.Header.Add("Content-Type", "application/json")	req.Header.Add("Authorization", "Basic <auth-value>") // Base64 encoded "username:password"
	client := &http.Client {}	res, err := client.Do(req)	if err != nil {		fmt.Println(err)		return	}	defer res.Body.Close()
	body, err := io.ReadAll(res.Body)	if err != nil {		fmt.Println(err)		return	}	fmt.Println(string(body))}
Java
import com.squareup.okhttp.*;OkHttpClient client = new OkHttpClient();HttpUrl.Builder urlBuilder = HttpUrl.parse("https://example.zendesk.com/api/v2/incremental/users")		.newBuilder()		.addQueryParameter("per_page", "")		.addQueryParameter("start_time", "1332034771");
Request request = new Request.Builder()		.url(urlBuilder.build())		.method("GET", null)		.addHeader("Content-Type", "application/json")		.addHeader("Authorization", Credentials.basic("your-email", "your-password"))		.build();Response response = client.newCall(request).execute();
Nodejs
var axios = require('axios');
var config = {  method: 'GET',  url: 'https://example.zendesk.com/api/v2/incremental/users',  headers: {	'Content-Type': 'application/json',	'Authorization': 'Basic <auth-value>', // Base64 encoded "username:password"  },  params: {    'per_page': '',    'start_time': '1332034771',  },};
axios(config).then(function (response) {  console.log(JSON.stringify(response.data));}).catch(function (error) {  console.log(error);});
Python
import requests
url = "https://example.zendesk.com/api/v2/incremental/users?per_page=&start_time=1332034771"headers = {	"Content-Type": "application/json",}
response = requests.request(	"GET",	url,	auth=('<username>', '<password>'),	headers=headers)
print(response.text)
Ruby
require "net/http"uri = URI("https://example.zendesk.com/api/v2/incremental/users")uri.query = URI.encode_www_form("per_page": "", "start_time": "1332034771")request = Net::HTTP::Get.new(uri, "Content-Type": "application/json")request.basic_auth "username", "password"response = Net::HTTP.start uri.hostname, uri.port, use_ssl: true do |http|	http.request(request)end

Example response(s)

200 OK
// Status 200 OK
{  "count": 1,  "end_of_stream": true,  "end_time": 1601357503,  "next_page": "https://example.zendesk.com/api/v2/incremental/ticket_events.json?start_time=1601357503",  "users": [    {      "active": true,      "alias": "Mr. Johnny",      "created_at": "2009-07-20T22:55:29Z",      "custom_role_id": 9373643,      "details": "",      "email": "[email protected]",      "external_id": "sai989sur98w9",      "id": 35436,      "last_login_at": "2011-05-05T10:38:52Z",      "locale": "en-US",      "locale_id": 1,      "moderator": true,      "name": "Johnny Agent",      "notes": "Johnny is a nice guy!",      "only_private_comments": false,      "organization_id": 57542,      "phone": "+15551234567",      "photo": {        "content_type": "image/png",        "content_url": "https://company.zendesk.com/photos/my_funny_profile_pic.png",        "id": 928374,        "name": "my_funny_profile_pic.png",        "size": 166144,        "thumbnails": [          {            "content_type": "image/png",            "content_url": "https://company.zendesk.com/photos/my_funny_profile_pic_thumb.png",            "id": 928375,            "name": "my_funny_profile_pic_thumb.png",            "size": 58298          }        ]      },      "restricted_agent": true,      "role": "agent",      "role_type": 0,      "shared": false,      "shared_agent": false,      "signature": "Have a nice day, Johnny",      "suspended": true,      "tags": [        "enterprise",        "other_tag"      ],      "ticket_restriction": "assigned",      "time_zone": "Copenhagen",      "updated_at": "2011-05-05T10:38:52Z",      "url": "https://company.zendesk.com/api/v2/users/35436.json",      "user_fields": {        "user_date": "2012-07-23T00:00:00Z",        "user_decimal": 5.1,        "user_dropdown": "option_1"      },      "verified": true    }  ]}

Incremental Organization Export

  • GET /api/v2/incremental/organizations?start_time={start_time}

Allowed For

  • Admins

Sideloading

See Organizations sideloads.

Parameters

Name Type In Required Description
start_time integer Query true The time to start the incremental export from. Must be at least one minute in the past. Data isn't provided for the most recent minute

Code Samples

curl
curl https://{subdomain}.zendesk.com/api/v2/incremental/organizations.json?start_time=1332034771 \  -v -u {email_address}:{password}
Go
import (	"fmt"	"io"	"net/http")
func main() {	url := "https://example.zendesk.com/api/v2/incremental/organizations?start_time=1332034771"	method := "GET"	req, err := http.NewRequest(method, url, nil)
	if err != nil {		fmt.Println(err)		return	}	req.Header.Add("Content-Type", "application/json")	req.Header.Add("Authorization", "Basic <auth-value>") // Base64 encoded "username:password"
	client := &http.Client {}	res, err := client.Do(req)	if err != nil {		fmt.Println(err)		return	}	defer res.Body.Close()
	body, err := io.ReadAll(res.Body)	if err != nil {		fmt.Println(err)		return	}	fmt.Println(string(body))}
Java
import com.squareup.okhttp.*;OkHttpClient client = new OkHttpClient();HttpUrl.Builder urlBuilder = HttpUrl.parse("https://example.zendesk.com/api/v2/incremental/organizations")		.newBuilder()		.addQueryParameter("start_time", "1332034771");
Request request = new Request.Builder()		.url(urlBuilder.build())		.method("GET", null)		.addHeader("Content-Type", "application/json")		.addHeader("Authorization", Credentials.basic("your-email", "your-password"))		.build();Response response = client.newCall(request).execute();
Nodejs
var axios = require('axios');
var config = {  method: 'GET',  url: 'https://example.zendesk.com/api/v2/incremental/organizations',  headers: {	'Content-Type': 'application/json',	'Authorization': 'Basic <auth-value>', // Base64 encoded "username:password"  },  params: {    'start_time': '1332034771',  },};
axios(config).then(function (response) {  console.log(JSON.stringify(response.data));}).catch(function (error) {  console.log(error);});
Python
import requests
url = "https://example.zendesk.com/api/v2/incremental/organizations?start_time=1332034771"headers = {	"Content-Type": "application/json",}
response = requests.request(	"GET",	url,	auth=('<username>', '<password>'),	headers=headers)
print(response.text)
Ruby
require "net/http"uri = URI("https://example.zendesk.com/api/v2/incremental/organizations")uri.query = URI.encode_www_form("start_time": "1332034771")request = Net::HTTP::Get.new(uri, "Content-Type": "application/json")request.basic_auth "username", "password"response = Net::HTTP.start uri.hostname, uri.port, use_ssl: true do |http|	http.request(request)end

Example response(s)

200 OK
// Status 200 OK
{  "count": 1,  "end_of_stream": true,  "end_time": 1601357503,  "next_page": "https://example.zendesk.com/api/v2/incremental/ticket_events.json?start_time=1601357503",  "organizations": [    {      "created_at": "2018-11-14T00:14:52Z",      "details": "caterpillar =)",      "domain_names": [        "remain.com"      ],      "external_id": "ABC198",      "group_id": 1835962,      "id": 4112492,      "name": "Groablet Enterprises",      "notes": "donkey",      "organization_fields": {        "datepudding": "2018-11-04T00:00:00+00:00",        "org_field_1": "happy happy",        "org_field_2": "teapot_kettle"      },      "shared_comments": false,      "shared_tickets": false,      "tags": [        "smiley",        "teapot_kettle"      ],      "updated_at": "2018-11-14T00:54:22Z",      "url": "https://example.zendesk.com/api/v2/organizations/4112492.json"    }  ]}

Incremental Sample Export

  • GET /api/v2/incremental/{incremental_resource}/sample?start_time={start_time}

Use this endpoint to test the incremental export format. It's more strict in terms of rate limiting, at 10 requests per 20 minutes instead of 10 requests per minute. It also returns only up to 50 results per request. Otherwise, it's identical to the above APIs.

Use the incremental_resource parameter to specify the resource. Possible values are "tickets", "ticket_events", "users", or "organizations".

Parameters

Name Type In Required Description
start_time integer Query true The time to start the incremental export from. Must be at least one minute in the past. Data isn't provided for the most recent minute
incremental_resource string Path true The resource requested for incremental sample export

Code Samples

curl
curl https://{subdomain}.zendesk.com/api/v2/incremental/{incremental_resource}/sample.json?start_time={unix_time} \ -v -u {email_address}:{password}
Go
import (	"fmt"	"io"	"net/http")
func main() {	url := "https://example.zendesk.com/api/v2/incremental/tickets/sample?start_time=1332034771"	method := "GET"	req, err := http.NewRequest(method, url, nil)
	if err != nil {		fmt.Println(err)		return	}	req.Header.Add("Content-Type", "application/json")	req.Header.Add("Authorization", "Basic <auth-value>") // Base64 encoded "username:password"
	client := &http.Client {}	res, err := client.Do(req)	if err != nil {		fmt.Println(err)		return	}	defer res.Body.Close()
	body, err := io.ReadAll(res.Body)	if err != nil {		fmt.Println(err)		return	}	fmt.Println(string(body))}
Java
import com.squareup.okhttp.*;OkHttpClient client = new OkHttpClient();HttpUrl.Builder urlBuilder = HttpUrl.parse("https://example.zendesk.com/api/v2/incremental/tickets/sample")		.newBuilder()		.addQueryParameter("start_time", "1332034771");
Request request = new Request.Builder()		.url(urlBuilder.build())		.method("GET", null)		.addHeader("Content-Type", "application/json")		.addHeader("Authorization", Credentials.basic("your-email", "your-password"))		.build();Response response = client.newCall(request).execute();
Nodejs
var axios = require('axios');
var config = {  method: 'GET',  url: 'https://example.zendesk.com/api/v2/incremental/tickets/sample',  headers: {	'Content-Type': 'application/json',	'Authorization': 'Basic <auth-value>', // Base64 encoded "username:password"  },  params: {    'start_time': '1332034771',  },};
axios(config).then(function (response) {  console.log(JSON.stringify(response.data));}).catch(function (error) {  console.log(error);});
Python
import requests
url = "https://example.zendesk.com/api/v2/incremental/tickets/sample?start_time=1332034771"headers = {	"Content-Type": "application/json",}
response = requests.request(	"GET",	url,	auth=('<username>', '<password>'),	headers=headers)
print(response.text)
Ruby
require "net/http"uri = URI("https://example.zendesk.com/api/v2/incremental/tickets/sample")uri.query = URI.encode_www_form("start_time": "1332034771")request = Net::HTTP::Get.new(uri, "Content-Type": "application/json")request.basic_auth "username", "password"response = Net::HTTP.start uri.hostname, uri.port, use_ssl: true do |http|	http.request(request)end

Example response(s)

200 OK
// Status 200 OK
{  "count": 2,  "end_of_stream": true,  "end_time": 1390362485,  "next_page": "https://{subdomain}.zendesk.com/api/v2/incremental/tickets.json?per_page=3&start_time=1390362485",  "tickets": [    {      "assignee_id": 235323,      "collaborator_ids": [        35334,        234      ],      "created_at": "2009-07-20T22:55:29Z",      "custom_fields": [        {          "id": 27642,          "value": "745"        },        {          "id": 27648,          "value": "yes"        }      ],      "description": "The fire is very colorful.",      "due_at": null,      "external_id": "ahg35h3jh",      "follower_ids": [        35334,        234      ],      "from_messaging_channel": false,      "group_id": 98738,      "has_incidents": false,      "id": 35436,      "organization_id": 509974,      "priority": "high",      "problem_id": 9873764,      "raw_subject": "{{dc.printer_on_fire}}",      "recipient": "[email protected]",      "requester_id": 20978392,      "satisfaction_rating": {        "comment": "Great support!",        "id": 1234,        "score": "good"      },      "sharing_agreement_ids": [        84432      ],      "status": "open",      "subject": "Help, my printer is on fire!",      "submitter_id": 76872,      "tags": [        "enterprise",        "other_tag"      ],      "type": "incident",      "updated_at": "2011-05-05T10:38:52Z",      "url": "https://company.zendesk.com/api/v2/tickets/35436.json",      "via": {        "channel": "web"      }    }  ]}