summaryrefslogtreecommitdiffstats
path: root/openbb_platform/providers/intrinio/openbb_intrinio/models/forward_ebitda_estimates.py
blob: e5b663af8cb27c74166969346e0df944b5a5bcc9 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
"""Intrinio Forward EBITDA Estimates Model."""

# pylint: disable=unused-argument

import asyncio
from typing import Any, Dict, List, Literal, Optional
from warnings import warn

from openbb_core.provider.abstract.fetcher import Fetcher
from openbb_core.provider.standard_models.forward_ebitda_estimates import (
    ForwardEbitdaEstimatesData,
    ForwardEbitdaEstimatesQueryParams,
)
from openbb_core.provider.utils.errors import EmptyDataError
from openbb_core.provider.utils.helpers import (
    amake_request,
    get_querystring,
)
from openbb_intrinio.utils.helpers import response_callback
from pydantic import Field


class IntrinioForwardEbitdaEstimatesQueryParams(ForwardEbitdaEstimatesQueryParams):
    """Intrinio Forward EBITDA Estimates Query.

    https://docs.intrinio.com/documentation/web_api/get_zacks_sales_estimates_v2
    """

    __json_schema_extra__ = {"symbol": {"multiple_items_allowed": True}}
    __alias_dict__ = {"estimate_type": "type"}

    fiscal_period: Optional[Literal["annual", "quarter"]] = Field(
        default=None, description="Filter for only full-year or quarterly estimates."
    )
    estimate_type: Optional[
        Literal[
            "ebitda",
            "ebit",
            "enterprise_value",
            "cash_flow_per_share",
            "pretax_income",
        ]
    ] = Field(
        default=None,
        description="Limit the EBITDA estimates to this type.",
    )


class IntrinioForwardEbitdaEstimatesData(ForwardEbitdaEstimatesData):
    """Intrinio Forward EBITDA Estimates Data."""

    __alias_dict__ = {
        "last_updated": "updated_date",
        "symbol": "ticker",
        "calendar_period": "estimate_month",
        "name": "company_name",
        "fiscal_year": "estimate_year",
        "fiscal_period": "period",
        "low_estimate": "low",
        "high_estimate": "high",
        "number_of_analysts": "estimate_count",
        "standard_deviation": "std_dev",
    }

    conensus_type: Optional[
        Literal[
            "ebitda",
            "ebitda",
            "ebit",
            "enterprise_value",
            "cash_flow_per_share",
            "pretax_income",
        ]
    ] = Field(
        default=None,
        description="The type of estimate.",
    )


class IntrinioForwardEbitdaEstimatesFetcher(
    Fetcher[
        IntrinioForwardEbitdaEstimatesQueryParams,
        List[IntrinioForwardEbitdaEstimatesData],
    ]
):
    """Intrinio Forward EBITDA Estimates Fetcher."""

    @staticmethod
    def transform_query(
        params: Dict[str, Any]
    ) -> IntrinioForwardEbitdaEstimatesQueryParams:
        """Transform the query params."""
        return IntrinioForwardEbitdaEstimatesQueryParams(**params)

    @staticmethod
    async def aextract_data(
        query: IntrinioForwardEbitdaEstimatesQueryParams,
        credentials: Optional[Dict[str, str]],
        **kwargs: Any,
    ) -> List[Dict]:
        """Return the raw data from the Intrinio endpoint."""
        api_key = credentials.get("intrinio_api_key") if credentials else ""
        BASE_URL = (
            "https://api-v2.intrinio.com/zacks/ebitda_consensus?"
            + f"page_size=10000&api_key={api_key}"
        )
        symbols = query.symbol.split(",") if query.symbol else None
        query_str = get_querystring(query.model_dump(by_alias=True), ["symbol"])
        results: List[Dict] = []

        async def get_one(symbol):
            """Get the data for one symbol."""
            url = f"{BASE_URL}&identifier={symbol}"
            url = url + f"&{query_str}" if query_str else url
            new_data: List[Dict] = []
            data = await amake_request(
                url, response_callback=response_callback, **kwargs
            )
            if (
                not data
                or not isinstance(data, dict)
                or not data.get("ebitda_consensus")
            ):
                warn(f"Symbol Error: No data found for {symbol}")
            if isinstance(data, dict) and data.get("ebitda_consensus"):
                new_data = data.get("ebitda_consensus")  # type: ignore
                if new_data:
                    results.extend(new_data)

        if symbols:
            await asyncio.gather(*[get_one(symbol) for symbol in symbols])
            if not results:
                raise EmptyDataError(f"No results were found. -> {query.symbol}")
            return results

        async def fetch_callback(response, session):
            """Use callback for pagination."""
            data = await response.json()
            messages = data.get("messages")
            if messages:
                raise RuntimeError(str(messages))
            estimates = data.get("ebitda_consensus", {})  # type: ignore
            if estimates and len(estimates) > 0:
                results.extend(estimates)
                while data.get("next_page"):  # type: ignore
                    next_page = data["next_page"]  # type: ignore
                    next_url = f"{url}&next_page={next_page}"
                    data = await amake_request(next_url, session=session, **kwargs)
                    if (
                        "ebitda_consensus" in data
                        and len(data.get("ebitda_consensus")) > 0  # type: ignore
                    ):
                        results.extend(data.get("ebitda_consensus"))  # type: ignore
            return results

        url = f"{BASE_URL}&{query_str}" if query_str else BASE_URL

        results = await amake_request(url, response_callback=fetch_callback, **kwargs)  # type: ignore

        if not results:
            raise EmptyDataError("The request was successful but was returned empty.")

        return results

    @staticmethod
    def transform_data(
        query: IntrinioForwardEbitdaEstimatesQueryParams,
        data: List[Dict],
        **kwargs: Any,
    ) -> List[IntrinioForwardEbitdaEstimatesData]:
        """Transform the raw data into the standard format."""
        if not data:
            raise EmptyDataError()
        results: List[IntrinioForwardEbitdaEstimatesData] = []
        fiscal_period = None
        if query.fiscal_period is not None:
            fiscal_period = "fy" if query.fiscal_period == "annual" else "fq"
        for item in data:
            estimate_count = item.get("estimate_count")
            if (
                not estimate_count
                or estimate_count == 0
                or not item.get("updated_date")
            ):
                continue
            if fiscal_period and item.get("period") != fiscal_period:
                continue
            results.append(IntrinioForwardEbitdaEstimatesData.model_validate(item))
        if not results:
            raise EmptyDataError()

        return sorted(
            results, key=lambda x: (x.fiscal_year, x.last_updated), reverse=True
        )