The official Python client library for Scale AI, the Data Platform for AI
Project description
If you use earlier versions of the SDK, please refer to v1.0.4 documentation.
If you are migrating from earlier versions to v2, please refer to Migration Guide to v2.
Installation
$ pip install --upgrade scaleapi
$ conda install -c conda-forge scaleapi
Usage
import scaleapi
client = scaleapi.ScaleClient("YOUR_API_KEY_HERE")
Tasks
Most of these methods will return a scaleapi.Task object, which will contain information about the json response (task_id, status, params, response, etc.).
Any parameter available in Scale’s API documentation can be passed as an argument option with the corresponding type.
The following endpoints for tasks are available:
Create Task
This method can be used for any Scale supported task type using the following format:
client.create_task(TaskType, ...task parameters...)
Passing in the applicable values into the function definition. The applicable fields and further information for each task type can be found in Scale’s API documentation.
from scaleapi.tasks import TaskType
from scaleapi.exceptions import ScaleDuplicateResource
payload = dict(
project = "test_project",
callback_url = "http://www.example.com/callback",
instruction = "Draw a box around each baby cow and big cow.",
attachment_type = "image",
attachment = "http://i.imgur.com/v4cBreD.jpg",
unique_id = "c235d023af73",
geometries = {
"box": {
"objects_to_annotate": ["Baby Cow", "Big Cow"],
"min_height": 10,
"min_width": 10,
}
},
)
try:
client.create_task(TaskType.ImageAnnotation, **payload)
except ScaleDuplicateResource as err:
print(err.message) # If unique_id is already used for a different task
Retrieve a task
Retrieve a task given its id. Check out Scale’s API documentation for more information.
task = client.get_task("30553edd0b6a93f8f05f0fee")
print(task.status) # Task status ("pending", "completed", "error", "canceled")
print(task.response) # If task is complete
Task Attributes
The older param_dict attribute is now replaced with a method as_dict() to return a task’s all attributes as a dictionary (JSON).
task.as_dict()
# {
# 'task_id': '30553edd0b6a93f8f05f0fee',
# 'created_at': '2021-06-17T21:46:36.359Z',
# 'type': 'imageannotation',
# 'status': 'pending',
# ....
# 'params': {
# 'attachment': 'http://i.imgur.com/v4cBreD.jpg',
# 'attachment_type': 'image',
# 'geometries': {
# 'box': {
# 'objects_to_annotate': ['Baby Cow', 'Big Cow'],
# 'min_height': 10,
# 'min_width': 10,
# ...
# },
# 'project': 'My Project',
# ...
# }
First-level attributes of Task are also accessible with . annotation as the following:
task.status # same as task.as_dict()["status"]
task.params["geometries"] # same as task.as_dict()["params"]["geometries"]
task.response["annotations"] # same as task.as_dict()["response"]["annotations"]
Accessing task.params child objects directly at task level is deprecated. Instead of task.attribute, you should use task.params["attribute"] for accessing objects under params.
task.params["geometries"] # task.geometries is DEPRECATED
task.params["attachment"] # task.attachment is DEPRECATED
Retrieve List of Tasks
Retrieve a list of Task objects, with filters for: project_name, batch_name, type, status, review_status, unique_id, completed_after, completed_before, updated_after, updated_before, created_after, created_before and tags.
get_tasks() is a generator method and yields Task objects.
A generator is another type of function, returns an iterable that you can loop over like a list. However, unlike lists, generators do not store the content in the memory. That helps you to process a large number of objects without increasing memory usage.
If you will iterate through the tasks and process them once, using a generator is the most efficient method. However, if you need to process the list of tasks multiple times, you can wrap the generator in a list(...) statement, which returns a list of Tasks by loading them into the memory.
Check out Scale’s API documentation for more information.
from scaleapi.tasks import TaskReviewStatus, TaskStatus
tasks = client.get_tasks(
project_name = "My Project",
created_after = "2020-09-08",
completed_before = "2021-04-01",
status = TaskStatus.Completed,
review_status = TaskReviewStatus.Accepted
)
# Iterating through the generator
for task in tasks:
# Download task or do something!
print(task.task_id)
# For retrieving results as a Task list
task_list = list(tasks)
print(f"{len(task_list))} tasks retrieved")
Get Tasks Count
get_tasks_count() method returns the number of tasks with the given optional parameters for: project_name, batch_name, type, status, review_status, unique_id, completed_after, completed_before, updated_after, updated_before, created_after, created_before and tags.
from scaleapi.tasks import TaskReviewStatus, TaskStatus
task_count = client.get_tasks_count(
project_name = "My Project",
created_after = "2020-09-08",
completed_before = "2021-04-01",
status = TaskStatus.Completed,
review_status = TaskReviewStatus.Accepted
)
print(task_count) # 1923
Cancel Task
Cancel a task given its id if work has not started on the task (task status is Queued in the UI). Check out Scale’s API documentation for more information.
task = client.cancel_task('30553edd0b6a93f8f05f0fee')
Batches
Create Batch
Create a new Batch. Check out Scale’s API documentation for more information.
batch = client.create_batch(
project = "test_project",
callback = "http://www.example.com/callback",
batch_name = "batch_name_01_07_2021"
)
print(batch.name) # batch_name_01_07_2021
Throws ScaleDuplicateResource exception if a batch with the same name already exists.
Finalize Batch
Finalize a Batch. Check out Scale’s API documentation for more information.
client.finalize_batch(batch_name="batch_name_01_07_2021")
# Alternative method
batch = client.get_batch(batch_name="batch_name_01_07_2021")
batch.finalize()
Check Batch Status
Get the status of a Batch. Check out Scale’s API documentation for more information.
client.batch_status(batch_name = "batch_name_01_07_2021")
# Alternative via Batch.get_status()
batch = client.get_batch("batch_name_01_07_2021")
batch.get_status() # Refreshes tasks_{status} attributes of Batch
print(batch.tasks_pending, batch.tasks_completed)
Retrieve A Batch
Retrieve a single Batch. Check out Scale’s API documentation for more information.
batch = client.get_batch(batch_name = "batch_name_01_07_2021")
The older param_dict attribute is now replaced with a method batch.as_dict() to return a batch’s all attributes as a dictionary (JSON).
List Batches
Retrieve a list of Batches. Optional parameters are project_name, batch_status, created_after and created_before.
get_batches() is a generator method and yields Batch objects.
A generator is another type of function, returns an iterable that you can loop over like a list. However, unlike lists, generators do not store the content in the memory. That helps you to process a large number of objects without increasing memory usage.
When wrapped in a list(...) statement, it returns a list of Batches by loading them into the memory.
Check out Scale’s API documentation for more information.
from scaleapi.batches import BatchStatus
batches = client.get_batches(
batch_status=BatchStatus.Completed,
created_after = "2020-09-08"
)
counter = 0
for batch in batches:
counter += 1
print(f"Downloading batch {counter} | {batch.name} | {batch.project}")
# Alternative for accessing as a Batch list
batch_list = list(batches)
print(f"{len(batch_list))} batches retrieved")
Projects
Create Project
Create a new Project. Check out Scale’s API documentation for more information.
from scaleapi.tasks import TaskType
project = client.create_project(
project_name = "Test_Project",
task_type = TaskType.ImageAnnotation,
params = {"instruction": "Please label the kittens"},
)
print(project.name) # Test_Project
Throws ScaleDuplicateResource exception if a project with the same name already exists.
Retrieve Project
Retrieve a single Project. Check out Scale’s API documentation for more information.
project = client.get_project(project_name = "test_project")
The older param_dict attribute is now replaced with a method project.as_dict() to return a project’s all attributes as a dictionary (JSON).
List Projects
This function does not take any arguments. Retrieve a list of every Project. Check out Scale’s API documentation for more information.
counter = 0
projects = client.projects()
for project in projects:
counter += 1
print(f'Downloading project {counter} | {project.name} | {project.type}')
Update Project
Creates a new version of the Project. Check out Scale’s API documentation for more information.
data = client.update_project(
project_name="test_project",
patch=False,
instruction="update: Please label all the stuff",
)
Files
Files are a way of uploading local files directly to Scale storage or importing files before creating tasks.
Upload Files
Upload a file. Check out Scale’s API documentation for more information.
with open(file_name, 'rb') as f:
my_file = client.upload_file(
file=f,
project_name = "test_project",
)
The file.attachment_url can be used in place of attachments in task payload.
my_file.as_dict()
# {
# 'attachment_url': 'scaledata://606e2a0a46102303a130949/8ac09a90-c143-4154-9a9b-6c35121396d1f',
# 'created_at': '2021-06-17T21:56:53.825Z',
# 'id': '8ac09d70-ca43-4354-9a4b-6c3591396d1f',
# 'mime_type': 'image/png',
# 'project_names': ['test_project'],
# 'size': 340714,
# 'updated_at': '2021-06-17T21:56:53.825Z'
# }
Import Files
Import a file from a URL. Check out Scale’s API documentation for more information.
my_file = client.import_file(
file_url="http://i.imgur.com/v4cBreD.jpg",
project_name = "test_project",
)
After the files are successfully uploaded to Scale’s storage, you can access the URL as my_file.attachment_url, which will have a prefix like scaledata://.
The attribute can be passed to the task payloads, in the attachment parameter.
task_payload = dict(
...
...
attachment_type = "image",
attachment = my_file.attachment_url, # scaledata://606e2a30949/89a90-c143-4154-9a9b-6c36d1f
...
...
)
Error handling
If something went wrong while making API calls, then exceptions will be raised automatically as a ScaleException parent type and child exceptions:
ScaleInvalidRequest: 400 - Bad Request – The request was unacceptable, often due to missing a required parameter.
ScaleUnauthorized: 401 - Unauthorized – No valid API key provided.
ScaleNotEnabled: 402 - Not enabled – Please contact sales@scaleapi.com before creating this type of task.
ScaleResourceNotFound: 404 - Not Found – The requested resource doesn’t exist.
ScaleDuplicateResource: 409 - Conflict – Object already exists with same name, idempotency key or unique_id.
ScaleTooManyRequests: 429 - Too Many Requests – Too many requests hit the API too quickly.
ScaleInternalError: 500 - Internal Server Error – We had a problem with our server. Try again later.
ScaleServiceUnavailable: 503 - Server Timeout From Request Queueing – Try again later.
ScaleTimeoutError: 504 - Server Timeout Error – Try again later.
Check out Scale’s API documentation for more details.
For example:
from scaleapi.exceptions import ScaleException
try:
client.create_task(TaskType.TextCollection, attachment="Some parameters are missing.")
except ScaleException as err:
print(err.code) # 400
print(err.message) # Parameter is invalid, reason: "attachments" is required
Troubleshooting
If you notice any problems, please email us at support@scale.com.
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
File details
Details for the file scaleapi-2.4.0.tar.gz
.
File metadata
- Download URL: scaleapi-2.4.0.tar.gz
- Upload date:
- Size: 16.0 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/3.4.2 importlib_metadata/4.6.0 pkginfo/1.7.1 requests/2.26.0 requests-toolbelt/0.9.1 tqdm/4.62.1 CPython/3.6.14
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | 581c8ad99711718ae623f33e87b8d81aa5b0dacbea126b37eca702a7c58bc667 |
|
MD5 | 0ee3267a8109326d84339cfdfcfb32da |
|
BLAKE2b-256 | 2a4f4f6a76136b844fe747093890f7e0f386af7dda71c87bee963148d379a96b |
File details
Details for the file scaleapi-2.4.0-py3-none-any.whl
.
File metadata
- Download URL: scaleapi-2.4.0-py3-none-any.whl
- Upload date:
- Size: 19.9 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/3.4.2 importlib_metadata/4.6.0 pkginfo/1.7.1 requests/2.26.0 requests-toolbelt/0.9.1 tqdm/4.62.1 CPython/3.6.14
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | f5fc0a5cbd506132d34fb2c8d807c02b51610c0b7c857d5d58629c8d211e4a7e |
|
MD5 | b89a6c7586441957d3edc80efaa55f6d |
|
BLAKE2b-256 | 7af2dc1dd60050588695f5d6abdf059ca70ccb5c9f9665d3f648292dff9d016c |