Skip to main content

Modern Python client for Astrology API v3

Project description

Astrology API Python Client

Get API Key API Documentation Postman Collection

PyPI version Python License: MIT CI codecov

Modern Python client library for the Astrology API v3. Get planetary positions, generate charts, analyze transits, and more with a fully typed, developer-friendly interface.

Features

  • 🌟 Full API Coverage: Access all 150+ endpoints across 16 category clients
  • 🔒 Type-Safe: Complete type hints with Pydantic models for validation
  • ♻️ Automatic Retry: Built-in retry logic for transient failures
  • 🐍 Modern Python: Requires Python 3.10+ with contemporary type annotations
  • 100% Test Coverage: Comprehensive test suite with full coverage
  • 🚀 Zero Dependencies: Only httpx and pydantic as runtime dependencies
  • 📖 Rich Documentation: Extensive docstrings and examples

Installation

pip install astroapi-python

Quick Start

from astroapi import AstrologyClient, Subject, BirthData

# Initialize client (reads ASTROLOGY_API_KEY from environment)
client = AstrologyClient()

# Or provide API key directly
from astroapi.types import AstrologyClientConfig
config = AstrologyClientConfig(api_key="your_api_key_here")
client = AstrologyClient(config)

# Create a subject
subject = Subject(
    name="John Doe",
    birth_data=BirthData(
        year=1990,
        month=1,
        day=1,
        hour=12,
        minute=0,
        latitude=40.7128,
        longitude=-74.0060,
        timezone="America/New_York"
    )
)

# Get planetary positions
from astroapi.types import PlanetaryPositionsRequest
positions_request = PlanetaryPositionsRequest(
    year=1990, month=1, day=1, hour=12, minute=0,
    latitude=40.7128, longitude=-74.0060
)
positions = client.data.get_positions(positions_request)

# Generate natal chart
from astroapi.types import NatalChartRequest
chart_request = NatalChartRequest(subject=subject)
chart = client.charts.get_natal_chart(chart_request)

# Get daily horoscope
from astroapi.types import PersonalizedHoroscopeRequest
horoscope_request = PersonalizedHoroscopeRequest(
    subject=subject,
    horoscope_type="daily"
)
horoscope = client.horoscope.get_personal_daily_horoscope(horoscope_request)

Configuration

Environment Variables

Variable Description Default
ASTROLOGY_API_KEY Your API key Required
ASTROLOGY_API_BASE_URL Custom base URL https://api.astrology-api.io
ASTROLOGY_DEBUG Enable debug logging False

Programmatic Configuration

from astroapi import AstrologyClient
from astroapi.types import AstrologyClientConfig, RetryConfig

config = AstrologyClientConfig(
    api_key="your_api_key",
    base_url="https://api.astrology-api.io",
    timeout=10.0,  # seconds
    retry=RetryConfig(
        attempts=3,
        delay_ms=250,
        retry_status_codes=[408, 429, 500, 502, 503, 504]
    ),
    debug=True,
    logger=lambda msg, details: print(f"[LOG] {msg}: {details}")
)

client = AstrologyClient(config)

Context Manager

from astroapi import AstrologyClient

# Automatically cleanup resources
with AstrologyClient() as client:
    positions = client.data.get_positions(request)
    # Client is automatically closed when exiting the context

Category Clients

The library organizes endpoints into 16 category clients:

Client Description Key Methods
data Planetary positions, houses, aspects get_positions(), get_houses(), get_aspects()
charts Natal, synastry, composite, transit charts get_natal_chart(), get_synastry_chart()
horoscope Personalized and sun sign horoscopes get_personal_daily_horoscope(), get_sign_weekly_horoscope()
analysis Interpretations and reports get_natal_report(), get_synastry_report()
glossary Reference data (cities, planets, signs) get_cities(), get_planets(), get_zodiac_signs()
chinese BaZi and Chinese zodiac get_bazi(), get_zodiac_sign()
numerology Numerology calculations get_life_path_number(), get_expression_number()
tarot Tarot card draws and readings draw_cards(), get_reading()
eclipses Solar and lunar eclipses get_eclipses(), get_solar_eclipses()
lunar Moon phases and void of course get_moon_phase(), get_void_of_course()
astrocartography Location mapping get_lines(), get_relocated_chart()
traditional Dignities and receptions get_dignities(), get_receptions()
fixed_stars Fixed star positions get_positions(), get_conjunctions()
insights Specialized insights relationship.*, pet.*, wellness.*
svg SVG chart generation get_natal_chart_svg(), get_synastry_chart_svg()
enhanced Advanced calculations get_enhanced_natal_chart(), get_patterns()

