Skip to main content

A sample Python client for communicating with the UltraDNS REST API

Project description

UltraDNS REST API Client for Python

This is a Python client for communicating with the UltraDNS REST API. It provides a simple and intuitive interface for interacting with the UltraDNS services.

Jump To:

Getting Started

Dependencies and Installation

This sample code depends on the requests library, which can be found at: http://docs.python-requests.org/en/latest/

If you have pip installed, you can add the client and requests to your environment with:

pip install ultra_rest_client

Once installed, you can use the ultra_rest_client module in your Python scripts:

from ultra_rest_client import RestApiClient
client = RestApiClient(args)

Usage

Authentication

Authenticating using Username and Password

from ultra_rest_client import RestApiClient
import os

# Fetch credentials from environment variables
username = os.getenv('USERNAME')
password = os.getenv('PASSWORD')

# Check if credentials are available
if not username or not password:
    raise ValueError("Username and password must be set in environment variables.")

client = RestApiClient(username, password)

domain = "udns-python-rest-client-test.com."

# Get Zone Metadata
print(f"Get metadata for zone {domain}: {client.get_zone_metadata(domain)}")

Authenticating using Bearer Token and Refresh Token

from ultra_rest_client import RestApiClient
import os

# Fetch tokens from environment variables
access_token = os.getenv('ACCESS_TOKEN')
refresh_token = os.getenv('REFRESH_TOKEN')

# Check if tokens are available
if not access_token or not refresh_token:
    raise ValueError("Access token and refresh token must be set in environment variables.")

client = RestApiClient(access_token, refresh_token, use_token=True)

domain = "udns-python-rest-client-test.com."

# Get Zone Metadata
print(f"Get metadata for zone {domain}: {client.get_zone_metadata(domain)}")

Authenticating using Bearer Token

from ultra_rest_client import RestApiClient
import os

# Fetch token from environment variables
access_token = os.getenv('ACCESS_TOKEN')

# Check if token are available
if not access_token:
    raise ValueError("Access token must be set in environment variables.")

client = RestApiClient(access_token, use_token=True)

domain = "udns-python-rest-client-test.com."

# Get Zone Metadata
print(f"Get metadata for zone {domain}: {client.get_zone_metadata(domain)}")

Custom Headers

Custom headers can be defined when instantiating the client:

    from ultra_rest_client import RestApiClient
    client = RestApiClient('username', 'password', custom_headers={"foo":"bar", "user-agent":"hello"})

Headers can also be modified after instantiation using the set_custom_headers() method on the connection:

client.rest_api_connection.set_custom_headers({"boo":"far","user-agent":"goodbye"})

Proxying Requests

In situations where the client needs to send requests from an application behind a proxy, proxy details can be supplied as part of the constructor:

# Define proxy settings using the format required by the `requests` library
proxy_dict = {
    "http": "http://proxy.example.com:8080",
    "https": "http://proxy.example.com:8080"
}

# Initialize the client with a proxy
client = RestApiClient(
    "username",
    "password",
    proxy=proxy_dict
)

# Make an API request with the proxy enabled
response = client.create_primary_zone("my_account", "example.com")

# Update the proxy dynamically if needed
client.rest_api_connection.set_proxy({
    "http": "http://newproxy.example.com:8080",
    "https": "http://newproxy.example.com:8080"
})

If desired, TLS validation may be disabled using the verify_https flag.

client = RestApiClient(
    "username",
    "password",
    proxy=proxy_dict,
    verify_https=False
)

Quick Examples

This example shows a complete working python file which will create a primary zone in UltraDNS. This example highlights how to get services using client and make requests.

#!/usr/bin/env python3

from ultra_rest_client import RestApiClient
import os

def create_zone(client, domain):
    """Create a zone in UltraDNS. This function will create a zone with the name specified in the domain argument.
    It uses the accounts API to get the account name. This is required to create a zone.

    Args:
    - client (RestApiClient): An instance of the RestApiClient class.
    - domain (str): The domain name to be created.

    Returns:
    - dict: The response body.
    """
    account_details = client.get_account_details()
    account_name = account_details['accounts'][0]['accountName']
    return client.create_primary_zone(account_name, domain)

def create_a_record(client, domain):
    """Create an A record in UltraDNS. This function will create an A record with the name specified in the domain

    Args:
    - client (RestApiClient): An instance of the RestApiClient class.
    - domain (str): The domain name.
    """
    return client.create_rrset(domain, "A", domain, 300, "192.0.2.1")


