Skip to content

Latest commit

 

History

History
546 lines (373 loc) · 17.1 KB

zenpy.rst

File metadata and controls

546 lines (373 loc) · 17.1 KB

Zenpy

:class:`Zenpy` is a Python wrapper for the Zendesk API. The goal of the project is to make it possible to write clean, fast, Pythonic code when interacting with Zendesk programmatically. The wrapper tries to keep API calls to a minimum. Wherever it makes sense objects are cached, and attributes of objects that would trigger an API call are evaluated lazily.

The wrapper supports both reading and writing from the API.

:class:`Zenpy` supports both Python2 and Python3.

Installation

pip install zenpy

Usage

First, create a :class:`Zenpy` object:

# Zenpy accepts an API token
creds = {
    'email' : 'youremail',
    'token' : 'yourtoken',
    'subdomain': 'yoursubdomain'
}

# An OAuth token
creds = {
  "subdomain": "yoursubdomain",
  "oauth_token": "youroathtoken"
}

# Or a password
creds = {
    'email' : 'youremail',
    'password' : 'yourpassword',
    'subdomain': 'yoursubdomain'
}

# Import the Zenpy Class
from zenpy import Zenpy

# Default
zenpy_client = Zenpy(**creds)

# Alternatively you can provide your own requests.Session object
zenpy_client = Zenpy(**creds, session=some_session)

# If you are providing your own HTTPAdapter object, Zenpy provides defaults via the
# Zenpy.http_adapter_kwargs() method. You can choose to use these defaults like so:
session = requests.Session()
session.mount('https://', MyAdapter(**Zenpy.http_adapter_kwargs()))
zenpy_client = Zenpy(**creds, session=some_session)

Custom Domains

By default zenpy will make request to:

https://{subdomain}.{domain}/{endpoint}

(with domain being by default zendesk.com), in some cases you may want to override this behaviour (like for local testing or if you have a custom domain for zendesk) You can do this by setting the environment variables:

  • ZENPY_FORCE_NETLOC
  • ZENPY_FORCE_SCHEME (default to https)

when set it will force request on:

{scheme}://{netloc}/endpoint

Searching the API

All of the search parameters defined in the Zendesk search documentation should work fine in :class:`Zenpy`. Searches are performed by passing keyword arguments to the search endpoint. The keyword arguments line up with the Zendesk search documentation and are mapped as follows:

Keyword Operator
keyword : (equality)
*_greater_than > (numeric|type)
*_less_than < (numeric|type)
*_after > (time|date)
*_before < (time|date)
minus - (negation)
*_between > < (dates only)

For example, the code:

yesterday = datetime.datetime.now() - datetime.timedelta(days=1)
today = datetime.datetime.now()
for ticket in zenpy_client.search("zenpy", created_between=[yesterday, today], type='ticket', minus='negated'):
    print ticket

Would generate the following API call:

/api/v2/search.json?query=zenpy+created>2015-08-29 created<2015-08-30+type:ticket+-negated

The ordering can be controlled by passing the sort_by and/or sort_order parameters as keyword arguments, eg:

zenpy_client.search("some query", type='ticket', sort_by='created_at', sort_order='desc')

See the Zendesk docs for more information.

Querying the API

The :class:`Zenpy` object contains methods for accessing many top level endpoints, and they can be called in one of three ways - no arguments returns all results (as a generator):

for user in zenpy_client.users():
    print user.name

Called with an id returns the object with that ID:

print zenpy_client.users(id=1159307768)

And the last option for many endpoints to get list of several items, use ids for this. Accepts lists of ids, not list of objects! show_many.json should exist in Zendesk endpoint, search API docs.

Example with several ids, returns generator objects:

print zenpy_client.users(ids=[1000000001, 1000000002])

You can also filter by passing in permission_set or role.

In addition to the top level endpoints there are several secondary level endpoints that reference the level above. For example, if you wanted to print all the comments on a ticket:

for comment in zenpy_client.tickets.comments(ticket=86):
    print comment.body

Or organizations attached to a user:

for organization in zenpy_client.users.organizations(user=1276936927):
    print organization.name

You could do so with these second level endpoints.

The vast majority of endpoints are supported, however I've chosen not to implement some that seemed unlikely to be used. If there is an endpoint that you would like to see implemented, just create a issue and I'll look into it.