Examples

Synastry Chart

from astroapi import AstrologyClient, Subject, BirthData
from astroapi.types import SynastryChartRequest

client = AstrologyClient()

person1 = Subject(
    name="Alice",
    birth_data=BirthData(year=1985, month=3, day=15, hour=10, minute=30)
)

person2 = Subject(
    name="Bob",
    birth_data=BirthData(year=1987, month=7, day=22, hour=14, minute=45)
)

request = SynastryChartRequest(subject1=person1, subject2=person2)
synastry = client.charts.get_synastry_chart(request)

print(f"Inter-aspects: {len(synastry.inter_aspects)}")

Transit Analysis

from astroapi.types import TransitChartRequest, DateTimeLocation

natal_subject = Subject(birth_data=BirthData(year=1990, month=1, day=1))

transit_time = DateTimeLocation(
    year=2024, month=6, day=15, hour=12, minute=0,
    latitude=40.7128, longitude=-74.0060
)

request = TransitChartRequest(
    natal_subject=natal_subject,
    transit_datetime=transit_time
)

transits = client.charts.get_transit_chart(request)

BaZi (Chinese Astrology)

from astroapi.types import BaZiRequest

request = BaZiRequest(
    subject=subject,
    language="en"
)

bazi = client.chinese.get_bazi(request)
print(f"Day Master: {bazi.day_master}")
print(f"Year Pillar: {bazi.year_pillar.heavenly_stem} {bazi.year_pillar.earthly_branch}")

Relationship Insights

from astroapi.types import RelationshipInsightRequest

request = RelationshipInsightRequest(
    subject1=person1,
    subject2=person2,
    language="en"
)

compatibility = client.insights.relationship.get_compatibility(request)
print(f"Compatibility Score: {compatibility.scores}")

SVG Chart Generation

from astroapi.types import NatalChartRequest

request = NatalChartRequest(subject=subject)
svg_string = client.svg.get_natal_chart_svg(request)

# Save to file
with open("natal_chart.svg", "w") as f:
    f.write(svg_string)

Error Handling

from astroapi import AstrologyClient, AstrologyError
from astroapi.types import NatalChartRequest

client = AstrologyClient()

try:
    chart = client.charts.get_natal_chart(request)
except AstrologyError as e:
    print(f"Error: {e.message}")
    print(f"Status Code: {e.status_code}")
    print(f"Error Code: {e.code}")

    if e.is_client_error():
        print("Client error (4xx)")
    elif e.is_server_error():
        print("Server error (5xx)")

Retry Logic

The client includes automatic retry for transient failures:

from astroapi.types import AstrologyClientConfig, RetryConfig

config = AstrologyClientConfig(
    api_key="your_api_key",
    retry=RetryConfig(
        attempts=3,  # Retry up to 3 times
        delay_ms=250,  # Wait 250ms between retries
        retry_status_codes=[408, 429, 500, 502, 503, 504]
    )
)

client = AstrologyClient(config)

Validation

All request parameters are validated before API calls:

from astroapi import AstrologyError
from astroapi.types import BirthData

try:
    # Invalid year (out of range)
    birth_data = BirthData(year=1800, month=1, day=1)
except AstrologyError as e:
    print(e.message)  # "Year must be between 1900 and 2100, got 1800"

Development

Setup

# Clone repository
git clone https://github.com/astro-api/astroapi-python.git
cd astroapi-python

# Install dev dependencies
pip install -e ".[dev]"

# Install pre-commit hooks
pre-commit install

Testing

