Easy interface to work with the Close.io API.
Project description
Close[.]io
Simpler and saner interface for working with the Close API
Features:
- Automatic create or update of a resource.
- Automatic schema creation for (most) Close resources with IDE autocomplete.
- Extendable Lead and Contact model to match your Close custom fields.
- Retry/rate-limit handling.
Installation
pip install close-dot-io
Basic Usage
All methods will ask for which resource you are looking to interact with.
The Lead
and Contact
resource can be subclassed to add your own custom fields and logic.
Further down is an example of how to do that.
Getting a list of a resource
from close_dot_io import CloseClient, Lead
CLOSE_API_KEY = "MY-KEY-HERE"
# Create a connection to Close.
client = CloseClient(api_key=CLOSE_API_KEY)
# Get 200 leads.
# You get a list of 'Lead' object with the expected Python data types.
leads = client.list(resource=Lead, max_results=200)
print(leads)
# > [
# Lead(
# id='lead_xxx',
# status_label='Cold',
# description='A sales automation ...',
# html_url='https://app.close.com/leads/lead_xx',
# organization_id='orga_xxx',
# date_updated=datetime.datetime(2024, 4, 14, 17, 43, 38, 77000, tzinfo=TzInfo(UTC)),
# date_created=datetime.datetime(2024, 2, 29, 11, 3, 12, 544000, tzinfo=TzInfo(UTC)),
# name='Copyfactory Technologies',
# contacts=[
# Contact(id='cont_xxx',
# organization_id='orga_xxx',
# date_updated=datetime.datetime(2024, 4, 10, 19, 1, 30, 512000, tzinfo=TzInfo(UTC)),
# date_created=datetime.datetime(2024, 2, 29, 11, 3, 12, 557000, tzinfo=TzInfo(UTC)),
# name='Eric Morris',
# title='co-founder',
# opportunities=[],
# phones=[
# ContactPhoneNumber(
# country='CA',
# phone='+16xxx',
# type=<ContactEmailOrPhoneTypeEnum.OFFICE: 'office'>
# )
# ],
# emails=[
# ContactEmailAddress(
# type=<ContactEmailOrPhoneTypeEnum.OFFICE: 'office'>,
# email='eric@cf.io',
# is_unsubscribed=False
# )
# ]
# )
# ])] ...
# Get the first leads ID.
# All `Lead` fields will autocomplete in your IDE.
first_lead = leads[0].id
# Iterate over leads and contacts
for lead in leads:
for contact in lead.contacts:
...
Currently supported resources are:
from close_dot_io import (
Lead,
Contact,
Opportunity,
ConnectedAccount,
Sequence,
CallActivity,
CreatedActivity,
EmailActivity,
EmailThreadActivity,
LeadStatusChangeActivity,
MeetingActivity,
NoteActivity,
OpportunityStatusChangeActivity,
SMSActivity,
TaskCompletedActivity,
SmartView,
)
Getting a list of leads based on a smartview.
from close_dot_io import CloseClient,Lead
CLOSE_API_KEY = "MY-KEY-HERE"
# Create a connection to Close.
client = CloseClient(api_key=CLOSE_API_KEY)
# By id
leads = client.get_from_smartview(resource=Lead, smartview_id="save_xxx", max_results=10)
# Or search by name (slower since we need to fetch the smartviews to grab the ID)
leads = client.get_from_smartview(resource=Lead, smartview_name="People to follow up with", max_results=1000)
Creating/Updating/Cloning a new contact/lead
from close_dot_io import CloseClient, Contact, Lead
CLOSE_API_KEY = "MY-KEY-HERE"
# Create a connection to Close.
client = CloseClient(api_key=CLOSE_API_KEY)
# Create using only an Email.
new_contact = Contact.create_from_email(email="j@acme.com", title='CEO')
# Assign contact to lead.
new_lead = Lead.create_from_contact(new_contact, name="Acme Corp")
# Notice how these are bare objects since they do not have a Close id.
print(new_lead.id)
print(new_contact.id)
# > None
# > None
# Lets save the new Lead to Close.
new_lead = client.save(resource=new_lead)
# Now if we print out the ID again we have an ID!
print(new_lead.id)
# > lead_xxx
# We can now easily edit our new lead
new_lead.name = "Acme Corp Edited from API!"
# And save it. Since the resource has an ID an update is performed.
updated_lead = client.save(resource=new_lead)
# This means cloning is very easy. Just reset the ID and save it again.
updated_lead.id = None
cloned_lead = client.save(resource=new_lead)
Extending the Contact and Lead resource
You likely have some custom fields that you want to use for your Contacts and Leads.
Here is how to do that.
Under the hood Pydantic is used to validate models and type annotations.
from close_dot_io import Contact, Lead, CloseClient
from pydantic import Field
from enum import Enum
# Subclass the base Contact object
class MyCustomContact(Contact):
# The field name can be anything you want.
# The only required steps are to (1) set the 'alias' parameter with the custom field ID.
# and (2) set a type annotation to the field.
# You can copy the ID in the Close custom field settings.
# **Important** you must prefix the custom field ID with 'custom.{my-id}'
# Its recommended to set the default to None since your field is likely optional.
# If you don't set a default and ask for a Contact that doesn't have that field the model will not be created
# since it would be deemed invalid.
some_custom_field: str | None = Field(
alias="custom.cf_xxx",
default=None,
description="My awesome custom field.",
)
# Number fields are also fine. Set a default if its applicable.
external_funding: int | None = Field(
alias="custom.cf_xxx",
default=0,
description="Enrichment field for if the contact has received funding.",
)
# Decimals are fine too.
customer_discount: float | None = Field(
alias="custom.cf_xxx",
default=0.1,
description="The discount amount a customer is to receive",
)
class CustomerServiceRep(Enum):
ALICE = "rep_id_1"
CAM = "rep_id_2"
# You can also 'nest' your own models based on your use case or contact pipeline stages.
class PostCustomerContactModel(MyCustomContact):
# Choices also work.
customer_rep: CustomerServiceRep | None = Field(
alias="custom.cf_xxx",
default=CustomerServiceRep.ALICE,
description="The ID of the CS rep asigned to this contact.",
)
# Same exact logic applies to a Lead.
class CustomLead(Lead):
lead_score: int | None = Field(alias="custom.cf_xxx", default=None)
# Set the type of contacts you want
# to have a full Lead representation.
contacts: list[PostCustomerContactModel] = []
# Now you just create these as you would any other object.
new_contact = PostCustomerContactModel.create_from_email(
email="j@customer.com",
title='CEO',
customer_rep=CustomerServiceRep.CAM
)
new_lead = CustomLead.create_from_contact(
new_contact,
status_label='Customer',
name="Acme Corp",
lead_score=1
)
CLOSE_API_KEY = "MY-KEY-HERE"
client = CloseClient(api_key=CLOSE_API_KEY)
# Save the new lead with our custom fields
client.save(new_lead)
# Fetch Leads from a smartview using the custom Resource.
leads = client.get_from_smartview(
resource=CustomLead,
smartview_name="People to follow up with",
max_results=10
)
# We now have lead score!
print(leads[0].lead_score)
Working with Opportunities
Opportunities behave like any other resource and also has support for custom fields.
from close_dot_io import Opportunity
from pydantic import Field
class CustomOpportunity(Opportunity):
my_custom_opp_field:str | None = Field(default=None, alias="custom.cf_xxx")
Extending the custom lead example from earlier we can set our CustomOpportunity class so that whenever we fetch or interact with the Close API this is the model we are working with.
from close_dot_io import Opportunity, Lead, CloseClient
from pydantic import Field
class CustomLead(Lead):
lead_score: int | None = Field(alias="custom.cf_xxx", default=None)
# Set the type of opportunities you want
# to have a full Lead representation.
opportunities: list[CustomOpportunity] = []
Just like contacts, opportunities are automatically saved when updating a Lead in the Close API.
Adding and updating a new opportunity to a lead.
CLOSE_API_KEY = "MY-KEY-HERE"
client = CloseClient(api_key=CLOSE_API_KEY)
# First get an instance of a Lead
lead = client.get(resource=CustomLead, resource_id="lead_xxx")
# Update the note of the first opportunity
lead.opportunities[0].note = "Updated note from the API"
# Now create your opportunity
my_opp_data = {
"note": "i hope this deal closes...",
"confidence": 90,
"lead_id": lead.id,
"value_period": "monthly",
"status": "Active",
"value": 500,
"my_custom_opp_field": "My custom value"
}
new_opp = CustomOpportunity(**my_opp_data)
# Add the opportunity to the lead
lead.opportunities.append(new_opp)
# Save it
client.save(lead)
Deleting all opportunities on a lead.
CLOSE_API_KEY = "MY-KEY-HERE"
client = CloseClient(api_key=CLOSE_API_KEY)
# First get an instance of a Lead
lead = client.get(resource=CustomLead, resource_id="lead_xxx")
# Set the opportunities to an empty list.
lead.opportunities = []
# Save it
client.save(lead)
Deleting all opportunities on a lead that are closed-lost
CLOSE_API_KEY = "MY-KEY-HERE"
client = CloseClient(api_key=CLOSE_API_KEY)
# First get an instance of a Lead
lead = client.get(resource=CustomLead, resource_id="lead_xxx")
# Set the opportunities to only ones that are not closed lost.
lead.opportunities = [opp for opp in lead.opportunities if not opp.is_lost]
# Save it
client.save(lead)
Huge thank you to the Close team for creating a best-in-class product and API!
Close API documentation: https://developer.close.com/
License
close-dot-io
is distributed under the terms of the MIT license.
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 close_dot_io-0.0.9.tar.gz
.
File metadata
- Download URL: close_dot_io-0.0.9.tar.gz
- Upload date:
- Size: 13.5 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: python-httpx/0.27.0
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | b8e1209d72f0dade7415fee7f4315681943ffada2b8bb59f3f36eebc8c7082e4 |
|
MD5 | b2c578c7848a5e90fa37a5e90551956d |
|
BLAKE2b-256 | 026e77b49e9294f3c02e296e616298f479be37ab928e5d81db31cd6b76bf9415 |
File details
Details for the file close_dot_io-0.0.9-py3-none-any.whl
.
File metadata
- Download URL: close_dot_io-0.0.9-py3-none-any.whl
- Upload date:
- Size: 16.7 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: python-httpx/0.27.0
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | 946b4a4b2966154bdae70facd71c3a9c9927254cca379b9ecb98440bb63242ca |
|
MD5 | e84f2ef0415274663561f0671ae1e4fc |
|
BLAKE2b-256 | 13db8fd3424df1fdf03a89af3bdec72421873bcb36adfc68c27a4ea3b7715ce8 |