Creating, Updating and Deleting API Objects

Many endpoints support the create, update and delete operations. For example we can create a User with the following code:

from zenpy.lib.api_objects import User

user = User(name="John Doe", email="john@doe.com")
created_user = zenpy_client.users.create(user)

The create method returns the created object with it's various attributes (such as id/ created_at) filled in by Zendesk.

We can update this user by modifying it's attributes and calling the update method:

created_user.role = 'agent'
created_user.phone = '123 434 333'
modified_user = zenpy_client.users.update(created_user)

Like create, the update method returns the modified object.

Next, let's assign all new tickets to this user:

for new_ticket in zenpy_client.search(type='ticket', status='new'):
    new_ticket.assignee = modified_user
    ticket_audit = zenpy_client.tickets.update(new_ticket)

When updating a ticket, a TicketAudit object is returned. This object contains the newly updated Ticket as well as some additional information in the Audit object.

Finally, let's delete all the tickets assigned to the user:

for ticket in zenpy_client.search(type='ticket', assignee='John Doe'):
    zenpy.tickets.delete(ticket)

Deleting ticket returns nothing on success and raises an ApiException on failure.

Bulk Operations

Zendesk supports bulk creating, updating and deleting API objects, and so does :class:`Zenpy`. The create, update and delete methods all accept either an object, or a list of objects.

For example, the code:

job_status = zenpy_client.tickets.create(
    [Ticket(subject="Ticket%s" % i, description="Bulk") for i in range(0, 20)]
)

will create 20 tickets in one API call. When performing bulk operations, a JobStatus object is returned. The only exception to this is bulk delete operations, which return nothing on success and raise a APIException on failure.

Notes:

1. It is important to note that these bulk endpoints have restrictions on the number of objects that can be processed at one time (usually 100). :class:`Zenpy` makes no attempt to regulate this. Most endpoints will throw an APIException if that limit is exceeded, however some simply process the first N objects and silently discard the rest.

2. On high intensive job loads (intensive imports, permanent delete operations, etc) Zendesk side API does not return /api/v2/job_statuses/{job_id}.json page, so if you try to query it with:

job_status = zenpy_client.job_status(id={job_id})

you will get HTTPError. In same time page: /api/v2/job_statuses/ always exist and contains last 100 jobs. So parse whole job list to get results:

job_id = 'some Zendesk job id'
job_statuses = zenpy_client.job_status()
for job in job_statuses:
    if job.id == job_id:
        do something

Incremental Exports

Zendesk has several incremental API endpoints (Zendesk documentation) to export items in bulk (up to 1000 items per request) and also to poll the API for changes since a point in time.

Incremental endpoints accept either a datetime object or a unix timestamp as the start_time parameter. For example, the following code will retrieve all users created or modified in the last day:

yesterday = datetime.datetime.now() - datetime.timedelta(days=1)
result_generator = zenpy_client.users.incremental(start_time=yesterday)
for user in result_generator:
    print user.id

The last end_time value can be retrieved from the generator:

print result_generator.end_time

Passing this value to a new call as the start_time will return items created or modified since that point in time.

Pagination

Pagination in :class:`Zenpy` is supported via Python slices. The current implementation has a few limitations:

  • Does not support negative values (no fancy slicing)
  • Always pulls the first 100 objects (sometimes one extra API call than necessary)
  • Does not support multiple accesses of the same slice

Example Usage:

ticket_generator = zenpy_client.tickets()

# Arguments to slice are [start:stop:page_size], they are all optional
tickets = ticket_generator[3950:4000:50]
print(tickets)

# The following examples do what you would expect
tickets = ticket_generator[240:]
tickets = ticket_generator[:207]
tickets = ticket_generator[::]

Cursor Based Generators

Zendesk uses cursor based pagination for the TicketAudit endpoint. The use of a cursor allows you to change the direction in which you consume objects. This is supported in :class:`Zenpy` via the reversed() Python method:

audit_generator = zenpy_client.tickets.audits()
# You can retrieve the cursor values from the generator.
print(audit_generator.after_cursor, audit_generator.before_cursor)

# Iterate over the last 1000 audits.
for audit in audit_generator:
    print(audit)