The project has two test suites: unit tests (fast, mocked HTTP) and integration tests (real API calls or auto-mocked).

Unit Tests

# Run all unit tests with coverage (100% branch coverage enforced)
pytest

# Run a specific test file
pytest tests/unit/test_client.py

# Run a single test
pytest tests/unit/test_client.py::TestAstrologyClient::test_client_creation_with_config

Integration Tests

Integration tests verify every SDK endpoint against the real API. If the ASTROLOGY_API_KEY environment variable is set, tests call the live API. If not, the HTTP layer is automatically mocked so tests always pass regardless of API access.

# Mock mode (no API key required, runs in ~0.1s)
pytest tests/integration/ -m integration --no-cov

# Live mode (calls real API, runs in ~6 min)
ASTROLOGY_API_KEY=your_key pytest tests/integration/ -m integration --no-cov

# Run a single integration test file
pytest tests/integration/test_horoscope.py -m integration --no-cov

Tests marked with @pytest.mark.xfail are endpoints known to be unavailable or returning unexpected formats in the current API version. In mock mode these show as xpassed; in live mode they show as xfailed.

Linting and Formatting

# Lint code
ruff check src/ tests/

# Format code
ruff format src/ tests/

# Type check
mypy src/astroapi

Versioning & Releases

This project uses hatch-vcs — the package version is derived automatically from git tags. There is no hardcoded version in the source code.

To release a new version:

git tag v1.2.0
git push origin v1.2.0

The release workflow will run CI checks, build the package with the correct version, publish it to PyPI, and create a GitHub Release.

Contributing

Contributions are welcome! Please:

  1. Fork the repository
  2. Create a feature branch (git checkout -b feature/amazing-feature)
  3. Make your changes
  4. Run tests and linting (pytest && ruff check && mypy)
  5. Commit your changes (git commit -m 'Add amazing feature')
  6. Push to the branch (git push origin feature/amazing-feature)
  7. Open a Pull Request

License

This project is licensed under the MIT License - see the LICENSE file for details.

Links

Support

For questions and support:


Made with ❤️ by Procoders

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

astroapi_python-1.0.0.tar.gz (81.1 kB view details)

Uploaded Source

Built Distribution

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

astroapi_python-1.0.0-py3-none-any.whl (57.7 kB view details)

Uploaded Python 3

File details

Details for the file astroapi_python-1.0.0.tar.gz.

File metadata

  • Download URL: astroapi_python-1.0.0.tar.gz
  • Upload date:
  • Size: 81.1 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? Yes
  • Uploaded via: twine/6.1.0 CPython/3.13.7

File hashes

Hashes for astroapi_python-1.0.0.tar.gz
Algorithm Hash digest
SHA256 60b05116c5f28d3f3234994e8fe0f53436afdb233bb2ac751c33be49e3c778dc
MD5 7847dcf66aa340a48bd9fbb5b9029f0e
BLAKE2b-256 a022eeebf40ea4d23af0ec1520787b8f82bbbb1eb8ad105c33c6017fe6c75ffb

See more details on using hashes here.

Provenance

The following attestation bundles were made for astroapi_python-1.0.0.tar.gz:

Publisher: release.yml on astro-api/astroapi-python

Attestations: Values shown here reflect the state when the release was signed and may no longer be current.

File details

Details for the file astroapi_python-1.0.0-py3-none-any.whl.

File metadata

File hashes

Hashes for astroapi_python-1.0.0-py3-none-any.whl
Algorithm Hash digest
SHA256 b9dfac039ce4524b71cc768353d276710d5c0fc0b08e04efe2ef5c3a4a31f1f1
MD5 bf8c1e5fbe414f85305727f40c2286e6
BLAKE2b-256 974591ceb4573e8cec8ed60067b289826acf8c655ea50ea5eb3129a054b5912d

See more details on using hashes here.

Provenance

The following attestation bundles were made for astroapi_python-1.0.0-py3-none-any.whl:

Publisher: release.yml on astro-api/astroapi-python

Attestations: Values shown here reflect the state when the release was signed and may no longer be current.

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