def create_cname_record(client, domain):
    """Create a CNAME record in UltraDNS. This function will create a CNAME record with the name specified in the domain

    Args:
    - client (RestApiClient): An instance of the RestApiClient class.
    - domain (str): The domain name.

    Returns:
    - dict: The response body.
    """
    return client.create_rrset(domain, "CNAME", f"www.{domain}", 300, [domain])

def create_rd_pool(client, domain):
    """Create a pool of A records in UltraDNS. This function will create an RD pool within the specified domain.

    Args:
    - client (RestApiClient): An instance of the RestApiClient class.
    - domain (str): The domain name.

    Returns:
    - dict: The response body.
    """
    return client.create_rd_pool(
        domain, 
        "pool",
        300,
        [
            "192.0.2.2",
            "192.0.2.3"
        ]
    )

def delete_zone(client, domain):
    """Delete the zone from UltraDNS.

    Args:
    - client (RestApiClient): An instance of the RestApiClient class.
    - domain (str): The domain name.
    """
    client.delete_zone(domain)
    return "Zone deleted Successfully"

def main():
    """The main function. This is the entry point for the script. It parses the command line arguments and calls the
    create_zone, create_a_record, and create_cname_record functions."""

    # Fetch credentials from environment variables
    username = os.getenv('USERNAME')
    password = os.getenv('PASSWORD')
    domain = "ultra-rest-client-test.com."

    # Check if credentials are available
    if not username or not password:
        raise ValueError("Username and password must be set in environment variables.")

    # Create an instance of your client
    client = RestApiClient(username, password)

    # Create the domain
    print(f"Creating zone {domain}: {create_zone(client, domain)}")

    # Create an A record for the domain
    print(f"Creating an A record pointing to 192.0.2.1: {create_a_record(client, domain)}")

    # Create a CNAME record for the domain
    print(f"Creating a 'www' CNAME pointing to {domain}: {create_cname_record(client, domain)}")

    # Delete the domain
    print(f"Deleting zone {domain}: {delete_zone(client, domain)}")

if __name__ == "__main__":
    main()

To set the environment variables, use the following commands in your terminal:

export USERNAME='your_username'
export PASSWORD='your_password'

Background Tasks

Utilities for handling long running tasks that process in the background, such as reports or exports, are available and documented here

Functionality

The sample code does not attempt to implement a client for all available UltraDNS REST API functionality. It provides access to basic functionality. Adding additional functionality should be relatively straightforward, and any contributions from the UltraDNS community would be greatly appreciated. See sample.py for an example of how to use this library in your own code.

API Reference

For detailed API reference, please refer to the UltraDNS API documentation.

Contributing

Contributions are always welcome! Please open a pull request with your changes, or open an issue if you encounter any problems or have suggestions.

License

This project is licensed under the Apache-2.0 license License. See the LICENSE file for more details.

Questions

Please contact UltraDNS support if you have any questions or encounter any issues with this code.

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

ultra_rest_client-2.3.0.tar.gz (20.6 kB view details)

Uploaded Source

Built Distribution

If you're not sure about the file name format, learn more about wheel file names.

ultra_rest_client-2.3.0-py2.py3-none-any.whl (23.0 kB view details)

Uploaded Python 2Python 3

File details

Details for the file ultra_rest_client-2.3.0.tar.gz.

File metadata

  • Download URL: ultra_rest_client-2.3.0.tar.gz
  • Upload date:
  • Size: 20.6 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/5.1.1 CPython/3.12.9

File hashes

Hashes for ultra_rest_client-2.3.0.tar.gz
Algorithm Hash digest
SHA256 ea15012ca5ffc4f7f055f811491b122af444198d0e3fd372b0b0247ab325b437
MD5 f59ee7d72ef942b471c6d8288bbfac6b
BLAKE2b-256 551779be57286e04edcd36a52d553d6e0e6db9155415b6df6cec3e42577cf36f

See more details on using hashes here.

File details

Details for the file ultra_rest_client-2.3.0-py2.py3-none-any.whl.

File metadata

File hashes

Hashes for ultra_rest_client-2.3.0-py2.py3-none-any.whl
Algorithm Hash digest
SHA256 7cc4ebf668cdf84646cf82c7ea072480186a59676141791219ea8573a8521646
MD5 168c038e27997573007426b268d975db
BLAKE2b-256 fc4bb8736b3c64024b826e199dc6fbaf4e2dab5821a135f1efe23ae73166775f

See more details on using hashes here.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page