Client library for the Draftable document comparison API
Project description
Draftable Compare API - Python Client Library
A thin Python 2/3 client for the Draftable API which wraps all available endpoints and handles authentication and signing.
See the full API documentation for an introduction to the API, usage notes, and other reference material.
Requirements
- Operating system: Any maintained Linux, macOS, or Windows release
- Python runtime: 2.7 or any maintained version (currently 3.5, 3.6, 3.7, or 3.8)
Getting started
- Create a free API account
- Retrieve your credentials
- Install the library
pip install draftable-compare-api
- Instantiate a client
import draftable
client = draftable.Client('<yourAccountId>', '<yourAuthToken>')
comparisons = client.comparisons
- Start creating comparisons
comparison = comparisons.create(
'https://api.draftable.com/static/test-documents/code-of-conduct/left.rtf',
'https://api.draftable.com/static/test-documents/code-of-conduct/right.pdf'
)
print("Comparison created: {}".format(comparison))
# Generate a signed viewer URL to access the private comparison. The expiry
# time defaults to 30 minutes if the valid_until parameter is not provided.
viewer_url = comparisons.signed_viewer_url(comparison.identifier)
print("Viewer URL (expires in 30 mins): {}".format(viewer_url))
API reference
- The handling of
datetime
objects is as follows:- Any naive
datetime
objects provided in a method call are assumed to be in UTC time. - Returned
datetime
objects are always "aware" (include timezone information) and use UTC.
- Any naive
Initializing the client
The package provides a module, draftable
, which exports a class to create a Client
for your API account.
Client
provides a comparisons
property which yields a ComparisonsEndpoint
to manage the comparisons for your API account.
Creating a Client
differs slightly based on the API endpoint being used:
import draftable
# Draftable API (default endpoint)
account_id = '<yourAccountId>' # Replace with your API credentials from:
auth_token = '<yourAuthToken>' # https://api.draftable.com/account/credentials
client = draftable.Client(account_id, auth_token)
comparisons = client.comparisons
# Draftable API regional endpoint or Self-hosted
base_url = 'https://draftable.example.com/api/v1' # Replace with the endpoint URL
account_id = '<yourAccountId>' # Replace with your API credentials from the regional
auth_token = '<yourAuthToken>' # Draftable API endpoint or your Self-hosted container
client = draftable.Client(account_id, auth_token, base_url)
comparisons = client.comparisons
For API Self-hosted you may need to suppress TLS certificate validation if the server is using a self-signed certificate (the default).
Retrieving comparisons
all()
Returns alist
of all your comparisons, ordered from newest to oldest. This is potentially an expensive operation.get(identifier: str)
Returns the specifiedComparison
or raises aNotFound
exception if the specified comparison identifier does not exist.
Comparison
objects have the following properties:
identifier: str
The unique identifier of the comparisonleft: object
/right: object
Information about each side of the comparisonfile_type: str
The file extensionsource_url: str
(optional)
The URL for the file if the original request was specified by URL, otherwiseNone
display_name: str
(optional)
The display name for the file if given in the original request, otherwiseNone
public: bool
Indicates if the comparison is publiccreation_time: datetime
Time in UTC when the comparison was createdexpiry_time: datetime
(optional)
The expiry time if the comparison is set to expire, otherwiseNone
ready: bool
Indicates if the comparison is ready to display
If a Comparison
is ready (i.e. it has been processed) it has the following additional properties:
ready_time: datetime
Time in UTC the comparison became readyfailed: bool
Indicates if comparison processing failederror_message: str
(only present iffailed
)
Reason processing of the comparison failed
Example usage
from draftable.endpoints import exceptions
identifier = '<identifier>'
try:
comparison = comparisons.get(identifier)
print("Comparison '{identifier}' ({visibility}) is {status}.".format(
identifier = identifier,
visibility = 'public' if comparison.public else 'private',
status = 'ready' if comparison.ready else 'not ready'
))
if comparison.ready:
elapsed = comparison.ready_time - comparison.creation_time
print("The comparison took {} seconds.".format(elapsed.total_seconds()))
if comparison.failed:
print("The comparison failed with error: {}".format(comparison.error_message))
except exceptions.NotFound:
print("Comparison '{}' does not exist.".format(identifier))
Deleting comparisons
delete(identifier: str)
Returns nothing on successfully deleting the specified comparison or raises aNotFound
exception if no such comparison exists.
Example usage
oldest_comparisons = comparisons.all()[-10:]
print("Deleting oldest {} comparisons ...".format(len(oldest_comparisons)))
for comparison in oldest_comparisons:
comparisons.delete(comparison.identifier)
print("Comparison '{}' deleted.".format(comparison.identifier))
Creating comparisons
create(left: ComparisonSide, right: ComparisonSide, identifier: str = None, public: bool = False, expires: datetime | timedelta = None)
Returns aComparison
representing the newly created comparison.
create
accepts the following arguments:
left
/right
Describes the left and right files (see following section)identifier
(optional)
Identifier to use for the comparison:- If specified, the identifier must be unique (i.e. not already be in use)
- If unspecified or
None
, the API will automatically generate a unique identifier
public
(optional)
Specifies the comparison visibility:- If
False
or unspecified authentication is required to view the comparison - If
True
the comparison can be accessed by anyone with knowledge of the URL
- If
expires
(optional)
Time at which the comparison will be deleted:- Must be specified as a
datetime
or atimedelta
(UTC if naive) - If specified, the provided expiry time must be UTC and in the future
- If unspecified or
None
, the comparison will never expire (but may be explicitly deleted)
- Must be specified as a
The following exceptions may be raised:
BadRequest
The request could not be processed (e.g.identifier
already in use)InvalidArgument
Failure in parameter validation (e.g.expires
is in the past)
Creating comparison sides
side_from_file(file: object, file_type: str, display_name: str = None)
Returns aComparisonSide
for a locally accessible file.side_from_url(url: str, file_type: str, display_name: str = None)
Returns aComparisonSide
for a remotely accessible file referenced by URL.
These methods accept the following arguments:
file
(side_from_file
only)
A file object to be read and uploaded- The file must be opened for reading in binary mode
url
(side_from_url
only)
The URL from which the server will download the filefile_type
The type of file being submitted:- PDF:
pdf
- Word:
docx
,docm
,doc
,rtf
- PowerPoint:
pptx
,pptm
,ppt
- PDF:
display_name
(optional)
The name of the file shown in the comparison viewer
The following exceptions may be raised:
InvalidArgument
Failure in parameter validation (e.g.file_type
is invalid,url
is malformed, orfile
is not opened in binary mode)
Example usage
from datetime import timedelta
identifier = draftable.generate_identifier()
comparison = comparisons.create(
identifier = identifier,
left = draftable.make_side(
'https://domain.com/left.pdf',
file_type='pdf',
display_name='Document.pdf'
),
right = draftable.make_side(
'path/to/right/file.docx',
file_type='docx',
display_name='Document (revised).docx'
),
# Expire this comparison in 2 hours (default is no expiry)
expires = timedelta(hours=2)
)
print("Created comparison: {}".format(comparison))
Displaying comparisons
public_viewer_url(identifier: str, wait: bool = False)
Generates a public viewer URL for the specified comparisonsigned_viewer_url(identifier: str, valid_until: datetime | timedelta = None, wait: bool = False)
Generates a signed viewer URL for the specified comparison
Both methods use the following common parameters:
identifier
Identifier of the comparison for which to generate a viewer URLwait
(optional)
Specifies the behaviour of the viewer if the provided comparison does not exist- If
False
or unspecified, the viewer will show an error if theidentifier
does not exist - If
True
, the viewer will wait for a comparison with the providedidentifier
to exist
Note this will result in a perpetual loading animation if theidentifier
is never created
- If
The signed_viewer_url
method also supports the following parameters:
valid_until
(optional)
Time at which the URL will expire (no longer load)- Must be specified as a
datetime
or atimedelta
- If specified, the provided expiry time must be UTC and in the future
- If unspecified or
None
, the URL will be generated with the default 30 minute expiry
- Must be specified as a
See the displaying comparisons section in the API documentation for additional details.
Example usage
identifier = '<identifier>'
# Retrieve a signed viewer URL which is valid for 1 hour. The viewer will wait
# for the comparison to exist in the event processing has not yet completed.
viewer_url = comparisons.signed_viewer_url(identifier, timedelta(hours=1), wait=True)
print("Viewer URL (expires in 1 hour): {}".format(viewer_url))
Utility functions
generate_identifier()
Generates a random unique comparison identifier
Other information
Self-signed certificates
If connecting to an API Self-hosted endpoint which is using a self-signed certificate (the default) you will need to suppress certificate validation. This can be done by setting the CURL_CA_BUNDLE
environment variable to an empty string. On Windows, this must be done from within the Python interpreter due to platform limitations.
See the below examples for different operating systems and shell environments. Note that all examples only set the variable for the running shell or Python interpreter and it will not persist. To persist the setting consult the documentation for your shell environment. This should be done with caution as this setting suppresses certificate validation for all connections made by the Python runtime!
Non-Windows environments (inc. WSL)
(ba)sh (Linux, macOS, WSL)
export CURL_CA_BUNDLE=0
PowerShell:
$env:CURL_CA_BUNDLE=0
Windows environments
Setting an environment variable to the empty string is not valid in Windows and is treated as equivalent to removing any existing environment variable of the same name. As such, suppressing certificate validation requires an alternate approach. The most straightforward is to set the environment variable from within Python, instead of before launch.
import os
os.environ['CURL_CA_BUNDLE'] = ''
If your code spawns Python subprocesses they must separately modify their environment as the change will not be inherited as you'd normally expect.
All environments
Disabling certificate validation in production environments is strongly discouraged as it significantly lowers security. We only recommend setting this environment variable in development environments if configuring a CA signed certificate for API Self-hosted is not possible.
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Hashes for draftable-compare-api-1.1.1.tar.gz
Algorithm | Hash digest | |
---|---|---|
SHA256 | e1693119e7cdf9baa29be0b6294a22ac1008f4dfbec058bb81390e61a426f6db |
|
MD5 | 5ed4e3585becedbdebfe2561465ad556 |
|
BLAKE2b-256 | cb05596f1a98cc7a39102efc5741f6e729205aa04e9fe3226ae3f0a67adfe221 |
Hashes for draftable_compare_api-1.1.1-py2.py3-none-any.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | b20c57ddddd1196ae2c10270fec5140067aef4b8a2cb1db5cbfab1cdabcffefd |
|
MD5 | 64822fc659e8557dc407a734ff7f47ad |
|
BLAKE2b-256 | d02631d343554e9a6479a71a16a5c176ebabba1ff1aef08b902f7287267c063a |