# You can pass an explicit cursor value to consume audits create after that point.
for audit in zenpy_client.tickets.audits(cursor='fDE1MTc2MjkwNTQuMHx8'):
    print(audit)

# Reversing the generator reverses the direction in which you consume objects. The
# following grabs objects from just before the cursor value until the beginning of time.
for audit in reversed(zenpy_client.tickets.audits(cursor='fDE1MTc2MjkwNTQuMHx8')):
    print(audit)

Zendesk also uses cursor based pagination for incremental Ticket exports and this is recommended over time based pagination for Ticket exports (Zendesk documentation).

The last after_cursor value can be retrieved from the generator:

print result_generator.after_cursor

Passing this value to a new call as zenpy_client.tickets.incremental(cursor=after_cursor, paginate_by_time=False) will return items created or modified since that point in time.

Rate Limiting

Zendesk imposes rate limiting. By default :class:`Zenpy` will detect this and wait the required period before trying again, however for some use cases this is not desirable. :class:`Zenpy` offers two additional configuration options to control rate limiting:

  1. proactive_ratelimit

    If you wish to avoid ever hitting the rate limit you can set the proactive_ratelimit parameter when instantiating :class:`Zenpy`:

    zenpy_client = Zenpy(proactive_ratelimit=700, **creds)
  2. proactive_ratelimit_request_interval

    When utilizing the proactive_ratelimit feature, you can also specify how long to wait when you are over your proactive_ratelimit.

  3. ratelimit_budget

    If you have a maximum amount of time you are willing to wait for rate limiting, you can set the ratelimit_budget parameter. This budget is decremented for every second spent being rate limited, and when the budget is spent throws a RatelimitBudgetExceeded exception. For example, if you wish to wait no more than 60 seconds:

    zenpy_client = Zenpy(ratelimit_budget=60, **creds)

Side-Loading

Zendesk supports "side-loading" objects to reduce the number of API calls necessary to retrieve what you are after Zendesk API Reference. :class:`Zenpy` currently only minimally supports this feature, however I plan to add proper support for it soon. If this is something you really want raise an issue and I will get to it sooner. To take advantage of this feature for those endpoints that support it, simple pass an include kwarg with the objects you would like to load, eg:

for ticket in zenpy_client.tickets(include=['users']):
    print(ticket.submitter)

The code above will not need to generate an additional API call to retrieve the submitter as it was returned and cached along with the ticket.

Caching

:class:`Zenpy` support caching objects to prevent API calls, and each :class:`Zenpy` instance has it's own set of caches.

If we turn logging on, we can see :class:`Zenpy` caching in action. The code:

me = zenpy_client.users.me()
user = zenpy_client.users(id=me.id)
user = zenpy_client.users(id=me.id)

Outputs:

DEBUG - GET: https://d3v-zenpydev.zendesk.com/api/v2/users/me.json - {'timeout': 60.0}
DEBUG - Caching: [User(id=116514121092)]
DEBUG - Cache HIT: [User 116514121092]
DEBUG - Cache HIT: [User 116514121092]

Here we see that only one API call is generated, as the user already existed in the cache after the first call.

This feature is especially useful when combined with side-loading. As an example, the following code:

ticket = zenpy_client.tickets(id=6569, include='users')
print(ticket.requester.name)

Outputs:

DEBUG - Cache MISS: [Ticket 6569]
DEBUG - GET: https://d3v-zenpydev.zendesk.com/api/v2/tickets/6569.json?include=users - {'timeout': 60.0}
DEBUG - Caching: [Ticket(id=6569)]
DEBUG - Caching: [User(id=116514121092)]
DEBUG - Cache HIT: [User 116514121092]

We can see that because we "side-loaded" users, an extra API call was not generated when we attempted to access the requester attribute.

Controlling Caching

The :class:`Zenpy` object contains methods for adding, removing and modifying caches. Each object type can have a different cache implementation and settings. For example, you might use a TTLCache for Ticket objects with a timeout of one minute, and a LFUCache for Organization objects. It's even possible to change cache implementations on the fly.

For example, to also cache SatisfactionRatings:

zenpy_client.add_cache(object_type='satisfaction_rating', cache_impl_name='LRUCache', maxsize=10000)

Cache method reference

.. cachedoc::

Default Caches

By default :class:`Zenpy` caches for following objects:

Zenpy Endpoint Reference

.. apidoc::